file_id
stringlengths 4
10
| content
stringlengths 91
42.8k
| repo
stringlengths 7
108
| path
stringlengths 7
251
| token_length
int64 34
8.19k
| original_comment
stringlengths 11
11.5k
| comment_type
stringclasses 2
values | detected_lang
stringclasses 1
value | prompt
stringlengths 34
42.8k
|
---|---|---|---|---|---|---|---|---|
204598_8 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.parser;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieTaalConstanten;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.NullValue;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalLexer;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalParser;
import nl.bzk.brp.model.hisvolledig.kern.PersoonHisVolledig;
import nl.bzk.brp.model.logisch.kern.Persoon;
import org.antlr.v4.runtime.ANTLRInputStream;
import org.antlr.v4.runtime.CharStream;
import org.antlr.v4.runtime.CommonTokenStream;
import org.antlr.v4.runtime.atn.PredictionMode;
/**
* Utility class voor het parsen en evalueren van BRP-expressies.
*/
public final class BRPExpressies {
/**
* Private constructor voor utility class.
*/
private BRPExpressies() {
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie, gegeven een aantal gedefinieerde identifiers. Bij succes is de overeenkomstige
* expressie te vinden in het ParserResultaat; anders zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @param context Gedefinieerde identifiers.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString, final Context context) {
final ParserResultaat result;
// TEAMBRP-2535 de expressie syntax kan niet goed omgaan met een string waarachter ongedefinieerde velden staan.
// Door haakjes toe te voegen zal dan een fout gesignaleerd worden, aangezien de content dan niet meer precies
// gematched kan worden.
final String expressieStringMetHaakjes = String.format("(%s)", expressieString);
// Parsing gebeurt met een door ANTLR gegenereerde visitor. Om die te kunnen gebruiken, moet een treintje
// opgetuigd worden (String->CharStream->Lexer->TokenStream).
final CharStream cs = new ANTLRInputStream(expressieStringMetHaakjes);
final BRPExpressietaalLexer lexer = new BRPExpressietaalLexer(cs);
final CommonTokenStream tokens = new CommonTokenStream(lexer);
final BRPExpressietaalParser parser = new BRPExpressietaalParser(tokens);
parser.getInterpreter().setPredictionMode(PredictionMode.LL_EXACT_AMBIG_DETECTION);
Context initialContext;
if (context != null) {
initialContext = new Context(context);
} else {
initialContext = new Context();
}
// Declareer het standaard object 'persoon'.
initialContext.declareer(ExpressieTaalConstanten.DEFAULT_OBJECT, ExpressieType.PERSOON);
// Verwijder bestaande (default) error listeners en voeg de eigen error listener toe.
parser.removeErrorListeners();
final BRPExpressietaalErrorListener errorListener = new BRPExpressietaalErrorListener();
parser.addErrorListener(errorListener);
// Maak de parse tree. Hier gebeurt het feitelijke parsing.
final BRPExpressietaalParser.Brp_expressieContext tree = parser.brp_expressie();
List<ParserFout> fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
// Maak een visitor voor parsing.
final BRPExpressieVisitor visitor = new BRPExpressieVisitor(initialContext, errorListener);
// De visitor zet een parse tree om in een Expressie. Tenzij er een fout optreedt.
final Expressie expressie = visitor.visit(tree);
fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
result = new ParserResultaat(expressie);
}
}
return result;
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie. Bij succes is de overeenkomstige expressie te vinden in het ParserResultaat; anders
* zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString) {
return parse(expressieString, new Context());
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param context Gedefinieerde symbolische namen met hun waarden.
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Context context) {
Expressie result = expressie.evalueer(context);
if (result == null) {
result = NullValue.getInstance();
}
return result;
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Persoon persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final PersoonHisVolledig persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final Persoon persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final PersoonHisVolledig persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
}
| MinBZK/OperatieBRP | 2016/brp 2016-02-09/algemeen/algemeen-model/expressietaal/src/main/java/nl/bzk/brp/expressietaal/parser/BRPExpressies.java | 2,283 | // opgetuigd worden (String->CharStream->Lexer->TokenStream). | line_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.parser;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieTaalConstanten;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.NullValue;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalLexer;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalParser;
import nl.bzk.brp.model.hisvolledig.kern.PersoonHisVolledig;
import nl.bzk.brp.model.logisch.kern.Persoon;
import org.antlr.v4.runtime.ANTLRInputStream;
import org.antlr.v4.runtime.CharStream;
import org.antlr.v4.runtime.CommonTokenStream;
import org.antlr.v4.runtime.atn.PredictionMode;
/**
* Utility class voor het parsen en evalueren van BRP-expressies.
*/
public final class BRPExpressies {
/**
* Private constructor voor utility class.
*/
private BRPExpressies() {
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie, gegeven een aantal gedefinieerde identifiers. Bij succes is de overeenkomstige
* expressie te vinden in het ParserResultaat; anders zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @param context Gedefinieerde identifiers.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString, final Context context) {
final ParserResultaat result;
// TEAMBRP-2535 de expressie syntax kan niet goed omgaan met een string waarachter ongedefinieerde velden staan.
// Door haakjes toe te voegen zal dan een fout gesignaleerd worden, aangezien de content dan niet meer precies
// gematched kan worden.
final String expressieStringMetHaakjes = String.format("(%s)", expressieString);
// Parsing gebeurt met een door ANTLR gegenereerde visitor. Om die te kunnen gebruiken, moet een treintje
// opgetuigd worden<SUF>
final CharStream cs = new ANTLRInputStream(expressieStringMetHaakjes);
final BRPExpressietaalLexer lexer = new BRPExpressietaalLexer(cs);
final CommonTokenStream tokens = new CommonTokenStream(lexer);
final BRPExpressietaalParser parser = new BRPExpressietaalParser(tokens);
parser.getInterpreter().setPredictionMode(PredictionMode.LL_EXACT_AMBIG_DETECTION);
Context initialContext;
if (context != null) {
initialContext = new Context(context);
} else {
initialContext = new Context();
}
// Declareer het standaard object 'persoon'.
initialContext.declareer(ExpressieTaalConstanten.DEFAULT_OBJECT, ExpressieType.PERSOON);
// Verwijder bestaande (default) error listeners en voeg de eigen error listener toe.
parser.removeErrorListeners();
final BRPExpressietaalErrorListener errorListener = new BRPExpressietaalErrorListener();
parser.addErrorListener(errorListener);
// Maak de parse tree. Hier gebeurt het feitelijke parsing.
final BRPExpressietaalParser.Brp_expressieContext tree = parser.brp_expressie();
List<ParserFout> fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
// Maak een visitor voor parsing.
final BRPExpressieVisitor visitor = new BRPExpressieVisitor(initialContext, errorListener);
// De visitor zet een parse tree om in een Expressie. Tenzij er een fout optreedt.
final Expressie expressie = visitor.visit(tree);
fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
result = new ParserResultaat(expressie);
}
}
return result;
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie. Bij succes is de overeenkomstige expressie te vinden in het ParserResultaat; anders
* zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString) {
return parse(expressieString, new Context());
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param context Gedefinieerde symbolische namen met hun waarden.
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Context context) {
Expressie result = expressie.evalueer(context);
if (result == null) {
result = NullValue.getInstance();
}
return result;
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Persoon persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final PersoonHisVolledig persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final Persoon persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final PersoonHisVolledig persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
}
|
204598_9 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.parser;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieTaalConstanten;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.NullValue;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalLexer;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalParser;
import nl.bzk.brp.model.hisvolledig.kern.PersoonHisVolledig;
import nl.bzk.brp.model.logisch.kern.Persoon;
import org.antlr.v4.runtime.ANTLRInputStream;
import org.antlr.v4.runtime.CharStream;
import org.antlr.v4.runtime.CommonTokenStream;
import org.antlr.v4.runtime.atn.PredictionMode;
/**
* Utility class voor het parsen en evalueren van BRP-expressies.
*/
public final class BRPExpressies {
/**
* Private constructor voor utility class.
*/
private BRPExpressies() {
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie, gegeven een aantal gedefinieerde identifiers. Bij succes is de overeenkomstige
* expressie te vinden in het ParserResultaat; anders zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @param context Gedefinieerde identifiers.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString, final Context context) {
final ParserResultaat result;
// TEAMBRP-2535 de expressie syntax kan niet goed omgaan met een string waarachter ongedefinieerde velden staan.
// Door haakjes toe te voegen zal dan een fout gesignaleerd worden, aangezien de content dan niet meer precies
// gematched kan worden.
final String expressieStringMetHaakjes = String.format("(%s)", expressieString);
// Parsing gebeurt met een door ANTLR gegenereerde visitor. Om die te kunnen gebruiken, moet een treintje
// opgetuigd worden (String->CharStream->Lexer->TokenStream).
final CharStream cs = new ANTLRInputStream(expressieStringMetHaakjes);
final BRPExpressietaalLexer lexer = new BRPExpressietaalLexer(cs);
final CommonTokenStream tokens = new CommonTokenStream(lexer);
final BRPExpressietaalParser parser = new BRPExpressietaalParser(tokens);
parser.getInterpreter().setPredictionMode(PredictionMode.LL_EXACT_AMBIG_DETECTION);
Context initialContext;
if (context != null) {
initialContext = new Context(context);
} else {
initialContext = new Context();
}
// Declareer het standaard object 'persoon'.
initialContext.declareer(ExpressieTaalConstanten.DEFAULT_OBJECT, ExpressieType.PERSOON);
// Verwijder bestaande (default) error listeners en voeg de eigen error listener toe.
parser.removeErrorListeners();
final BRPExpressietaalErrorListener errorListener = new BRPExpressietaalErrorListener();
parser.addErrorListener(errorListener);
// Maak de parse tree. Hier gebeurt het feitelijke parsing.
final BRPExpressietaalParser.Brp_expressieContext tree = parser.brp_expressie();
List<ParserFout> fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
// Maak een visitor voor parsing.
final BRPExpressieVisitor visitor = new BRPExpressieVisitor(initialContext, errorListener);
// De visitor zet een parse tree om in een Expressie. Tenzij er een fout optreedt.
final Expressie expressie = visitor.visit(tree);
fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
result = new ParserResultaat(expressie);
}
}
return result;
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie. Bij succes is de overeenkomstige expressie te vinden in het ParserResultaat; anders
* zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString) {
return parse(expressieString, new Context());
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param context Gedefinieerde symbolische namen met hun waarden.
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Context context) {
Expressie result = expressie.evalueer(context);
if (result == null) {
result = NullValue.getInstance();
}
return result;
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Persoon persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final PersoonHisVolledig persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final Persoon persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final PersoonHisVolledig persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
}
| MinBZK/OperatieBRP | 2016/brp 2016-02-09/algemeen/algemeen-model/expressietaal/src/main/java/nl/bzk/brp/expressietaal/parser/BRPExpressies.java | 2,283 | // Declareer het standaard object 'persoon'. | line_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.parser;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieTaalConstanten;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.NullValue;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalLexer;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalParser;
import nl.bzk.brp.model.hisvolledig.kern.PersoonHisVolledig;
import nl.bzk.brp.model.logisch.kern.Persoon;
import org.antlr.v4.runtime.ANTLRInputStream;
import org.antlr.v4.runtime.CharStream;
import org.antlr.v4.runtime.CommonTokenStream;
import org.antlr.v4.runtime.atn.PredictionMode;
/**
* Utility class voor het parsen en evalueren van BRP-expressies.
*/
public final class BRPExpressies {
/**
* Private constructor voor utility class.
*/
private BRPExpressies() {
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie, gegeven een aantal gedefinieerde identifiers. Bij succes is de overeenkomstige
* expressie te vinden in het ParserResultaat; anders zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @param context Gedefinieerde identifiers.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString, final Context context) {
final ParserResultaat result;
// TEAMBRP-2535 de expressie syntax kan niet goed omgaan met een string waarachter ongedefinieerde velden staan.
// Door haakjes toe te voegen zal dan een fout gesignaleerd worden, aangezien de content dan niet meer precies
// gematched kan worden.
final String expressieStringMetHaakjes = String.format("(%s)", expressieString);
// Parsing gebeurt met een door ANTLR gegenereerde visitor. Om die te kunnen gebruiken, moet een treintje
// opgetuigd worden (String->CharStream->Lexer->TokenStream).
final CharStream cs = new ANTLRInputStream(expressieStringMetHaakjes);
final BRPExpressietaalLexer lexer = new BRPExpressietaalLexer(cs);
final CommonTokenStream tokens = new CommonTokenStream(lexer);
final BRPExpressietaalParser parser = new BRPExpressietaalParser(tokens);
parser.getInterpreter().setPredictionMode(PredictionMode.LL_EXACT_AMBIG_DETECTION);
Context initialContext;
if (context != null) {
initialContext = new Context(context);
} else {
initialContext = new Context();
}
// Declareer het<SUF>
initialContext.declareer(ExpressieTaalConstanten.DEFAULT_OBJECT, ExpressieType.PERSOON);
// Verwijder bestaande (default) error listeners en voeg de eigen error listener toe.
parser.removeErrorListeners();
final BRPExpressietaalErrorListener errorListener = new BRPExpressietaalErrorListener();
parser.addErrorListener(errorListener);
// Maak de parse tree. Hier gebeurt het feitelijke parsing.
final BRPExpressietaalParser.Brp_expressieContext tree = parser.brp_expressie();
List<ParserFout> fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
// Maak een visitor voor parsing.
final BRPExpressieVisitor visitor = new BRPExpressieVisitor(initialContext, errorListener);
// De visitor zet een parse tree om in een Expressie. Tenzij er een fout optreedt.
final Expressie expressie = visitor.visit(tree);
fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
result = new ParserResultaat(expressie);
}
}
return result;
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie. Bij succes is de overeenkomstige expressie te vinden in het ParserResultaat; anders
* zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString) {
return parse(expressieString, new Context());
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param context Gedefinieerde symbolische namen met hun waarden.
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Context context) {
Expressie result = expressie.evalueer(context);
if (result == null) {
result = NullValue.getInstance();
}
return result;
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Persoon persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final PersoonHisVolledig persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final Persoon persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final PersoonHisVolledig persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
}
|
204598_10 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.parser;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieTaalConstanten;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.NullValue;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalLexer;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalParser;
import nl.bzk.brp.model.hisvolledig.kern.PersoonHisVolledig;
import nl.bzk.brp.model.logisch.kern.Persoon;
import org.antlr.v4.runtime.ANTLRInputStream;
import org.antlr.v4.runtime.CharStream;
import org.antlr.v4.runtime.CommonTokenStream;
import org.antlr.v4.runtime.atn.PredictionMode;
/**
* Utility class voor het parsen en evalueren van BRP-expressies.
*/
public final class BRPExpressies {
/**
* Private constructor voor utility class.
*/
private BRPExpressies() {
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie, gegeven een aantal gedefinieerde identifiers. Bij succes is de overeenkomstige
* expressie te vinden in het ParserResultaat; anders zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @param context Gedefinieerde identifiers.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString, final Context context) {
final ParserResultaat result;
// TEAMBRP-2535 de expressie syntax kan niet goed omgaan met een string waarachter ongedefinieerde velden staan.
// Door haakjes toe te voegen zal dan een fout gesignaleerd worden, aangezien de content dan niet meer precies
// gematched kan worden.
final String expressieStringMetHaakjes = String.format("(%s)", expressieString);
// Parsing gebeurt met een door ANTLR gegenereerde visitor. Om die te kunnen gebruiken, moet een treintje
// opgetuigd worden (String->CharStream->Lexer->TokenStream).
final CharStream cs = new ANTLRInputStream(expressieStringMetHaakjes);
final BRPExpressietaalLexer lexer = new BRPExpressietaalLexer(cs);
final CommonTokenStream tokens = new CommonTokenStream(lexer);
final BRPExpressietaalParser parser = new BRPExpressietaalParser(tokens);
parser.getInterpreter().setPredictionMode(PredictionMode.LL_EXACT_AMBIG_DETECTION);
Context initialContext;
if (context != null) {
initialContext = new Context(context);
} else {
initialContext = new Context();
}
// Declareer het standaard object 'persoon'.
initialContext.declareer(ExpressieTaalConstanten.DEFAULT_OBJECT, ExpressieType.PERSOON);
// Verwijder bestaande (default) error listeners en voeg de eigen error listener toe.
parser.removeErrorListeners();
final BRPExpressietaalErrorListener errorListener = new BRPExpressietaalErrorListener();
parser.addErrorListener(errorListener);
// Maak de parse tree. Hier gebeurt het feitelijke parsing.
final BRPExpressietaalParser.Brp_expressieContext tree = parser.brp_expressie();
List<ParserFout> fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
// Maak een visitor voor parsing.
final BRPExpressieVisitor visitor = new BRPExpressieVisitor(initialContext, errorListener);
// De visitor zet een parse tree om in een Expressie. Tenzij er een fout optreedt.
final Expressie expressie = visitor.visit(tree);
fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
result = new ParserResultaat(expressie);
}
}
return result;
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie. Bij succes is de overeenkomstige expressie te vinden in het ParserResultaat; anders
* zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString) {
return parse(expressieString, new Context());
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param context Gedefinieerde symbolische namen met hun waarden.
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Context context) {
Expressie result = expressie.evalueer(context);
if (result == null) {
result = NullValue.getInstance();
}
return result;
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Persoon persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final PersoonHisVolledig persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final Persoon persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final PersoonHisVolledig persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
}
| MinBZK/OperatieBRP | 2016/brp 2016-02-09/algemeen/algemeen-model/expressietaal/src/main/java/nl/bzk/brp/expressietaal/parser/BRPExpressies.java | 2,283 | // Verwijder bestaande (default) error listeners en voeg de eigen error listener toe. | line_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.parser;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieTaalConstanten;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.NullValue;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalLexer;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalParser;
import nl.bzk.brp.model.hisvolledig.kern.PersoonHisVolledig;
import nl.bzk.brp.model.logisch.kern.Persoon;
import org.antlr.v4.runtime.ANTLRInputStream;
import org.antlr.v4.runtime.CharStream;
import org.antlr.v4.runtime.CommonTokenStream;
import org.antlr.v4.runtime.atn.PredictionMode;
/**
* Utility class voor het parsen en evalueren van BRP-expressies.
*/
public final class BRPExpressies {
/**
* Private constructor voor utility class.
*/
private BRPExpressies() {
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie, gegeven een aantal gedefinieerde identifiers. Bij succes is de overeenkomstige
* expressie te vinden in het ParserResultaat; anders zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @param context Gedefinieerde identifiers.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString, final Context context) {
final ParserResultaat result;
// TEAMBRP-2535 de expressie syntax kan niet goed omgaan met een string waarachter ongedefinieerde velden staan.
// Door haakjes toe te voegen zal dan een fout gesignaleerd worden, aangezien de content dan niet meer precies
// gematched kan worden.
final String expressieStringMetHaakjes = String.format("(%s)", expressieString);
// Parsing gebeurt met een door ANTLR gegenereerde visitor. Om die te kunnen gebruiken, moet een treintje
// opgetuigd worden (String->CharStream->Lexer->TokenStream).
final CharStream cs = new ANTLRInputStream(expressieStringMetHaakjes);
final BRPExpressietaalLexer lexer = new BRPExpressietaalLexer(cs);
final CommonTokenStream tokens = new CommonTokenStream(lexer);
final BRPExpressietaalParser parser = new BRPExpressietaalParser(tokens);
parser.getInterpreter().setPredictionMode(PredictionMode.LL_EXACT_AMBIG_DETECTION);
Context initialContext;
if (context != null) {
initialContext = new Context(context);
} else {
initialContext = new Context();
}
// Declareer het standaard object 'persoon'.
initialContext.declareer(ExpressieTaalConstanten.DEFAULT_OBJECT, ExpressieType.PERSOON);
// Verwijder bestaande<SUF>
parser.removeErrorListeners();
final BRPExpressietaalErrorListener errorListener = new BRPExpressietaalErrorListener();
parser.addErrorListener(errorListener);
// Maak de parse tree. Hier gebeurt het feitelijke parsing.
final BRPExpressietaalParser.Brp_expressieContext tree = parser.brp_expressie();
List<ParserFout> fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
// Maak een visitor voor parsing.
final BRPExpressieVisitor visitor = new BRPExpressieVisitor(initialContext, errorListener);
// De visitor zet een parse tree om in een Expressie. Tenzij er een fout optreedt.
final Expressie expressie = visitor.visit(tree);
fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
result = new ParserResultaat(expressie);
}
}
return result;
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie. Bij succes is de overeenkomstige expressie te vinden in het ParserResultaat; anders
* zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString) {
return parse(expressieString, new Context());
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param context Gedefinieerde symbolische namen met hun waarden.
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Context context) {
Expressie result = expressie.evalueer(context);
if (result == null) {
result = NullValue.getInstance();
}
return result;
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Persoon persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final PersoonHisVolledig persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final Persoon persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final PersoonHisVolledig persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
}
|
204598_11 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.parser;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieTaalConstanten;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.NullValue;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalLexer;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalParser;
import nl.bzk.brp.model.hisvolledig.kern.PersoonHisVolledig;
import nl.bzk.brp.model.logisch.kern.Persoon;
import org.antlr.v4.runtime.ANTLRInputStream;
import org.antlr.v4.runtime.CharStream;
import org.antlr.v4.runtime.CommonTokenStream;
import org.antlr.v4.runtime.atn.PredictionMode;
/**
* Utility class voor het parsen en evalueren van BRP-expressies.
*/
public final class BRPExpressies {
/**
* Private constructor voor utility class.
*/
private BRPExpressies() {
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie, gegeven een aantal gedefinieerde identifiers. Bij succes is de overeenkomstige
* expressie te vinden in het ParserResultaat; anders zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @param context Gedefinieerde identifiers.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString, final Context context) {
final ParserResultaat result;
// TEAMBRP-2535 de expressie syntax kan niet goed omgaan met een string waarachter ongedefinieerde velden staan.
// Door haakjes toe te voegen zal dan een fout gesignaleerd worden, aangezien de content dan niet meer precies
// gematched kan worden.
final String expressieStringMetHaakjes = String.format("(%s)", expressieString);
// Parsing gebeurt met een door ANTLR gegenereerde visitor. Om die te kunnen gebruiken, moet een treintje
// opgetuigd worden (String->CharStream->Lexer->TokenStream).
final CharStream cs = new ANTLRInputStream(expressieStringMetHaakjes);
final BRPExpressietaalLexer lexer = new BRPExpressietaalLexer(cs);
final CommonTokenStream tokens = new CommonTokenStream(lexer);
final BRPExpressietaalParser parser = new BRPExpressietaalParser(tokens);
parser.getInterpreter().setPredictionMode(PredictionMode.LL_EXACT_AMBIG_DETECTION);
Context initialContext;
if (context != null) {
initialContext = new Context(context);
} else {
initialContext = new Context();
}
// Declareer het standaard object 'persoon'.
initialContext.declareer(ExpressieTaalConstanten.DEFAULT_OBJECT, ExpressieType.PERSOON);
// Verwijder bestaande (default) error listeners en voeg de eigen error listener toe.
parser.removeErrorListeners();
final BRPExpressietaalErrorListener errorListener = new BRPExpressietaalErrorListener();
parser.addErrorListener(errorListener);
// Maak de parse tree. Hier gebeurt het feitelijke parsing.
final BRPExpressietaalParser.Brp_expressieContext tree = parser.brp_expressie();
List<ParserFout> fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
// Maak een visitor voor parsing.
final BRPExpressieVisitor visitor = new BRPExpressieVisitor(initialContext, errorListener);
// De visitor zet een parse tree om in een Expressie. Tenzij er een fout optreedt.
final Expressie expressie = visitor.visit(tree);
fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
result = new ParserResultaat(expressie);
}
}
return result;
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie. Bij succes is de overeenkomstige expressie te vinden in het ParserResultaat; anders
* zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString) {
return parse(expressieString, new Context());
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param context Gedefinieerde symbolische namen met hun waarden.
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Context context) {
Expressie result = expressie.evalueer(context);
if (result == null) {
result = NullValue.getInstance();
}
return result;
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Persoon persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final PersoonHisVolledig persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final Persoon persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final PersoonHisVolledig persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
}
| MinBZK/OperatieBRP | 2016/brp 2016-02-09/algemeen/algemeen-model/expressietaal/src/main/java/nl/bzk/brp/expressietaal/parser/BRPExpressies.java | 2,283 | // Maak de parse tree. Hier gebeurt het feitelijke parsing. | line_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.parser;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieTaalConstanten;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.NullValue;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalLexer;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalParser;
import nl.bzk.brp.model.hisvolledig.kern.PersoonHisVolledig;
import nl.bzk.brp.model.logisch.kern.Persoon;
import org.antlr.v4.runtime.ANTLRInputStream;
import org.antlr.v4.runtime.CharStream;
import org.antlr.v4.runtime.CommonTokenStream;
import org.antlr.v4.runtime.atn.PredictionMode;
/**
* Utility class voor het parsen en evalueren van BRP-expressies.
*/
public final class BRPExpressies {
/**
* Private constructor voor utility class.
*/
private BRPExpressies() {
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie, gegeven een aantal gedefinieerde identifiers. Bij succes is de overeenkomstige
* expressie te vinden in het ParserResultaat; anders zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @param context Gedefinieerde identifiers.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString, final Context context) {
final ParserResultaat result;
// TEAMBRP-2535 de expressie syntax kan niet goed omgaan met een string waarachter ongedefinieerde velden staan.
// Door haakjes toe te voegen zal dan een fout gesignaleerd worden, aangezien de content dan niet meer precies
// gematched kan worden.
final String expressieStringMetHaakjes = String.format("(%s)", expressieString);
// Parsing gebeurt met een door ANTLR gegenereerde visitor. Om die te kunnen gebruiken, moet een treintje
// opgetuigd worden (String->CharStream->Lexer->TokenStream).
final CharStream cs = new ANTLRInputStream(expressieStringMetHaakjes);
final BRPExpressietaalLexer lexer = new BRPExpressietaalLexer(cs);
final CommonTokenStream tokens = new CommonTokenStream(lexer);
final BRPExpressietaalParser parser = new BRPExpressietaalParser(tokens);
parser.getInterpreter().setPredictionMode(PredictionMode.LL_EXACT_AMBIG_DETECTION);
Context initialContext;
if (context != null) {
initialContext = new Context(context);
} else {
initialContext = new Context();
}
// Declareer het standaard object 'persoon'.
initialContext.declareer(ExpressieTaalConstanten.DEFAULT_OBJECT, ExpressieType.PERSOON);
// Verwijder bestaande (default) error listeners en voeg de eigen error listener toe.
parser.removeErrorListeners();
final BRPExpressietaalErrorListener errorListener = new BRPExpressietaalErrorListener();
parser.addErrorListener(errorListener);
// Maak de<SUF>
final BRPExpressietaalParser.Brp_expressieContext tree = parser.brp_expressie();
List<ParserFout> fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
// Maak een visitor voor parsing.
final BRPExpressieVisitor visitor = new BRPExpressieVisitor(initialContext, errorListener);
// De visitor zet een parse tree om in een Expressie. Tenzij er een fout optreedt.
final Expressie expressie = visitor.visit(tree);
fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
result = new ParserResultaat(expressie);
}
}
return result;
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie. Bij succes is de overeenkomstige expressie te vinden in het ParserResultaat; anders
* zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString) {
return parse(expressieString, new Context());
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param context Gedefinieerde symbolische namen met hun waarden.
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Context context) {
Expressie result = expressie.evalueer(context);
if (result == null) {
result = NullValue.getInstance();
}
return result;
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Persoon persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final PersoonHisVolledig persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final Persoon persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final PersoonHisVolledig persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
}
|
204598_12 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.parser;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieTaalConstanten;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.NullValue;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalLexer;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalParser;
import nl.bzk.brp.model.hisvolledig.kern.PersoonHisVolledig;
import nl.bzk.brp.model.logisch.kern.Persoon;
import org.antlr.v4.runtime.ANTLRInputStream;
import org.antlr.v4.runtime.CharStream;
import org.antlr.v4.runtime.CommonTokenStream;
import org.antlr.v4.runtime.atn.PredictionMode;
/**
* Utility class voor het parsen en evalueren van BRP-expressies.
*/
public final class BRPExpressies {
/**
* Private constructor voor utility class.
*/
private BRPExpressies() {
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie, gegeven een aantal gedefinieerde identifiers. Bij succes is de overeenkomstige
* expressie te vinden in het ParserResultaat; anders zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @param context Gedefinieerde identifiers.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString, final Context context) {
final ParserResultaat result;
// TEAMBRP-2535 de expressie syntax kan niet goed omgaan met een string waarachter ongedefinieerde velden staan.
// Door haakjes toe te voegen zal dan een fout gesignaleerd worden, aangezien de content dan niet meer precies
// gematched kan worden.
final String expressieStringMetHaakjes = String.format("(%s)", expressieString);
// Parsing gebeurt met een door ANTLR gegenereerde visitor. Om die te kunnen gebruiken, moet een treintje
// opgetuigd worden (String->CharStream->Lexer->TokenStream).
final CharStream cs = new ANTLRInputStream(expressieStringMetHaakjes);
final BRPExpressietaalLexer lexer = new BRPExpressietaalLexer(cs);
final CommonTokenStream tokens = new CommonTokenStream(lexer);
final BRPExpressietaalParser parser = new BRPExpressietaalParser(tokens);
parser.getInterpreter().setPredictionMode(PredictionMode.LL_EXACT_AMBIG_DETECTION);
Context initialContext;
if (context != null) {
initialContext = new Context(context);
} else {
initialContext = new Context();
}
// Declareer het standaard object 'persoon'.
initialContext.declareer(ExpressieTaalConstanten.DEFAULT_OBJECT, ExpressieType.PERSOON);
// Verwijder bestaande (default) error listeners en voeg de eigen error listener toe.
parser.removeErrorListeners();
final BRPExpressietaalErrorListener errorListener = new BRPExpressietaalErrorListener();
parser.addErrorListener(errorListener);
// Maak de parse tree. Hier gebeurt het feitelijke parsing.
final BRPExpressietaalParser.Brp_expressieContext tree = parser.brp_expressie();
List<ParserFout> fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
// Maak een visitor voor parsing.
final BRPExpressieVisitor visitor = new BRPExpressieVisitor(initialContext, errorListener);
// De visitor zet een parse tree om in een Expressie. Tenzij er een fout optreedt.
final Expressie expressie = visitor.visit(tree);
fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
result = new ParserResultaat(expressie);
}
}
return result;
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie. Bij succes is de overeenkomstige expressie te vinden in het ParserResultaat; anders
* zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString) {
return parse(expressieString, new Context());
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param context Gedefinieerde symbolische namen met hun waarden.
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Context context) {
Expressie result = expressie.evalueer(context);
if (result == null) {
result = NullValue.getInstance();
}
return result;
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Persoon persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final PersoonHisVolledig persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final Persoon persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final PersoonHisVolledig persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
}
| MinBZK/OperatieBRP | 2016/brp 2016-02-09/algemeen/algemeen-model/expressietaal/src/main/java/nl/bzk/brp/expressietaal/parser/BRPExpressies.java | 2,283 | // Maak een visitor voor parsing. | line_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.parser;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieTaalConstanten;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.NullValue;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalLexer;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalParser;
import nl.bzk.brp.model.hisvolledig.kern.PersoonHisVolledig;
import nl.bzk.brp.model.logisch.kern.Persoon;
import org.antlr.v4.runtime.ANTLRInputStream;
import org.antlr.v4.runtime.CharStream;
import org.antlr.v4.runtime.CommonTokenStream;
import org.antlr.v4.runtime.atn.PredictionMode;
/**
* Utility class voor het parsen en evalueren van BRP-expressies.
*/
public final class BRPExpressies {
/**
* Private constructor voor utility class.
*/
private BRPExpressies() {
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie, gegeven een aantal gedefinieerde identifiers. Bij succes is de overeenkomstige
* expressie te vinden in het ParserResultaat; anders zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @param context Gedefinieerde identifiers.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString, final Context context) {
final ParserResultaat result;
// TEAMBRP-2535 de expressie syntax kan niet goed omgaan met een string waarachter ongedefinieerde velden staan.
// Door haakjes toe te voegen zal dan een fout gesignaleerd worden, aangezien de content dan niet meer precies
// gematched kan worden.
final String expressieStringMetHaakjes = String.format("(%s)", expressieString);
// Parsing gebeurt met een door ANTLR gegenereerde visitor. Om die te kunnen gebruiken, moet een treintje
// opgetuigd worden (String->CharStream->Lexer->TokenStream).
final CharStream cs = new ANTLRInputStream(expressieStringMetHaakjes);
final BRPExpressietaalLexer lexer = new BRPExpressietaalLexer(cs);
final CommonTokenStream tokens = new CommonTokenStream(lexer);
final BRPExpressietaalParser parser = new BRPExpressietaalParser(tokens);
parser.getInterpreter().setPredictionMode(PredictionMode.LL_EXACT_AMBIG_DETECTION);
Context initialContext;
if (context != null) {
initialContext = new Context(context);
} else {
initialContext = new Context();
}
// Declareer het standaard object 'persoon'.
initialContext.declareer(ExpressieTaalConstanten.DEFAULT_OBJECT, ExpressieType.PERSOON);
// Verwijder bestaande (default) error listeners en voeg de eigen error listener toe.
parser.removeErrorListeners();
final BRPExpressietaalErrorListener errorListener = new BRPExpressietaalErrorListener();
parser.addErrorListener(errorListener);
// Maak de parse tree. Hier gebeurt het feitelijke parsing.
final BRPExpressietaalParser.Brp_expressieContext tree = parser.brp_expressie();
List<ParserFout> fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
// Maak een<SUF>
final BRPExpressieVisitor visitor = new BRPExpressieVisitor(initialContext, errorListener);
// De visitor zet een parse tree om in een Expressie. Tenzij er een fout optreedt.
final Expressie expressie = visitor.visit(tree);
fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
result = new ParserResultaat(expressie);
}
}
return result;
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie. Bij succes is de overeenkomstige expressie te vinden in het ParserResultaat; anders
* zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString) {
return parse(expressieString, new Context());
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param context Gedefinieerde symbolische namen met hun waarden.
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Context context) {
Expressie result = expressie.evalueer(context);
if (result == null) {
result = NullValue.getInstance();
}
return result;
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Persoon persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final PersoonHisVolledig persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final Persoon persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final PersoonHisVolledig persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
}
|
204598_13 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.parser;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieTaalConstanten;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.NullValue;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalLexer;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalParser;
import nl.bzk.brp.model.hisvolledig.kern.PersoonHisVolledig;
import nl.bzk.brp.model.logisch.kern.Persoon;
import org.antlr.v4.runtime.ANTLRInputStream;
import org.antlr.v4.runtime.CharStream;
import org.antlr.v4.runtime.CommonTokenStream;
import org.antlr.v4.runtime.atn.PredictionMode;
/**
* Utility class voor het parsen en evalueren van BRP-expressies.
*/
public final class BRPExpressies {
/**
* Private constructor voor utility class.
*/
private BRPExpressies() {
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie, gegeven een aantal gedefinieerde identifiers. Bij succes is de overeenkomstige
* expressie te vinden in het ParserResultaat; anders zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @param context Gedefinieerde identifiers.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString, final Context context) {
final ParserResultaat result;
// TEAMBRP-2535 de expressie syntax kan niet goed omgaan met een string waarachter ongedefinieerde velden staan.
// Door haakjes toe te voegen zal dan een fout gesignaleerd worden, aangezien de content dan niet meer precies
// gematched kan worden.
final String expressieStringMetHaakjes = String.format("(%s)", expressieString);
// Parsing gebeurt met een door ANTLR gegenereerde visitor. Om die te kunnen gebruiken, moet een treintje
// opgetuigd worden (String->CharStream->Lexer->TokenStream).
final CharStream cs = new ANTLRInputStream(expressieStringMetHaakjes);
final BRPExpressietaalLexer lexer = new BRPExpressietaalLexer(cs);
final CommonTokenStream tokens = new CommonTokenStream(lexer);
final BRPExpressietaalParser parser = new BRPExpressietaalParser(tokens);
parser.getInterpreter().setPredictionMode(PredictionMode.LL_EXACT_AMBIG_DETECTION);
Context initialContext;
if (context != null) {
initialContext = new Context(context);
} else {
initialContext = new Context();
}
// Declareer het standaard object 'persoon'.
initialContext.declareer(ExpressieTaalConstanten.DEFAULT_OBJECT, ExpressieType.PERSOON);
// Verwijder bestaande (default) error listeners en voeg de eigen error listener toe.
parser.removeErrorListeners();
final BRPExpressietaalErrorListener errorListener = new BRPExpressietaalErrorListener();
parser.addErrorListener(errorListener);
// Maak de parse tree. Hier gebeurt het feitelijke parsing.
final BRPExpressietaalParser.Brp_expressieContext tree = parser.brp_expressie();
List<ParserFout> fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
// Maak een visitor voor parsing.
final BRPExpressieVisitor visitor = new BRPExpressieVisitor(initialContext, errorListener);
// De visitor zet een parse tree om in een Expressie. Tenzij er een fout optreedt.
final Expressie expressie = visitor.visit(tree);
fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
result = new ParserResultaat(expressie);
}
}
return result;
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie. Bij succes is de overeenkomstige expressie te vinden in het ParserResultaat; anders
* zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString) {
return parse(expressieString, new Context());
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param context Gedefinieerde symbolische namen met hun waarden.
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Context context) {
Expressie result = expressie.evalueer(context);
if (result == null) {
result = NullValue.getInstance();
}
return result;
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Persoon persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final PersoonHisVolledig persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final Persoon persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final PersoonHisVolledig persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
}
| MinBZK/OperatieBRP | 2016/brp 2016-02-09/algemeen/algemeen-model/expressietaal/src/main/java/nl/bzk/brp/expressietaal/parser/BRPExpressies.java | 2,283 | // De visitor zet een parse tree om in een Expressie. Tenzij er een fout optreedt. | line_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.parser;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieTaalConstanten;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.NullValue;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalLexer;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalParser;
import nl.bzk.brp.model.hisvolledig.kern.PersoonHisVolledig;
import nl.bzk.brp.model.logisch.kern.Persoon;
import org.antlr.v4.runtime.ANTLRInputStream;
import org.antlr.v4.runtime.CharStream;
import org.antlr.v4.runtime.CommonTokenStream;
import org.antlr.v4.runtime.atn.PredictionMode;
/**
* Utility class voor het parsen en evalueren van BRP-expressies.
*/
public final class BRPExpressies {
/**
* Private constructor voor utility class.
*/
private BRPExpressies() {
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie, gegeven een aantal gedefinieerde identifiers. Bij succes is de overeenkomstige
* expressie te vinden in het ParserResultaat; anders zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @param context Gedefinieerde identifiers.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString, final Context context) {
final ParserResultaat result;
// TEAMBRP-2535 de expressie syntax kan niet goed omgaan met een string waarachter ongedefinieerde velden staan.
// Door haakjes toe te voegen zal dan een fout gesignaleerd worden, aangezien de content dan niet meer precies
// gematched kan worden.
final String expressieStringMetHaakjes = String.format("(%s)", expressieString);
// Parsing gebeurt met een door ANTLR gegenereerde visitor. Om die te kunnen gebruiken, moet een treintje
// opgetuigd worden (String->CharStream->Lexer->TokenStream).
final CharStream cs = new ANTLRInputStream(expressieStringMetHaakjes);
final BRPExpressietaalLexer lexer = new BRPExpressietaalLexer(cs);
final CommonTokenStream tokens = new CommonTokenStream(lexer);
final BRPExpressietaalParser parser = new BRPExpressietaalParser(tokens);
parser.getInterpreter().setPredictionMode(PredictionMode.LL_EXACT_AMBIG_DETECTION);
Context initialContext;
if (context != null) {
initialContext = new Context(context);
} else {
initialContext = new Context();
}
// Declareer het standaard object 'persoon'.
initialContext.declareer(ExpressieTaalConstanten.DEFAULT_OBJECT, ExpressieType.PERSOON);
// Verwijder bestaande (default) error listeners en voeg de eigen error listener toe.
parser.removeErrorListeners();
final BRPExpressietaalErrorListener errorListener = new BRPExpressietaalErrorListener();
parser.addErrorListener(errorListener);
// Maak de parse tree. Hier gebeurt het feitelijke parsing.
final BRPExpressietaalParser.Brp_expressieContext tree = parser.brp_expressie();
List<ParserFout> fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
// Maak een visitor voor parsing.
final BRPExpressieVisitor visitor = new BRPExpressieVisitor(initialContext, errorListener);
// De visitor<SUF>
final Expressie expressie = visitor.visit(tree);
fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
result = new ParserResultaat(expressie);
}
}
return result;
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie. Bij succes is de overeenkomstige expressie te vinden in het ParserResultaat; anders
* zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString) {
return parse(expressieString, new Context());
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param context Gedefinieerde symbolische namen met hun waarden.
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Context context) {
Expressie result = expressie.evalueer(context);
if (result == null) {
result = NullValue.getInstance();
}
return result;
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Persoon persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final PersoonHisVolledig persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final Persoon persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final PersoonHisVolledig persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
}
|
204598_14 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.parser;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieTaalConstanten;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.NullValue;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalLexer;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalParser;
import nl.bzk.brp.model.hisvolledig.kern.PersoonHisVolledig;
import nl.bzk.brp.model.logisch.kern.Persoon;
import org.antlr.v4.runtime.ANTLRInputStream;
import org.antlr.v4.runtime.CharStream;
import org.antlr.v4.runtime.CommonTokenStream;
import org.antlr.v4.runtime.atn.PredictionMode;
/**
* Utility class voor het parsen en evalueren van BRP-expressies.
*/
public final class BRPExpressies {
/**
* Private constructor voor utility class.
*/
private BRPExpressies() {
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie, gegeven een aantal gedefinieerde identifiers. Bij succes is de overeenkomstige
* expressie te vinden in het ParserResultaat; anders zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @param context Gedefinieerde identifiers.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString, final Context context) {
final ParserResultaat result;
// TEAMBRP-2535 de expressie syntax kan niet goed omgaan met een string waarachter ongedefinieerde velden staan.
// Door haakjes toe te voegen zal dan een fout gesignaleerd worden, aangezien de content dan niet meer precies
// gematched kan worden.
final String expressieStringMetHaakjes = String.format("(%s)", expressieString);
// Parsing gebeurt met een door ANTLR gegenereerde visitor. Om die te kunnen gebruiken, moet een treintje
// opgetuigd worden (String->CharStream->Lexer->TokenStream).
final CharStream cs = new ANTLRInputStream(expressieStringMetHaakjes);
final BRPExpressietaalLexer lexer = new BRPExpressietaalLexer(cs);
final CommonTokenStream tokens = new CommonTokenStream(lexer);
final BRPExpressietaalParser parser = new BRPExpressietaalParser(tokens);
parser.getInterpreter().setPredictionMode(PredictionMode.LL_EXACT_AMBIG_DETECTION);
Context initialContext;
if (context != null) {
initialContext = new Context(context);
} else {
initialContext = new Context();
}
// Declareer het standaard object 'persoon'.
initialContext.declareer(ExpressieTaalConstanten.DEFAULT_OBJECT, ExpressieType.PERSOON);
// Verwijder bestaande (default) error listeners en voeg de eigen error listener toe.
parser.removeErrorListeners();
final BRPExpressietaalErrorListener errorListener = new BRPExpressietaalErrorListener();
parser.addErrorListener(errorListener);
// Maak de parse tree. Hier gebeurt het feitelijke parsing.
final BRPExpressietaalParser.Brp_expressieContext tree = parser.brp_expressie();
List<ParserFout> fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
// Maak een visitor voor parsing.
final BRPExpressieVisitor visitor = new BRPExpressieVisitor(initialContext, errorListener);
// De visitor zet een parse tree om in een Expressie. Tenzij er een fout optreedt.
final Expressie expressie = visitor.visit(tree);
fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
result = new ParserResultaat(expressie);
}
}
return result;
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie. Bij succes is de overeenkomstige expressie te vinden in het ParserResultaat; anders
* zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString) {
return parse(expressieString, new Context());
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param context Gedefinieerde symbolische namen met hun waarden.
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Context context) {
Expressie result = expressie.evalueer(context);
if (result == null) {
result = NullValue.getInstance();
}
return result;
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Persoon persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final PersoonHisVolledig persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final Persoon persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final PersoonHisVolledig persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
}
| MinBZK/OperatieBRP | 2016/brp 2016-02-09/algemeen/algemeen-model/expressietaal/src/main/java/nl/bzk/brp/expressietaal/parser/BRPExpressies.java | 2,283 | /**
* Probeert de tekstuele expressie te vertalen naar een expressie. Bij succes is de overeenkomstige expressie te vinden in het ParserResultaat; anders
* zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/ | block_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.parser;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieTaalConstanten;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.NullValue;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalLexer;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalParser;
import nl.bzk.brp.model.hisvolledig.kern.PersoonHisVolledig;
import nl.bzk.brp.model.logisch.kern.Persoon;
import org.antlr.v4.runtime.ANTLRInputStream;
import org.antlr.v4.runtime.CharStream;
import org.antlr.v4.runtime.CommonTokenStream;
import org.antlr.v4.runtime.atn.PredictionMode;
/**
* Utility class voor het parsen en evalueren van BRP-expressies.
*/
public final class BRPExpressies {
/**
* Private constructor voor utility class.
*/
private BRPExpressies() {
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie, gegeven een aantal gedefinieerde identifiers. Bij succes is de overeenkomstige
* expressie te vinden in het ParserResultaat; anders zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @param context Gedefinieerde identifiers.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString, final Context context) {
final ParserResultaat result;
// TEAMBRP-2535 de expressie syntax kan niet goed omgaan met een string waarachter ongedefinieerde velden staan.
// Door haakjes toe te voegen zal dan een fout gesignaleerd worden, aangezien de content dan niet meer precies
// gematched kan worden.
final String expressieStringMetHaakjes = String.format("(%s)", expressieString);
// Parsing gebeurt met een door ANTLR gegenereerde visitor. Om die te kunnen gebruiken, moet een treintje
// opgetuigd worden (String->CharStream->Lexer->TokenStream).
final CharStream cs = new ANTLRInputStream(expressieStringMetHaakjes);
final BRPExpressietaalLexer lexer = new BRPExpressietaalLexer(cs);
final CommonTokenStream tokens = new CommonTokenStream(lexer);
final BRPExpressietaalParser parser = new BRPExpressietaalParser(tokens);
parser.getInterpreter().setPredictionMode(PredictionMode.LL_EXACT_AMBIG_DETECTION);
Context initialContext;
if (context != null) {
initialContext = new Context(context);
} else {
initialContext = new Context();
}
// Declareer het standaard object 'persoon'.
initialContext.declareer(ExpressieTaalConstanten.DEFAULT_OBJECT, ExpressieType.PERSOON);
// Verwijder bestaande (default) error listeners en voeg de eigen error listener toe.
parser.removeErrorListeners();
final BRPExpressietaalErrorListener errorListener = new BRPExpressietaalErrorListener();
parser.addErrorListener(errorListener);
// Maak de parse tree. Hier gebeurt het feitelijke parsing.
final BRPExpressietaalParser.Brp_expressieContext tree = parser.brp_expressie();
List<ParserFout> fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
// Maak een visitor voor parsing.
final BRPExpressieVisitor visitor = new BRPExpressieVisitor(initialContext, errorListener);
// De visitor zet een parse tree om in een Expressie. Tenzij er een fout optreedt.
final Expressie expressie = visitor.visit(tree);
fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
result = new ParserResultaat(expressie);
}
}
return result;
}
/**
* Probeert de tekstuele<SUF>*/
public static ParserResultaat parse(final String expressieString) {
return parse(expressieString, new Context());
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param context Gedefinieerde symbolische namen met hun waarden.
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Context context) {
Expressie result = expressie.evalueer(context);
if (result == null) {
result = NullValue.getInstance();
}
return result;
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Persoon persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final PersoonHisVolledig persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final Persoon persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final PersoonHisVolledig persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
}
|
204598_15 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.parser;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieTaalConstanten;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.NullValue;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalLexer;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalParser;
import nl.bzk.brp.model.hisvolledig.kern.PersoonHisVolledig;
import nl.bzk.brp.model.logisch.kern.Persoon;
import org.antlr.v4.runtime.ANTLRInputStream;
import org.antlr.v4.runtime.CharStream;
import org.antlr.v4.runtime.CommonTokenStream;
import org.antlr.v4.runtime.atn.PredictionMode;
/**
* Utility class voor het parsen en evalueren van BRP-expressies.
*/
public final class BRPExpressies {
/**
* Private constructor voor utility class.
*/
private BRPExpressies() {
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie, gegeven een aantal gedefinieerde identifiers. Bij succes is de overeenkomstige
* expressie te vinden in het ParserResultaat; anders zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @param context Gedefinieerde identifiers.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString, final Context context) {
final ParserResultaat result;
// TEAMBRP-2535 de expressie syntax kan niet goed omgaan met een string waarachter ongedefinieerde velden staan.
// Door haakjes toe te voegen zal dan een fout gesignaleerd worden, aangezien de content dan niet meer precies
// gematched kan worden.
final String expressieStringMetHaakjes = String.format("(%s)", expressieString);
// Parsing gebeurt met een door ANTLR gegenereerde visitor. Om die te kunnen gebruiken, moet een treintje
// opgetuigd worden (String->CharStream->Lexer->TokenStream).
final CharStream cs = new ANTLRInputStream(expressieStringMetHaakjes);
final BRPExpressietaalLexer lexer = new BRPExpressietaalLexer(cs);
final CommonTokenStream tokens = new CommonTokenStream(lexer);
final BRPExpressietaalParser parser = new BRPExpressietaalParser(tokens);
parser.getInterpreter().setPredictionMode(PredictionMode.LL_EXACT_AMBIG_DETECTION);
Context initialContext;
if (context != null) {
initialContext = new Context(context);
} else {
initialContext = new Context();
}
// Declareer het standaard object 'persoon'.
initialContext.declareer(ExpressieTaalConstanten.DEFAULT_OBJECT, ExpressieType.PERSOON);
// Verwijder bestaande (default) error listeners en voeg de eigen error listener toe.
parser.removeErrorListeners();
final BRPExpressietaalErrorListener errorListener = new BRPExpressietaalErrorListener();
parser.addErrorListener(errorListener);
// Maak de parse tree. Hier gebeurt het feitelijke parsing.
final BRPExpressietaalParser.Brp_expressieContext tree = parser.brp_expressie();
List<ParserFout> fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
// Maak een visitor voor parsing.
final BRPExpressieVisitor visitor = new BRPExpressieVisitor(initialContext, errorListener);
// De visitor zet een parse tree om in een Expressie. Tenzij er een fout optreedt.
final Expressie expressie = visitor.visit(tree);
fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
result = new ParserResultaat(expressie);
}
}
return result;
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie. Bij succes is de overeenkomstige expressie te vinden in het ParserResultaat; anders
* zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString) {
return parse(expressieString, new Context());
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param context Gedefinieerde symbolische namen met hun waarden.
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Context context) {
Expressie result = expressie.evalueer(context);
if (result == null) {
result = NullValue.getInstance();
}
return result;
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Persoon persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final PersoonHisVolledig persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final Persoon persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final PersoonHisVolledig persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
}
| MinBZK/OperatieBRP | 2016/brp 2016-02-09/algemeen/algemeen-model/expressietaal/src/main/java/nl/bzk/brp/expressietaal/parser/BRPExpressies.java | 2,283 | /**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param context Gedefinieerde symbolische namen met hun waarden.
* @return Resultaat van de evaluatie.
*/ | block_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.parser;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieTaalConstanten;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.NullValue;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalLexer;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalParser;
import nl.bzk.brp.model.hisvolledig.kern.PersoonHisVolledig;
import nl.bzk.brp.model.logisch.kern.Persoon;
import org.antlr.v4.runtime.ANTLRInputStream;
import org.antlr.v4.runtime.CharStream;
import org.antlr.v4.runtime.CommonTokenStream;
import org.antlr.v4.runtime.atn.PredictionMode;
/**
* Utility class voor het parsen en evalueren van BRP-expressies.
*/
public final class BRPExpressies {
/**
* Private constructor voor utility class.
*/
private BRPExpressies() {
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie, gegeven een aantal gedefinieerde identifiers. Bij succes is de overeenkomstige
* expressie te vinden in het ParserResultaat; anders zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @param context Gedefinieerde identifiers.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString, final Context context) {
final ParserResultaat result;
// TEAMBRP-2535 de expressie syntax kan niet goed omgaan met een string waarachter ongedefinieerde velden staan.
// Door haakjes toe te voegen zal dan een fout gesignaleerd worden, aangezien de content dan niet meer precies
// gematched kan worden.
final String expressieStringMetHaakjes = String.format("(%s)", expressieString);
// Parsing gebeurt met een door ANTLR gegenereerde visitor. Om die te kunnen gebruiken, moet een treintje
// opgetuigd worden (String->CharStream->Lexer->TokenStream).
final CharStream cs = new ANTLRInputStream(expressieStringMetHaakjes);
final BRPExpressietaalLexer lexer = new BRPExpressietaalLexer(cs);
final CommonTokenStream tokens = new CommonTokenStream(lexer);
final BRPExpressietaalParser parser = new BRPExpressietaalParser(tokens);
parser.getInterpreter().setPredictionMode(PredictionMode.LL_EXACT_AMBIG_DETECTION);
Context initialContext;
if (context != null) {
initialContext = new Context(context);
} else {
initialContext = new Context();
}
// Declareer het standaard object 'persoon'.
initialContext.declareer(ExpressieTaalConstanten.DEFAULT_OBJECT, ExpressieType.PERSOON);
// Verwijder bestaande (default) error listeners en voeg de eigen error listener toe.
parser.removeErrorListeners();
final BRPExpressietaalErrorListener errorListener = new BRPExpressietaalErrorListener();
parser.addErrorListener(errorListener);
// Maak de parse tree. Hier gebeurt het feitelijke parsing.
final BRPExpressietaalParser.Brp_expressieContext tree = parser.brp_expressie();
List<ParserFout> fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
// Maak een visitor voor parsing.
final BRPExpressieVisitor visitor = new BRPExpressieVisitor(initialContext, errorListener);
// De visitor zet een parse tree om in een Expressie. Tenzij er een fout optreedt.
final Expressie expressie = visitor.visit(tree);
fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
result = new ParserResultaat(expressie);
}
}
return result;
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie. Bij succes is de overeenkomstige expressie te vinden in het ParserResultaat; anders
* zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString) {
return parse(expressieString, new Context());
}
/**
* Evalueert de expressie<SUF>*/
public static Expressie evalueer(final Expressie expressie, final Context context) {
Expressie result = expressie.evalueer(context);
if (result == null) {
result = NullValue.getInstance();
}
return result;
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Persoon persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final PersoonHisVolledig persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final Persoon persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final PersoonHisVolledig persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
}
|
204598_16 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.parser;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieTaalConstanten;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.NullValue;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalLexer;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalParser;
import nl.bzk.brp.model.hisvolledig.kern.PersoonHisVolledig;
import nl.bzk.brp.model.logisch.kern.Persoon;
import org.antlr.v4.runtime.ANTLRInputStream;
import org.antlr.v4.runtime.CharStream;
import org.antlr.v4.runtime.CommonTokenStream;
import org.antlr.v4.runtime.atn.PredictionMode;
/**
* Utility class voor het parsen en evalueren van BRP-expressies.
*/
public final class BRPExpressies {
/**
* Private constructor voor utility class.
*/
private BRPExpressies() {
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie, gegeven een aantal gedefinieerde identifiers. Bij succes is de overeenkomstige
* expressie te vinden in het ParserResultaat; anders zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @param context Gedefinieerde identifiers.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString, final Context context) {
final ParserResultaat result;
// TEAMBRP-2535 de expressie syntax kan niet goed omgaan met een string waarachter ongedefinieerde velden staan.
// Door haakjes toe te voegen zal dan een fout gesignaleerd worden, aangezien de content dan niet meer precies
// gematched kan worden.
final String expressieStringMetHaakjes = String.format("(%s)", expressieString);
// Parsing gebeurt met een door ANTLR gegenereerde visitor. Om die te kunnen gebruiken, moet een treintje
// opgetuigd worden (String->CharStream->Lexer->TokenStream).
final CharStream cs = new ANTLRInputStream(expressieStringMetHaakjes);
final BRPExpressietaalLexer lexer = new BRPExpressietaalLexer(cs);
final CommonTokenStream tokens = new CommonTokenStream(lexer);
final BRPExpressietaalParser parser = new BRPExpressietaalParser(tokens);
parser.getInterpreter().setPredictionMode(PredictionMode.LL_EXACT_AMBIG_DETECTION);
Context initialContext;
if (context != null) {
initialContext = new Context(context);
} else {
initialContext = new Context();
}
// Declareer het standaard object 'persoon'.
initialContext.declareer(ExpressieTaalConstanten.DEFAULT_OBJECT, ExpressieType.PERSOON);
// Verwijder bestaande (default) error listeners en voeg de eigen error listener toe.
parser.removeErrorListeners();
final BRPExpressietaalErrorListener errorListener = new BRPExpressietaalErrorListener();
parser.addErrorListener(errorListener);
// Maak de parse tree. Hier gebeurt het feitelijke parsing.
final BRPExpressietaalParser.Brp_expressieContext tree = parser.brp_expressie();
List<ParserFout> fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
// Maak een visitor voor parsing.
final BRPExpressieVisitor visitor = new BRPExpressieVisitor(initialContext, errorListener);
// De visitor zet een parse tree om in een Expressie. Tenzij er een fout optreedt.
final Expressie expressie = visitor.visit(tree);
fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
result = new ParserResultaat(expressie);
}
}
return result;
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie. Bij succes is de overeenkomstige expressie te vinden in het ParserResultaat; anders
* zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString) {
return parse(expressieString, new Context());
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param context Gedefinieerde symbolische namen met hun waarden.
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Context context) {
Expressie result = expressie.evalueer(context);
if (result == null) {
result = NullValue.getInstance();
}
return result;
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Persoon persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final PersoonHisVolledig persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final Persoon persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final PersoonHisVolledig persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
}
| MinBZK/OperatieBRP | 2016/brp 2016-02-09/algemeen/algemeen-model/expressietaal/src/main/java/nl/bzk/brp/expressietaal/parser/BRPExpressies.java | 2,283 | /**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/ | block_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.parser;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieTaalConstanten;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.NullValue;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalLexer;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalParser;
import nl.bzk.brp.model.hisvolledig.kern.PersoonHisVolledig;
import nl.bzk.brp.model.logisch.kern.Persoon;
import org.antlr.v4.runtime.ANTLRInputStream;
import org.antlr.v4.runtime.CharStream;
import org.antlr.v4.runtime.CommonTokenStream;
import org.antlr.v4.runtime.atn.PredictionMode;
/**
* Utility class voor het parsen en evalueren van BRP-expressies.
*/
public final class BRPExpressies {
/**
* Private constructor voor utility class.
*/
private BRPExpressies() {
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie, gegeven een aantal gedefinieerde identifiers. Bij succes is de overeenkomstige
* expressie te vinden in het ParserResultaat; anders zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @param context Gedefinieerde identifiers.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString, final Context context) {
final ParserResultaat result;
// TEAMBRP-2535 de expressie syntax kan niet goed omgaan met een string waarachter ongedefinieerde velden staan.
// Door haakjes toe te voegen zal dan een fout gesignaleerd worden, aangezien de content dan niet meer precies
// gematched kan worden.
final String expressieStringMetHaakjes = String.format("(%s)", expressieString);
// Parsing gebeurt met een door ANTLR gegenereerde visitor. Om die te kunnen gebruiken, moet een treintje
// opgetuigd worden (String->CharStream->Lexer->TokenStream).
final CharStream cs = new ANTLRInputStream(expressieStringMetHaakjes);
final BRPExpressietaalLexer lexer = new BRPExpressietaalLexer(cs);
final CommonTokenStream tokens = new CommonTokenStream(lexer);
final BRPExpressietaalParser parser = new BRPExpressietaalParser(tokens);
parser.getInterpreter().setPredictionMode(PredictionMode.LL_EXACT_AMBIG_DETECTION);
Context initialContext;
if (context != null) {
initialContext = new Context(context);
} else {
initialContext = new Context();
}
// Declareer het standaard object 'persoon'.
initialContext.declareer(ExpressieTaalConstanten.DEFAULT_OBJECT, ExpressieType.PERSOON);
// Verwijder bestaande (default) error listeners en voeg de eigen error listener toe.
parser.removeErrorListeners();
final BRPExpressietaalErrorListener errorListener = new BRPExpressietaalErrorListener();
parser.addErrorListener(errorListener);
// Maak de parse tree. Hier gebeurt het feitelijke parsing.
final BRPExpressietaalParser.Brp_expressieContext tree = parser.brp_expressie();
List<ParserFout> fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
// Maak een visitor voor parsing.
final BRPExpressieVisitor visitor = new BRPExpressieVisitor(initialContext, errorListener);
// De visitor zet een parse tree om in een Expressie. Tenzij er een fout optreedt.
final Expressie expressie = visitor.visit(tree);
fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
result = new ParserResultaat(expressie);
}
}
return result;
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie. Bij succes is de overeenkomstige expressie te vinden in het ParserResultaat; anders
* zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString) {
return parse(expressieString, new Context());
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param context Gedefinieerde symbolische namen met hun waarden.
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Context context) {
Expressie result = expressie.evalueer(context);
if (result == null) {
result = NullValue.getInstance();
}
return result;
}
/**
* Evalueert de expressie<SUF>*/
public static Expressie evalueer(final Expressie expressie, final Persoon persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final PersoonHisVolledig persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final Persoon persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final PersoonHisVolledig persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
}
|
204598_17 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.parser;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieTaalConstanten;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.NullValue;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalLexer;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalParser;
import nl.bzk.brp.model.hisvolledig.kern.PersoonHisVolledig;
import nl.bzk.brp.model.logisch.kern.Persoon;
import org.antlr.v4.runtime.ANTLRInputStream;
import org.antlr.v4.runtime.CharStream;
import org.antlr.v4.runtime.CommonTokenStream;
import org.antlr.v4.runtime.atn.PredictionMode;
/**
* Utility class voor het parsen en evalueren van BRP-expressies.
*/
public final class BRPExpressies {
/**
* Private constructor voor utility class.
*/
private BRPExpressies() {
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie, gegeven een aantal gedefinieerde identifiers. Bij succes is de overeenkomstige
* expressie te vinden in het ParserResultaat; anders zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @param context Gedefinieerde identifiers.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString, final Context context) {
final ParserResultaat result;
// TEAMBRP-2535 de expressie syntax kan niet goed omgaan met een string waarachter ongedefinieerde velden staan.
// Door haakjes toe te voegen zal dan een fout gesignaleerd worden, aangezien de content dan niet meer precies
// gematched kan worden.
final String expressieStringMetHaakjes = String.format("(%s)", expressieString);
// Parsing gebeurt met een door ANTLR gegenereerde visitor. Om die te kunnen gebruiken, moet een treintje
// opgetuigd worden (String->CharStream->Lexer->TokenStream).
final CharStream cs = new ANTLRInputStream(expressieStringMetHaakjes);
final BRPExpressietaalLexer lexer = new BRPExpressietaalLexer(cs);
final CommonTokenStream tokens = new CommonTokenStream(lexer);
final BRPExpressietaalParser parser = new BRPExpressietaalParser(tokens);
parser.getInterpreter().setPredictionMode(PredictionMode.LL_EXACT_AMBIG_DETECTION);
Context initialContext;
if (context != null) {
initialContext = new Context(context);
} else {
initialContext = new Context();
}
// Declareer het standaard object 'persoon'.
initialContext.declareer(ExpressieTaalConstanten.DEFAULT_OBJECT, ExpressieType.PERSOON);
// Verwijder bestaande (default) error listeners en voeg de eigen error listener toe.
parser.removeErrorListeners();
final BRPExpressietaalErrorListener errorListener = new BRPExpressietaalErrorListener();
parser.addErrorListener(errorListener);
// Maak de parse tree. Hier gebeurt het feitelijke parsing.
final BRPExpressietaalParser.Brp_expressieContext tree = parser.brp_expressie();
List<ParserFout> fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
// Maak een visitor voor parsing.
final BRPExpressieVisitor visitor = new BRPExpressieVisitor(initialContext, errorListener);
// De visitor zet een parse tree om in een Expressie. Tenzij er een fout optreedt.
final Expressie expressie = visitor.visit(tree);
fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
result = new ParserResultaat(expressie);
}
}
return result;
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie. Bij succes is de overeenkomstige expressie te vinden in het ParserResultaat; anders
* zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString) {
return parse(expressieString, new Context());
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param context Gedefinieerde symbolische namen met hun waarden.
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Context context) {
Expressie result = expressie.evalueer(context);
if (result == null) {
result = NullValue.getInstance();
}
return result;
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Persoon persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final PersoonHisVolledig persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final Persoon persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final PersoonHisVolledig persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
}
| MinBZK/OperatieBRP | 2016/brp 2016-02-09/algemeen/algemeen-model/expressietaal/src/main/java/nl/bzk/brp/expressietaal/parser/BRPExpressies.java | 2,283 | /**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/ | block_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.parser;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieTaalConstanten;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.NullValue;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalLexer;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalParser;
import nl.bzk.brp.model.hisvolledig.kern.PersoonHisVolledig;
import nl.bzk.brp.model.logisch.kern.Persoon;
import org.antlr.v4.runtime.ANTLRInputStream;
import org.antlr.v4.runtime.CharStream;
import org.antlr.v4.runtime.CommonTokenStream;
import org.antlr.v4.runtime.atn.PredictionMode;
/**
* Utility class voor het parsen en evalueren van BRP-expressies.
*/
public final class BRPExpressies {
/**
* Private constructor voor utility class.
*/
private BRPExpressies() {
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie, gegeven een aantal gedefinieerde identifiers. Bij succes is de overeenkomstige
* expressie te vinden in het ParserResultaat; anders zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @param context Gedefinieerde identifiers.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString, final Context context) {
final ParserResultaat result;
// TEAMBRP-2535 de expressie syntax kan niet goed omgaan met een string waarachter ongedefinieerde velden staan.
// Door haakjes toe te voegen zal dan een fout gesignaleerd worden, aangezien de content dan niet meer precies
// gematched kan worden.
final String expressieStringMetHaakjes = String.format("(%s)", expressieString);
// Parsing gebeurt met een door ANTLR gegenereerde visitor. Om die te kunnen gebruiken, moet een treintje
// opgetuigd worden (String->CharStream->Lexer->TokenStream).
final CharStream cs = new ANTLRInputStream(expressieStringMetHaakjes);
final BRPExpressietaalLexer lexer = new BRPExpressietaalLexer(cs);
final CommonTokenStream tokens = new CommonTokenStream(lexer);
final BRPExpressietaalParser parser = new BRPExpressietaalParser(tokens);
parser.getInterpreter().setPredictionMode(PredictionMode.LL_EXACT_AMBIG_DETECTION);
Context initialContext;
if (context != null) {
initialContext = new Context(context);
} else {
initialContext = new Context();
}
// Declareer het standaard object 'persoon'.
initialContext.declareer(ExpressieTaalConstanten.DEFAULT_OBJECT, ExpressieType.PERSOON);
// Verwijder bestaande (default) error listeners en voeg de eigen error listener toe.
parser.removeErrorListeners();
final BRPExpressietaalErrorListener errorListener = new BRPExpressietaalErrorListener();
parser.addErrorListener(errorListener);
// Maak de parse tree. Hier gebeurt het feitelijke parsing.
final BRPExpressietaalParser.Brp_expressieContext tree = parser.brp_expressie();
List<ParserFout> fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
// Maak een visitor voor parsing.
final BRPExpressieVisitor visitor = new BRPExpressieVisitor(initialContext, errorListener);
// De visitor zet een parse tree om in een Expressie. Tenzij er een fout optreedt.
final Expressie expressie = visitor.visit(tree);
fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
result = new ParserResultaat(expressie);
}
}
return result;
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie. Bij succes is de overeenkomstige expressie te vinden in het ParserResultaat; anders
* zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString) {
return parse(expressieString, new Context());
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param context Gedefinieerde symbolische namen met hun waarden.
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Context context) {
Expressie result = expressie.evalueer(context);
if (result == null) {
result = NullValue.getInstance();
}
return result;
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Persoon persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Evalueert de expressie<SUF>*/
public static Expressie evalueer(final Expressie expressie, final PersoonHisVolledig persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final Persoon persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final PersoonHisVolledig persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
}
|
204598_18 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.parser;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieTaalConstanten;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.NullValue;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalLexer;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalParser;
import nl.bzk.brp.model.hisvolledig.kern.PersoonHisVolledig;
import nl.bzk.brp.model.logisch.kern.Persoon;
import org.antlr.v4.runtime.ANTLRInputStream;
import org.antlr.v4.runtime.CharStream;
import org.antlr.v4.runtime.CommonTokenStream;
import org.antlr.v4.runtime.atn.PredictionMode;
/**
* Utility class voor het parsen en evalueren van BRP-expressies.
*/
public final class BRPExpressies {
/**
* Private constructor voor utility class.
*/
private BRPExpressies() {
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie, gegeven een aantal gedefinieerde identifiers. Bij succes is de overeenkomstige
* expressie te vinden in het ParserResultaat; anders zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @param context Gedefinieerde identifiers.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString, final Context context) {
final ParserResultaat result;
// TEAMBRP-2535 de expressie syntax kan niet goed omgaan met een string waarachter ongedefinieerde velden staan.
// Door haakjes toe te voegen zal dan een fout gesignaleerd worden, aangezien de content dan niet meer precies
// gematched kan worden.
final String expressieStringMetHaakjes = String.format("(%s)", expressieString);
// Parsing gebeurt met een door ANTLR gegenereerde visitor. Om die te kunnen gebruiken, moet een treintje
// opgetuigd worden (String->CharStream->Lexer->TokenStream).
final CharStream cs = new ANTLRInputStream(expressieStringMetHaakjes);
final BRPExpressietaalLexer lexer = new BRPExpressietaalLexer(cs);
final CommonTokenStream tokens = new CommonTokenStream(lexer);
final BRPExpressietaalParser parser = new BRPExpressietaalParser(tokens);
parser.getInterpreter().setPredictionMode(PredictionMode.LL_EXACT_AMBIG_DETECTION);
Context initialContext;
if (context != null) {
initialContext = new Context(context);
} else {
initialContext = new Context();
}
// Declareer het standaard object 'persoon'.
initialContext.declareer(ExpressieTaalConstanten.DEFAULT_OBJECT, ExpressieType.PERSOON);
// Verwijder bestaande (default) error listeners en voeg de eigen error listener toe.
parser.removeErrorListeners();
final BRPExpressietaalErrorListener errorListener = new BRPExpressietaalErrorListener();
parser.addErrorListener(errorListener);
// Maak de parse tree. Hier gebeurt het feitelijke parsing.
final BRPExpressietaalParser.Brp_expressieContext tree = parser.brp_expressie();
List<ParserFout> fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
// Maak een visitor voor parsing.
final BRPExpressieVisitor visitor = new BRPExpressieVisitor(initialContext, errorListener);
// De visitor zet een parse tree om in een Expressie. Tenzij er een fout optreedt.
final Expressie expressie = visitor.visit(tree);
fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
result = new ParserResultaat(expressie);
}
}
return result;
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie. Bij succes is de overeenkomstige expressie te vinden in het ParserResultaat; anders
* zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString) {
return parse(expressieString, new Context());
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param context Gedefinieerde symbolische namen met hun waarden.
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Context context) {
Expressie result = expressie.evalueer(context);
if (result == null) {
result = NullValue.getInstance();
}
return result;
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Persoon persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final PersoonHisVolledig persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final Persoon persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final PersoonHisVolledig persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
}
| MinBZK/OperatieBRP | 2016/brp 2016-02-09/algemeen/algemeen-model/expressietaal/src/main/java/nl/bzk/brp/expressietaal/parser/BRPExpressies.java | 2,283 | /**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/ | block_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.parser;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieTaalConstanten;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.NullValue;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalLexer;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalParser;
import nl.bzk.brp.model.hisvolledig.kern.PersoonHisVolledig;
import nl.bzk.brp.model.logisch.kern.Persoon;
import org.antlr.v4.runtime.ANTLRInputStream;
import org.antlr.v4.runtime.CharStream;
import org.antlr.v4.runtime.CommonTokenStream;
import org.antlr.v4.runtime.atn.PredictionMode;
/**
* Utility class voor het parsen en evalueren van BRP-expressies.
*/
public final class BRPExpressies {
/**
* Private constructor voor utility class.
*/
private BRPExpressies() {
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie, gegeven een aantal gedefinieerde identifiers. Bij succes is de overeenkomstige
* expressie te vinden in het ParserResultaat; anders zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @param context Gedefinieerde identifiers.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString, final Context context) {
final ParserResultaat result;
// TEAMBRP-2535 de expressie syntax kan niet goed omgaan met een string waarachter ongedefinieerde velden staan.
// Door haakjes toe te voegen zal dan een fout gesignaleerd worden, aangezien de content dan niet meer precies
// gematched kan worden.
final String expressieStringMetHaakjes = String.format("(%s)", expressieString);
// Parsing gebeurt met een door ANTLR gegenereerde visitor. Om die te kunnen gebruiken, moet een treintje
// opgetuigd worden (String->CharStream->Lexer->TokenStream).
final CharStream cs = new ANTLRInputStream(expressieStringMetHaakjes);
final BRPExpressietaalLexer lexer = new BRPExpressietaalLexer(cs);
final CommonTokenStream tokens = new CommonTokenStream(lexer);
final BRPExpressietaalParser parser = new BRPExpressietaalParser(tokens);
parser.getInterpreter().setPredictionMode(PredictionMode.LL_EXACT_AMBIG_DETECTION);
Context initialContext;
if (context != null) {
initialContext = new Context(context);
} else {
initialContext = new Context();
}
// Declareer het standaard object 'persoon'.
initialContext.declareer(ExpressieTaalConstanten.DEFAULT_OBJECT, ExpressieType.PERSOON);
// Verwijder bestaande (default) error listeners en voeg de eigen error listener toe.
parser.removeErrorListeners();
final BRPExpressietaalErrorListener errorListener = new BRPExpressietaalErrorListener();
parser.addErrorListener(errorListener);
// Maak de parse tree. Hier gebeurt het feitelijke parsing.
final BRPExpressietaalParser.Brp_expressieContext tree = parser.brp_expressie();
List<ParserFout> fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
// Maak een visitor voor parsing.
final BRPExpressieVisitor visitor = new BRPExpressieVisitor(initialContext, errorListener);
// De visitor zet een parse tree om in een Expressie. Tenzij er een fout optreedt.
final Expressie expressie = visitor.visit(tree);
fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
result = new ParserResultaat(expressie);
}
}
return result;
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie. Bij succes is de overeenkomstige expressie te vinden in het ParserResultaat; anders
* zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString) {
return parse(expressieString, new Context());
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param context Gedefinieerde symbolische namen met hun waarden.
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Context context) {
Expressie result = expressie.evalueer(context);
if (result == null) {
result = NullValue.getInstance();
}
return result;
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Persoon persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final PersoonHisVolledig persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Vertaalt en evalueert<SUF>*/
public static Expressie evalueer(final String expressieString, final Persoon persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final PersoonHisVolledig persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
}
|
204598_19 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.parser;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieTaalConstanten;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.NullValue;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalLexer;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalParser;
import nl.bzk.brp.model.hisvolledig.kern.PersoonHisVolledig;
import nl.bzk.brp.model.logisch.kern.Persoon;
import org.antlr.v4.runtime.ANTLRInputStream;
import org.antlr.v4.runtime.CharStream;
import org.antlr.v4.runtime.CommonTokenStream;
import org.antlr.v4.runtime.atn.PredictionMode;
/**
* Utility class voor het parsen en evalueren van BRP-expressies.
*/
public final class BRPExpressies {
/**
* Private constructor voor utility class.
*/
private BRPExpressies() {
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie, gegeven een aantal gedefinieerde identifiers. Bij succes is de overeenkomstige
* expressie te vinden in het ParserResultaat; anders zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @param context Gedefinieerde identifiers.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString, final Context context) {
final ParserResultaat result;
// TEAMBRP-2535 de expressie syntax kan niet goed omgaan met een string waarachter ongedefinieerde velden staan.
// Door haakjes toe te voegen zal dan een fout gesignaleerd worden, aangezien de content dan niet meer precies
// gematched kan worden.
final String expressieStringMetHaakjes = String.format("(%s)", expressieString);
// Parsing gebeurt met een door ANTLR gegenereerde visitor. Om die te kunnen gebruiken, moet een treintje
// opgetuigd worden (String->CharStream->Lexer->TokenStream).
final CharStream cs = new ANTLRInputStream(expressieStringMetHaakjes);
final BRPExpressietaalLexer lexer = new BRPExpressietaalLexer(cs);
final CommonTokenStream tokens = new CommonTokenStream(lexer);
final BRPExpressietaalParser parser = new BRPExpressietaalParser(tokens);
parser.getInterpreter().setPredictionMode(PredictionMode.LL_EXACT_AMBIG_DETECTION);
Context initialContext;
if (context != null) {
initialContext = new Context(context);
} else {
initialContext = new Context();
}
// Declareer het standaard object 'persoon'.
initialContext.declareer(ExpressieTaalConstanten.DEFAULT_OBJECT, ExpressieType.PERSOON);
// Verwijder bestaande (default) error listeners en voeg de eigen error listener toe.
parser.removeErrorListeners();
final BRPExpressietaalErrorListener errorListener = new BRPExpressietaalErrorListener();
parser.addErrorListener(errorListener);
// Maak de parse tree. Hier gebeurt het feitelijke parsing.
final BRPExpressietaalParser.Brp_expressieContext tree = parser.brp_expressie();
List<ParserFout> fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
// Maak een visitor voor parsing.
final BRPExpressieVisitor visitor = new BRPExpressieVisitor(initialContext, errorListener);
// De visitor zet een parse tree om in een Expressie. Tenzij er een fout optreedt.
final Expressie expressie = visitor.visit(tree);
fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
result = new ParserResultaat(expressie);
}
}
return result;
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie. Bij succes is de overeenkomstige expressie te vinden in het ParserResultaat; anders
* zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString) {
return parse(expressieString, new Context());
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param context Gedefinieerde symbolische namen met hun waarden.
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Context context) {
Expressie result = expressie.evalueer(context);
if (result == null) {
result = NullValue.getInstance();
}
return result;
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Persoon persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final PersoonHisVolledig persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final Persoon persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final PersoonHisVolledig persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
}
| MinBZK/OperatieBRP | 2016/brp 2016-02-09/algemeen/algemeen-model/expressietaal/src/main/java/nl/bzk/brp/expressietaal/parser/BRPExpressies.java | 2,283 | /**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/ | block_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.parser;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieTaalConstanten;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.NullValue;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalLexer;
import nl.bzk.brp.expressietaal.parser.antlr.BRPExpressietaalParser;
import nl.bzk.brp.model.hisvolledig.kern.PersoonHisVolledig;
import nl.bzk.brp.model.logisch.kern.Persoon;
import org.antlr.v4.runtime.ANTLRInputStream;
import org.antlr.v4.runtime.CharStream;
import org.antlr.v4.runtime.CommonTokenStream;
import org.antlr.v4.runtime.atn.PredictionMode;
/**
* Utility class voor het parsen en evalueren van BRP-expressies.
*/
public final class BRPExpressies {
/**
* Private constructor voor utility class.
*/
private BRPExpressies() {
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie, gegeven een aantal gedefinieerde identifiers. Bij succes is de overeenkomstige
* expressie te vinden in het ParserResultaat; anders zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @param context Gedefinieerde identifiers.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString, final Context context) {
final ParserResultaat result;
// TEAMBRP-2535 de expressie syntax kan niet goed omgaan met een string waarachter ongedefinieerde velden staan.
// Door haakjes toe te voegen zal dan een fout gesignaleerd worden, aangezien de content dan niet meer precies
// gematched kan worden.
final String expressieStringMetHaakjes = String.format("(%s)", expressieString);
// Parsing gebeurt met een door ANTLR gegenereerde visitor. Om die te kunnen gebruiken, moet een treintje
// opgetuigd worden (String->CharStream->Lexer->TokenStream).
final CharStream cs = new ANTLRInputStream(expressieStringMetHaakjes);
final BRPExpressietaalLexer lexer = new BRPExpressietaalLexer(cs);
final CommonTokenStream tokens = new CommonTokenStream(lexer);
final BRPExpressietaalParser parser = new BRPExpressietaalParser(tokens);
parser.getInterpreter().setPredictionMode(PredictionMode.LL_EXACT_AMBIG_DETECTION);
Context initialContext;
if (context != null) {
initialContext = new Context(context);
} else {
initialContext = new Context();
}
// Declareer het standaard object 'persoon'.
initialContext.declareer(ExpressieTaalConstanten.DEFAULT_OBJECT, ExpressieType.PERSOON);
// Verwijder bestaande (default) error listeners en voeg de eigen error listener toe.
parser.removeErrorListeners();
final BRPExpressietaalErrorListener errorListener = new BRPExpressietaalErrorListener();
parser.addErrorListener(errorListener);
// Maak de parse tree. Hier gebeurt het feitelijke parsing.
final BRPExpressietaalParser.Brp_expressieContext tree = parser.brp_expressie();
List<ParserFout> fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
// Maak een visitor voor parsing.
final BRPExpressieVisitor visitor = new BRPExpressieVisitor(initialContext, errorListener);
// De visitor zet een parse tree om in een Expressie. Tenzij er een fout optreedt.
final Expressie expressie = visitor.visit(tree);
fouten = errorListener.getFouten();
if (!fouten.isEmpty()) {
result = new ParserResultaat(fouten.get(0));
} else {
result = new ParserResultaat(expressie);
}
}
return result;
}
/**
* Probeert de tekstuele expressie te vertalen naar een expressie. Bij succes is de overeenkomstige expressie te vinden in het ParserResultaat; anders
* zijn daar foutmeldingen te vinden en is expressie null.
*
* @param expressieString De te vertalen expressie.
* @return ParserResultaat met de expressie of, indien die NULL is, de gevonden fouten.
*/
public static ParserResultaat parse(final String expressieString) {
return parse(expressieString, new Context());
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param context Gedefinieerde symbolische namen met hun waarden.
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Context context) {
Expressie result = expressie.evalueer(context);
if (result == null) {
result = NullValue.getInstance();
}
return result;
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final Persoon persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Evalueert de expressie voor de gegeven persoon.
*
* @param expressie De te evalueren expressie.
* @param persoon De persoon (met historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final Expressie expressie, final PersoonHisVolledig persoon) {
final Context context = new Context();
context.definieer(ExpressieTaalConstanten.DEFAULT_OBJECT, new BrpObjectExpressie(persoon, ExpressieType.PERSOON));
return evalueer(expressie, context);
}
/**
* Vertaalt en evalueert de expressie voor de gegeven persoon.
*
* @param expressieString De te evalueren expressie.
* @param persoon De persoon (zonder historie).
* @return Resultaat van de evaluatie.
*/
public static Expressie evalueer(final String expressieString, final Persoon persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
/**
* Vertaalt en evalueert<SUF>*/
public static Expressie evalueer(final String expressieString, final PersoonHisVolledig persoon) {
final ParserResultaat resultaat = parse(expressieString);
final Expressie expressie;
if (resultaat.getExpressie() != null) {
expressie = evalueer(resultaat.getExpressie(), persoon);
} else {
expressie = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, expressieString);
}
return expressie;
}
}
|
204604_1 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.expressies.functies;
import java.util.ArrayList;
import java.util.Collections;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.ExpressieUtil;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.LijstExpressie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.Signatuur;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SignatuurOptie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SimpeleSignatuur;
import nl.bzk.brp.expressietaal.expressies.literals.AttribuutcodeExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.symbols.BmrSymbolTable;
import nl.bzk.brp.expressietaal.symbols.DefaultSolver;
import nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut;
import nl.bzk.brp.model.basis.BrpObject;
/**
* Representeert de functie GEWIJZIGD(oud, nieuw, attribuutcode). De functie geeft WAAR terug als het attribuut met code
* attribuutcode gewijzigd is, waarbij oude verwijst naar de oude situatie en nieuw naar de nieuwe. Als beide
* attributen onbekend (NULL) zijn, worden ze als 'niet gewijzigd' beschouwd.
*/
public final class FunctieGEWIJZIGD implements Functieberekening {
private static final Signatuur SIGNATUUR =
new SignatuurOptie(
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE,
ExpressieType.ATTRIBUUTCODE)
);
private static final int TWEE_ARGUMENTEN = 2;
private static final int DRIE_ARGUMENTEN = 3;
private static final int VIER_ARGUMENTEN = 4;
@Override
public List<Expressie> vulDefaultArgumentenIn(final List<Expressie> argumenten) {
return argumenten;
}
@Override
public Signatuur getSignatuur() {
return SIGNATUUR;
}
@Override
public ExpressieType getType(final List<Expressie> argumenten, final Context context) {
return ExpressieType.BOOLEAN;
}
@Override
public ExpressieType getTypeVanElementen(final List<Expressie> argumenten, final Context context) {
return ExpressieType.ONBEKEND_TYPE;
}
@Override
public boolean evalueerArgumenten() {
// De argumenten van GEWIJZIGD moeten niet van tevoren geevalueerd worden, omdat de verwijzing naar het
// attribuut niet verloren moet gaan en er een speciale (afwijkende) rol voor NULL is.
return false;
}
@Override
public Expressie pasToe(final List<Expressie> ongeevalueerdeArgumenten, final Context context) {
final List<Expressie> argumenten = new ArrayList<>(ongeevalueerdeArgumenten.size());
for(Expressie ongeevalueerdArgument : ongeevalueerdeArgumenten) {
argumenten.add(ongeevalueerdArgument.evalueer(context));
}
final Expressie resultaat;
final String foutMelding = valideerParameters(argumenten, context);
if (foutMelding != null) {
resultaat = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, foutMelding);
} else {
// Signatuur zorgt ervoor dat de functie enkel met twee, drie of vier argumenten aangeroepen kan worden.
if (argumenten.size() == TWEE_ARGUMENTEN) {
resultaat = verwerkMetTweeArgumenten(argumenten, context);
} else if (argumenten.size() == DRIE_ARGUMENTEN) {
resultaat = verwerkMetDrieArgumenten(argumenten, context);
} else {
resultaat = verwerkMetVierArgumenten(argumenten, context);
}
}
return resultaat;
}
/**
* Verwerk met twee argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetTweeArgumenten(final List<Expressie> argumenten, final Context context) {
return ExpressieUtil.waardenVerschillend(argumenten.get(0), argumenten.get(1), context);
}
/**
* Verwerk met default argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetDrieArgumenten(final List<Expressie> argumenten, final Context context) {
final Expressie resultaat;
if (isFunctieResultaatVergelijking(argumenten)) {
resultaat = vergelijkFunctieResultaten(argumenten, context);
} else {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, oudObject, context);
if (attribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, oudObject.getType(context));
} else {
final Expressie oudeWaarde = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), attribuut);
final Expressie nieuweWaarde = DefaultSolver.getInstance().bepaalWaarde(nieuwObject.getBrpObject(), attribuut);
resultaat = ExpressieUtil.waardenVerschillend(oudeWaarde, nieuweWaarde, context);
}
}
return resultaat;
}
/**
* Verwerk met vier argumenten, het derde argument is dan niet de directe verwijzing naar een attribuut, maar naar een lijst met groepen zoals
* adressen. Het vierde argument wijst dan naar een attribuut binnen de lijst, zoals postcode.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetVierArgumenten(final List<Expressie> argumenten, final Context context) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final AttribuutcodeExpressie lijstAttribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut lijstAttribuut = bepaalExpressieAttribuutVoorAttribuut(lijstAttribuutCode, oudObject, context);
final Expressie resultaat;
if (lijstAttribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(lijstAttribuutCode, oudObject.getType(context));
} else {
resultaat = verwerkMetVierdeArgument(argumenten, context, lijstAttribuut);
}
return resultaat;
}
/**
* Verwerk met vierde argument, de lijst expressie is bepaald en nu kan de expressie worden verwerkt tot het definitieve resultaat door het attribuut
* binnen de lijst te vergelijken.
*
* @param argumenten de argumenten
* @param context de context
* @param lijstAttribuut het lijst attribuut
* @return de expressie met het resultaat
*/
private Expressie verwerkMetVierdeArgument(final List<Expressie> argumenten, final Context context, final ExpressieAttribuut lijstAttribuut) {
final Expressie resultaat;
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(3);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, lijstAttribuut);
if (attribuut != null) {
final List<Expressie> lijstWaardenOud = bouwLijstWaardes(lijstAttribuut, oudObject, attribuut);
final List<Expressie> lijstWaardenNieuw = bouwLijstWaardes(lijstAttribuut, nieuwObject, attribuut);
resultaat = ExpressieUtil.waardenVerschillend(new LijstExpressie(lijstWaardenOud), new LijstExpressie(lijstWaardenNieuw), context);
} else {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, lijstAttribuut.getType());
}
return resultaat;
}
/**
* Bouw lijst waardes.
*
* @param lijstAttribuut the lijst attribuut
* @param oudObject the oud object
* @param attribuut the attribuut
* @return the list
*/
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut lijstAttribuut, final BrpObjectExpressie oudObject,
final ExpressieAttribuut attribuut)
{
final Expressie lijstObjecten1 = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), lijstAttribuut);
return bouwLijstWaardes(attribuut, lijstObjecten1);
}
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut attribuut, final Expressie lijstObjecten1) {
final List<Expressie> lijstWaarden = new ArrayList<>();
for (final Expressie objExp : lijstObjecten1.getElementen()) {
final BrpObject obj = ((BrpObjectExpressie) objExp).getBrpObject();
final Expressie waarde = DefaultSolver.getInstance().bepaalWaarde(obj, attribuut);
lijstWaarden.add(waarde);
}
return lijstWaarden;
}
/**
* Controleer de parameters.
*
* @param argumenten de argumenten
* @param context de context
* @return de foutmelding of null als er geen fout is opgetreden
*/
private String valideerParameters(final List<Expressie> argumenten, final Context context) {
final Expressie argument1 = argumenten.get(0);
final Expressie argument2 = argumenten.get(1);
String foutmelding = null;
if (argument1 instanceof BrpObjectExpressie && argument2 instanceof BrpObjectExpressie) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argument1;
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argument2;
if (oudObject.getType(context) != nieuwObject.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee BRP-objecten van hetzelfde type.";
}
} else if (argument1 instanceof LijstExpressie && argument2 instanceof LijstExpressie) {
if (argumenten.size() == VIER_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met vier argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
if (argumenten.size() == TWEE_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met twee argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
} else {
if(!argument1.isNull() && !argument2.isNull()) {
if (argument1.getType(context) != argument2.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee dezelfde objecten als argument.";
}
}
}
return foutmelding;
}
/**
* Vergelijk de functie resultaten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie vergelijkFunctieResultaten(final List<Expressie> argumenten, final Context context) {
final LijstExpressie oudObject = (LijstExpressie) argumenten.get(0);
final LijstExpressie nieuwObject = (LijstExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final List<Expressie> oudExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, oudObject, attribuutCode);
final List<Expressie> nieuweExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, nieuwObject, attribuutCode);
return ExpressieUtil.waardenVerschillend(new LijstExpressie(oudExpressieWaardes), new LijstExpressie(nieuweExpressieWaardes), context);
}
private List<Expressie> bepaalAttribuutWaardesPerLijstElement(final Context context, final LijstExpressie lijstExpressie, final AttribuutcodeExpressie attribuutCode) {
List<Expressie> expressieWaardes = Collections.emptyList();
if (lijstExpressie.aantalElementen() > 0) {
final Expressie objExp = lijstExpressie.getElement(0);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, (BrpObjectExpressie) objExp, context);
expressieWaardes = bouwLijstWaardes(attribuut, lijstExpressie);
}
return expressieWaardes;
}
/**
* Is functie resultaat vergelijking.
*
* @param argumenten de argumenten
* @return the boolean
*/
private boolean isFunctieResultaatVergelijking(final List<Expressie> argumenten) {
return argumenten.get(0) instanceof LijstExpressie && argumenten.get(1) instanceof LijstExpressie;
}
/**
* Retourneert een fout expressie voor een onbekend attribuut.
*
* @param attribuutCode het attribuut dat fout/ongeldig is.
* @param objectType het object type waarbinnen het attribuut zich bevindt.
* @return de fout expressie.
*/
private FoutExpressie bouwFoutExpressieOnbekendAttribuut(final AttribuutcodeExpressie attribuutCode,
final ExpressieType objectType)
{
return new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, String.format("Onbekend attribuut %s bij type %s",
attribuutCode.alsString(), objectType.getNaam()));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @param context de context waarbinnen het object en het attribuut zich bevinden.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut,
final BrpObjectExpressie object, final Context context)
{
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType(context));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut, final ExpressieAttribuut object) {
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType());
}
@Override
public boolean berekenBijOptimalisatie() {
return false;
}
@Override
public Expressie optimaliseer(final List<Expressie> argumenten, final Context context) {
return null;
}
}
| MinBZK/OperatieBRP | 2016/brp 2016-02-09/algemeen/algemeen-model/expressietaal/src/main/java/nl/bzk/brp/expressietaal/expressies/functies/FunctieGEWIJZIGD.java | 4,532 | /**
* Representeert de functie GEWIJZIGD(oud, nieuw, attribuutcode). De functie geeft WAAR terug als het attribuut met code
* attribuutcode gewijzigd is, waarbij oude verwijst naar de oude situatie en nieuw naar de nieuwe. Als beide
* attributen onbekend (NULL) zijn, worden ze als 'niet gewijzigd' beschouwd.
*/ | block_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.expressies.functies;
import java.util.ArrayList;
import java.util.Collections;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.ExpressieUtil;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.LijstExpressie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.Signatuur;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SignatuurOptie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SimpeleSignatuur;
import nl.bzk.brp.expressietaal.expressies.literals.AttribuutcodeExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.symbols.BmrSymbolTable;
import nl.bzk.brp.expressietaal.symbols.DefaultSolver;
import nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut;
import nl.bzk.brp.model.basis.BrpObject;
/**
* Representeert de functie<SUF>*/
public final class FunctieGEWIJZIGD implements Functieberekening {
private static final Signatuur SIGNATUUR =
new SignatuurOptie(
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE,
ExpressieType.ATTRIBUUTCODE)
);
private static final int TWEE_ARGUMENTEN = 2;
private static final int DRIE_ARGUMENTEN = 3;
private static final int VIER_ARGUMENTEN = 4;
@Override
public List<Expressie> vulDefaultArgumentenIn(final List<Expressie> argumenten) {
return argumenten;
}
@Override
public Signatuur getSignatuur() {
return SIGNATUUR;
}
@Override
public ExpressieType getType(final List<Expressie> argumenten, final Context context) {
return ExpressieType.BOOLEAN;
}
@Override
public ExpressieType getTypeVanElementen(final List<Expressie> argumenten, final Context context) {
return ExpressieType.ONBEKEND_TYPE;
}
@Override
public boolean evalueerArgumenten() {
// De argumenten van GEWIJZIGD moeten niet van tevoren geevalueerd worden, omdat de verwijzing naar het
// attribuut niet verloren moet gaan en er een speciale (afwijkende) rol voor NULL is.
return false;
}
@Override
public Expressie pasToe(final List<Expressie> ongeevalueerdeArgumenten, final Context context) {
final List<Expressie> argumenten = new ArrayList<>(ongeevalueerdeArgumenten.size());
for(Expressie ongeevalueerdArgument : ongeevalueerdeArgumenten) {
argumenten.add(ongeevalueerdArgument.evalueer(context));
}
final Expressie resultaat;
final String foutMelding = valideerParameters(argumenten, context);
if (foutMelding != null) {
resultaat = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, foutMelding);
} else {
// Signatuur zorgt ervoor dat de functie enkel met twee, drie of vier argumenten aangeroepen kan worden.
if (argumenten.size() == TWEE_ARGUMENTEN) {
resultaat = verwerkMetTweeArgumenten(argumenten, context);
} else if (argumenten.size() == DRIE_ARGUMENTEN) {
resultaat = verwerkMetDrieArgumenten(argumenten, context);
} else {
resultaat = verwerkMetVierArgumenten(argumenten, context);
}
}
return resultaat;
}
/**
* Verwerk met twee argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetTweeArgumenten(final List<Expressie> argumenten, final Context context) {
return ExpressieUtil.waardenVerschillend(argumenten.get(0), argumenten.get(1), context);
}
/**
* Verwerk met default argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetDrieArgumenten(final List<Expressie> argumenten, final Context context) {
final Expressie resultaat;
if (isFunctieResultaatVergelijking(argumenten)) {
resultaat = vergelijkFunctieResultaten(argumenten, context);
} else {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, oudObject, context);
if (attribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, oudObject.getType(context));
} else {
final Expressie oudeWaarde = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), attribuut);
final Expressie nieuweWaarde = DefaultSolver.getInstance().bepaalWaarde(nieuwObject.getBrpObject(), attribuut);
resultaat = ExpressieUtil.waardenVerschillend(oudeWaarde, nieuweWaarde, context);
}
}
return resultaat;
}
/**
* Verwerk met vier argumenten, het derde argument is dan niet de directe verwijzing naar een attribuut, maar naar een lijst met groepen zoals
* adressen. Het vierde argument wijst dan naar een attribuut binnen de lijst, zoals postcode.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetVierArgumenten(final List<Expressie> argumenten, final Context context) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final AttribuutcodeExpressie lijstAttribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut lijstAttribuut = bepaalExpressieAttribuutVoorAttribuut(lijstAttribuutCode, oudObject, context);
final Expressie resultaat;
if (lijstAttribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(lijstAttribuutCode, oudObject.getType(context));
} else {
resultaat = verwerkMetVierdeArgument(argumenten, context, lijstAttribuut);
}
return resultaat;
}
/**
* Verwerk met vierde argument, de lijst expressie is bepaald en nu kan de expressie worden verwerkt tot het definitieve resultaat door het attribuut
* binnen de lijst te vergelijken.
*
* @param argumenten de argumenten
* @param context de context
* @param lijstAttribuut het lijst attribuut
* @return de expressie met het resultaat
*/
private Expressie verwerkMetVierdeArgument(final List<Expressie> argumenten, final Context context, final ExpressieAttribuut lijstAttribuut) {
final Expressie resultaat;
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(3);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, lijstAttribuut);
if (attribuut != null) {
final List<Expressie> lijstWaardenOud = bouwLijstWaardes(lijstAttribuut, oudObject, attribuut);
final List<Expressie> lijstWaardenNieuw = bouwLijstWaardes(lijstAttribuut, nieuwObject, attribuut);
resultaat = ExpressieUtil.waardenVerschillend(new LijstExpressie(lijstWaardenOud), new LijstExpressie(lijstWaardenNieuw), context);
} else {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, lijstAttribuut.getType());
}
return resultaat;
}
/**
* Bouw lijst waardes.
*
* @param lijstAttribuut the lijst attribuut
* @param oudObject the oud object
* @param attribuut the attribuut
* @return the list
*/
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut lijstAttribuut, final BrpObjectExpressie oudObject,
final ExpressieAttribuut attribuut)
{
final Expressie lijstObjecten1 = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), lijstAttribuut);
return bouwLijstWaardes(attribuut, lijstObjecten1);
}
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut attribuut, final Expressie lijstObjecten1) {
final List<Expressie> lijstWaarden = new ArrayList<>();
for (final Expressie objExp : lijstObjecten1.getElementen()) {
final BrpObject obj = ((BrpObjectExpressie) objExp).getBrpObject();
final Expressie waarde = DefaultSolver.getInstance().bepaalWaarde(obj, attribuut);
lijstWaarden.add(waarde);
}
return lijstWaarden;
}
/**
* Controleer de parameters.
*
* @param argumenten de argumenten
* @param context de context
* @return de foutmelding of null als er geen fout is opgetreden
*/
private String valideerParameters(final List<Expressie> argumenten, final Context context) {
final Expressie argument1 = argumenten.get(0);
final Expressie argument2 = argumenten.get(1);
String foutmelding = null;
if (argument1 instanceof BrpObjectExpressie && argument2 instanceof BrpObjectExpressie) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argument1;
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argument2;
if (oudObject.getType(context) != nieuwObject.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee BRP-objecten van hetzelfde type.";
}
} else if (argument1 instanceof LijstExpressie && argument2 instanceof LijstExpressie) {
if (argumenten.size() == VIER_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met vier argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
if (argumenten.size() == TWEE_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met twee argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
} else {
if(!argument1.isNull() && !argument2.isNull()) {
if (argument1.getType(context) != argument2.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee dezelfde objecten als argument.";
}
}
}
return foutmelding;
}
/**
* Vergelijk de functie resultaten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie vergelijkFunctieResultaten(final List<Expressie> argumenten, final Context context) {
final LijstExpressie oudObject = (LijstExpressie) argumenten.get(0);
final LijstExpressie nieuwObject = (LijstExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final List<Expressie> oudExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, oudObject, attribuutCode);
final List<Expressie> nieuweExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, nieuwObject, attribuutCode);
return ExpressieUtil.waardenVerschillend(new LijstExpressie(oudExpressieWaardes), new LijstExpressie(nieuweExpressieWaardes), context);
}
private List<Expressie> bepaalAttribuutWaardesPerLijstElement(final Context context, final LijstExpressie lijstExpressie, final AttribuutcodeExpressie attribuutCode) {
List<Expressie> expressieWaardes = Collections.emptyList();
if (lijstExpressie.aantalElementen() > 0) {
final Expressie objExp = lijstExpressie.getElement(0);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, (BrpObjectExpressie) objExp, context);
expressieWaardes = bouwLijstWaardes(attribuut, lijstExpressie);
}
return expressieWaardes;
}
/**
* Is functie resultaat vergelijking.
*
* @param argumenten de argumenten
* @return the boolean
*/
private boolean isFunctieResultaatVergelijking(final List<Expressie> argumenten) {
return argumenten.get(0) instanceof LijstExpressie && argumenten.get(1) instanceof LijstExpressie;
}
/**
* Retourneert een fout expressie voor een onbekend attribuut.
*
* @param attribuutCode het attribuut dat fout/ongeldig is.
* @param objectType het object type waarbinnen het attribuut zich bevindt.
* @return de fout expressie.
*/
private FoutExpressie bouwFoutExpressieOnbekendAttribuut(final AttribuutcodeExpressie attribuutCode,
final ExpressieType objectType)
{
return new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, String.format("Onbekend attribuut %s bij type %s",
attribuutCode.alsString(), objectType.getNaam()));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @param context de context waarbinnen het object en het attribuut zich bevinden.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut,
final BrpObjectExpressie object, final Context context)
{
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType(context));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut, final ExpressieAttribuut object) {
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType());
}
@Override
public boolean berekenBijOptimalisatie() {
return false;
}
@Override
public Expressie optimaliseer(final List<Expressie> argumenten, final Context context) {
return null;
}
}
|
204604_2 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.expressies.functies;
import java.util.ArrayList;
import java.util.Collections;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.ExpressieUtil;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.LijstExpressie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.Signatuur;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SignatuurOptie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SimpeleSignatuur;
import nl.bzk.brp.expressietaal.expressies.literals.AttribuutcodeExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.symbols.BmrSymbolTable;
import nl.bzk.brp.expressietaal.symbols.DefaultSolver;
import nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut;
import nl.bzk.brp.model.basis.BrpObject;
/**
* Representeert de functie GEWIJZIGD(oud, nieuw, attribuutcode). De functie geeft WAAR terug als het attribuut met code
* attribuutcode gewijzigd is, waarbij oude verwijst naar de oude situatie en nieuw naar de nieuwe. Als beide
* attributen onbekend (NULL) zijn, worden ze als 'niet gewijzigd' beschouwd.
*/
public final class FunctieGEWIJZIGD implements Functieberekening {
private static final Signatuur SIGNATUUR =
new SignatuurOptie(
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE,
ExpressieType.ATTRIBUUTCODE)
);
private static final int TWEE_ARGUMENTEN = 2;
private static final int DRIE_ARGUMENTEN = 3;
private static final int VIER_ARGUMENTEN = 4;
@Override
public List<Expressie> vulDefaultArgumentenIn(final List<Expressie> argumenten) {
return argumenten;
}
@Override
public Signatuur getSignatuur() {
return SIGNATUUR;
}
@Override
public ExpressieType getType(final List<Expressie> argumenten, final Context context) {
return ExpressieType.BOOLEAN;
}
@Override
public ExpressieType getTypeVanElementen(final List<Expressie> argumenten, final Context context) {
return ExpressieType.ONBEKEND_TYPE;
}
@Override
public boolean evalueerArgumenten() {
// De argumenten van GEWIJZIGD moeten niet van tevoren geevalueerd worden, omdat de verwijzing naar het
// attribuut niet verloren moet gaan en er een speciale (afwijkende) rol voor NULL is.
return false;
}
@Override
public Expressie pasToe(final List<Expressie> ongeevalueerdeArgumenten, final Context context) {
final List<Expressie> argumenten = new ArrayList<>(ongeevalueerdeArgumenten.size());
for(Expressie ongeevalueerdArgument : ongeevalueerdeArgumenten) {
argumenten.add(ongeevalueerdArgument.evalueer(context));
}
final Expressie resultaat;
final String foutMelding = valideerParameters(argumenten, context);
if (foutMelding != null) {
resultaat = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, foutMelding);
} else {
// Signatuur zorgt ervoor dat de functie enkel met twee, drie of vier argumenten aangeroepen kan worden.
if (argumenten.size() == TWEE_ARGUMENTEN) {
resultaat = verwerkMetTweeArgumenten(argumenten, context);
} else if (argumenten.size() == DRIE_ARGUMENTEN) {
resultaat = verwerkMetDrieArgumenten(argumenten, context);
} else {
resultaat = verwerkMetVierArgumenten(argumenten, context);
}
}
return resultaat;
}
/**
* Verwerk met twee argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetTweeArgumenten(final List<Expressie> argumenten, final Context context) {
return ExpressieUtil.waardenVerschillend(argumenten.get(0), argumenten.get(1), context);
}
/**
* Verwerk met default argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetDrieArgumenten(final List<Expressie> argumenten, final Context context) {
final Expressie resultaat;
if (isFunctieResultaatVergelijking(argumenten)) {
resultaat = vergelijkFunctieResultaten(argumenten, context);
} else {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, oudObject, context);
if (attribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, oudObject.getType(context));
} else {
final Expressie oudeWaarde = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), attribuut);
final Expressie nieuweWaarde = DefaultSolver.getInstance().bepaalWaarde(nieuwObject.getBrpObject(), attribuut);
resultaat = ExpressieUtil.waardenVerschillend(oudeWaarde, nieuweWaarde, context);
}
}
return resultaat;
}
/**
* Verwerk met vier argumenten, het derde argument is dan niet de directe verwijzing naar een attribuut, maar naar een lijst met groepen zoals
* adressen. Het vierde argument wijst dan naar een attribuut binnen de lijst, zoals postcode.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetVierArgumenten(final List<Expressie> argumenten, final Context context) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final AttribuutcodeExpressie lijstAttribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut lijstAttribuut = bepaalExpressieAttribuutVoorAttribuut(lijstAttribuutCode, oudObject, context);
final Expressie resultaat;
if (lijstAttribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(lijstAttribuutCode, oudObject.getType(context));
} else {
resultaat = verwerkMetVierdeArgument(argumenten, context, lijstAttribuut);
}
return resultaat;
}
/**
* Verwerk met vierde argument, de lijst expressie is bepaald en nu kan de expressie worden verwerkt tot het definitieve resultaat door het attribuut
* binnen de lijst te vergelijken.
*
* @param argumenten de argumenten
* @param context de context
* @param lijstAttribuut het lijst attribuut
* @return de expressie met het resultaat
*/
private Expressie verwerkMetVierdeArgument(final List<Expressie> argumenten, final Context context, final ExpressieAttribuut lijstAttribuut) {
final Expressie resultaat;
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(3);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, lijstAttribuut);
if (attribuut != null) {
final List<Expressie> lijstWaardenOud = bouwLijstWaardes(lijstAttribuut, oudObject, attribuut);
final List<Expressie> lijstWaardenNieuw = bouwLijstWaardes(lijstAttribuut, nieuwObject, attribuut);
resultaat = ExpressieUtil.waardenVerschillend(new LijstExpressie(lijstWaardenOud), new LijstExpressie(lijstWaardenNieuw), context);
} else {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, lijstAttribuut.getType());
}
return resultaat;
}
/**
* Bouw lijst waardes.
*
* @param lijstAttribuut the lijst attribuut
* @param oudObject the oud object
* @param attribuut the attribuut
* @return the list
*/
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut lijstAttribuut, final BrpObjectExpressie oudObject,
final ExpressieAttribuut attribuut)
{
final Expressie lijstObjecten1 = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), lijstAttribuut);
return bouwLijstWaardes(attribuut, lijstObjecten1);
}
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut attribuut, final Expressie lijstObjecten1) {
final List<Expressie> lijstWaarden = new ArrayList<>();
for (final Expressie objExp : lijstObjecten1.getElementen()) {
final BrpObject obj = ((BrpObjectExpressie) objExp).getBrpObject();
final Expressie waarde = DefaultSolver.getInstance().bepaalWaarde(obj, attribuut);
lijstWaarden.add(waarde);
}
return lijstWaarden;
}
/**
* Controleer de parameters.
*
* @param argumenten de argumenten
* @param context de context
* @return de foutmelding of null als er geen fout is opgetreden
*/
private String valideerParameters(final List<Expressie> argumenten, final Context context) {
final Expressie argument1 = argumenten.get(0);
final Expressie argument2 = argumenten.get(1);
String foutmelding = null;
if (argument1 instanceof BrpObjectExpressie && argument2 instanceof BrpObjectExpressie) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argument1;
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argument2;
if (oudObject.getType(context) != nieuwObject.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee BRP-objecten van hetzelfde type.";
}
} else if (argument1 instanceof LijstExpressie && argument2 instanceof LijstExpressie) {
if (argumenten.size() == VIER_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met vier argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
if (argumenten.size() == TWEE_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met twee argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
} else {
if(!argument1.isNull() && !argument2.isNull()) {
if (argument1.getType(context) != argument2.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee dezelfde objecten als argument.";
}
}
}
return foutmelding;
}
/**
* Vergelijk de functie resultaten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie vergelijkFunctieResultaten(final List<Expressie> argumenten, final Context context) {
final LijstExpressie oudObject = (LijstExpressie) argumenten.get(0);
final LijstExpressie nieuwObject = (LijstExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final List<Expressie> oudExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, oudObject, attribuutCode);
final List<Expressie> nieuweExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, nieuwObject, attribuutCode);
return ExpressieUtil.waardenVerschillend(new LijstExpressie(oudExpressieWaardes), new LijstExpressie(nieuweExpressieWaardes), context);
}
private List<Expressie> bepaalAttribuutWaardesPerLijstElement(final Context context, final LijstExpressie lijstExpressie, final AttribuutcodeExpressie attribuutCode) {
List<Expressie> expressieWaardes = Collections.emptyList();
if (lijstExpressie.aantalElementen() > 0) {
final Expressie objExp = lijstExpressie.getElement(0);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, (BrpObjectExpressie) objExp, context);
expressieWaardes = bouwLijstWaardes(attribuut, lijstExpressie);
}
return expressieWaardes;
}
/**
* Is functie resultaat vergelijking.
*
* @param argumenten de argumenten
* @return the boolean
*/
private boolean isFunctieResultaatVergelijking(final List<Expressie> argumenten) {
return argumenten.get(0) instanceof LijstExpressie && argumenten.get(1) instanceof LijstExpressie;
}
/**
* Retourneert een fout expressie voor een onbekend attribuut.
*
* @param attribuutCode het attribuut dat fout/ongeldig is.
* @param objectType het object type waarbinnen het attribuut zich bevindt.
* @return de fout expressie.
*/
private FoutExpressie bouwFoutExpressieOnbekendAttribuut(final AttribuutcodeExpressie attribuutCode,
final ExpressieType objectType)
{
return new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, String.format("Onbekend attribuut %s bij type %s",
attribuutCode.alsString(), objectType.getNaam()));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @param context de context waarbinnen het object en het attribuut zich bevinden.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut,
final BrpObjectExpressie object, final Context context)
{
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType(context));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut, final ExpressieAttribuut object) {
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType());
}
@Override
public boolean berekenBijOptimalisatie() {
return false;
}
@Override
public Expressie optimaliseer(final List<Expressie> argumenten, final Context context) {
return null;
}
}
| MinBZK/OperatieBRP | 2016/brp 2016-02-09/algemeen/algemeen-model/expressietaal/src/main/java/nl/bzk/brp/expressietaal/expressies/functies/FunctieGEWIJZIGD.java | 4,532 | // De argumenten van GEWIJZIGD moeten niet van tevoren geevalueerd worden, omdat de verwijzing naar het | line_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.expressies.functies;
import java.util.ArrayList;
import java.util.Collections;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.ExpressieUtil;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.LijstExpressie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.Signatuur;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SignatuurOptie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SimpeleSignatuur;
import nl.bzk.brp.expressietaal.expressies.literals.AttribuutcodeExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.symbols.BmrSymbolTable;
import nl.bzk.brp.expressietaal.symbols.DefaultSolver;
import nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut;
import nl.bzk.brp.model.basis.BrpObject;
/**
* Representeert de functie GEWIJZIGD(oud, nieuw, attribuutcode). De functie geeft WAAR terug als het attribuut met code
* attribuutcode gewijzigd is, waarbij oude verwijst naar de oude situatie en nieuw naar de nieuwe. Als beide
* attributen onbekend (NULL) zijn, worden ze als 'niet gewijzigd' beschouwd.
*/
public final class FunctieGEWIJZIGD implements Functieberekening {
private static final Signatuur SIGNATUUR =
new SignatuurOptie(
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE,
ExpressieType.ATTRIBUUTCODE)
);
private static final int TWEE_ARGUMENTEN = 2;
private static final int DRIE_ARGUMENTEN = 3;
private static final int VIER_ARGUMENTEN = 4;
@Override
public List<Expressie> vulDefaultArgumentenIn(final List<Expressie> argumenten) {
return argumenten;
}
@Override
public Signatuur getSignatuur() {
return SIGNATUUR;
}
@Override
public ExpressieType getType(final List<Expressie> argumenten, final Context context) {
return ExpressieType.BOOLEAN;
}
@Override
public ExpressieType getTypeVanElementen(final List<Expressie> argumenten, final Context context) {
return ExpressieType.ONBEKEND_TYPE;
}
@Override
public boolean evalueerArgumenten() {
// De argumenten<SUF>
// attribuut niet verloren moet gaan en er een speciale (afwijkende) rol voor NULL is.
return false;
}
@Override
public Expressie pasToe(final List<Expressie> ongeevalueerdeArgumenten, final Context context) {
final List<Expressie> argumenten = new ArrayList<>(ongeevalueerdeArgumenten.size());
for(Expressie ongeevalueerdArgument : ongeevalueerdeArgumenten) {
argumenten.add(ongeevalueerdArgument.evalueer(context));
}
final Expressie resultaat;
final String foutMelding = valideerParameters(argumenten, context);
if (foutMelding != null) {
resultaat = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, foutMelding);
} else {
// Signatuur zorgt ervoor dat de functie enkel met twee, drie of vier argumenten aangeroepen kan worden.
if (argumenten.size() == TWEE_ARGUMENTEN) {
resultaat = verwerkMetTweeArgumenten(argumenten, context);
} else if (argumenten.size() == DRIE_ARGUMENTEN) {
resultaat = verwerkMetDrieArgumenten(argumenten, context);
} else {
resultaat = verwerkMetVierArgumenten(argumenten, context);
}
}
return resultaat;
}
/**
* Verwerk met twee argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetTweeArgumenten(final List<Expressie> argumenten, final Context context) {
return ExpressieUtil.waardenVerschillend(argumenten.get(0), argumenten.get(1), context);
}
/**
* Verwerk met default argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetDrieArgumenten(final List<Expressie> argumenten, final Context context) {
final Expressie resultaat;
if (isFunctieResultaatVergelijking(argumenten)) {
resultaat = vergelijkFunctieResultaten(argumenten, context);
} else {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, oudObject, context);
if (attribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, oudObject.getType(context));
} else {
final Expressie oudeWaarde = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), attribuut);
final Expressie nieuweWaarde = DefaultSolver.getInstance().bepaalWaarde(nieuwObject.getBrpObject(), attribuut);
resultaat = ExpressieUtil.waardenVerschillend(oudeWaarde, nieuweWaarde, context);
}
}
return resultaat;
}
/**
* Verwerk met vier argumenten, het derde argument is dan niet de directe verwijzing naar een attribuut, maar naar een lijst met groepen zoals
* adressen. Het vierde argument wijst dan naar een attribuut binnen de lijst, zoals postcode.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetVierArgumenten(final List<Expressie> argumenten, final Context context) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final AttribuutcodeExpressie lijstAttribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut lijstAttribuut = bepaalExpressieAttribuutVoorAttribuut(lijstAttribuutCode, oudObject, context);
final Expressie resultaat;
if (lijstAttribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(lijstAttribuutCode, oudObject.getType(context));
} else {
resultaat = verwerkMetVierdeArgument(argumenten, context, lijstAttribuut);
}
return resultaat;
}
/**
* Verwerk met vierde argument, de lijst expressie is bepaald en nu kan de expressie worden verwerkt tot het definitieve resultaat door het attribuut
* binnen de lijst te vergelijken.
*
* @param argumenten de argumenten
* @param context de context
* @param lijstAttribuut het lijst attribuut
* @return de expressie met het resultaat
*/
private Expressie verwerkMetVierdeArgument(final List<Expressie> argumenten, final Context context, final ExpressieAttribuut lijstAttribuut) {
final Expressie resultaat;
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(3);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, lijstAttribuut);
if (attribuut != null) {
final List<Expressie> lijstWaardenOud = bouwLijstWaardes(lijstAttribuut, oudObject, attribuut);
final List<Expressie> lijstWaardenNieuw = bouwLijstWaardes(lijstAttribuut, nieuwObject, attribuut);
resultaat = ExpressieUtil.waardenVerschillend(new LijstExpressie(lijstWaardenOud), new LijstExpressie(lijstWaardenNieuw), context);
} else {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, lijstAttribuut.getType());
}
return resultaat;
}
/**
* Bouw lijst waardes.
*
* @param lijstAttribuut the lijst attribuut
* @param oudObject the oud object
* @param attribuut the attribuut
* @return the list
*/
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut lijstAttribuut, final BrpObjectExpressie oudObject,
final ExpressieAttribuut attribuut)
{
final Expressie lijstObjecten1 = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), lijstAttribuut);
return bouwLijstWaardes(attribuut, lijstObjecten1);
}
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut attribuut, final Expressie lijstObjecten1) {
final List<Expressie> lijstWaarden = new ArrayList<>();
for (final Expressie objExp : lijstObjecten1.getElementen()) {
final BrpObject obj = ((BrpObjectExpressie) objExp).getBrpObject();
final Expressie waarde = DefaultSolver.getInstance().bepaalWaarde(obj, attribuut);
lijstWaarden.add(waarde);
}
return lijstWaarden;
}
/**
* Controleer de parameters.
*
* @param argumenten de argumenten
* @param context de context
* @return de foutmelding of null als er geen fout is opgetreden
*/
private String valideerParameters(final List<Expressie> argumenten, final Context context) {
final Expressie argument1 = argumenten.get(0);
final Expressie argument2 = argumenten.get(1);
String foutmelding = null;
if (argument1 instanceof BrpObjectExpressie && argument2 instanceof BrpObjectExpressie) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argument1;
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argument2;
if (oudObject.getType(context) != nieuwObject.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee BRP-objecten van hetzelfde type.";
}
} else if (argument1 instanceof LijstExpressie && argument2 instanceof LijstExpressie) {
if (argumenten.size() == VIER_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met vier argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
if (argumenten.size() == TWEE_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met twee argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
} else {
if(!argument1.isNull() && !argument2.isNull()) {
if (argument1.getType(context) != argument2.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee dezelfde objecten als argument.";
}
}
}
return foutmelding;
}
/**
* Vergelijk de functie resultaten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie vergelijkFunctieResultaten(final List<Expressie> argumenten, final Context context) {
final LijstExpressie oudObject = (LijstExpressie) argumenten.get(0);
final LijstExpressie nieuwObject = (LijstExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final List<Expressie> oudExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, oudObject, attribuutCode);
final List<Expressie> nieuweExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, nieuwObject, attribuutCode);
return ExpressieUtil.waardenVerschillend(new LijstExpressie(oudExpressieWaardes), new LijstExpressie(nieuweExpressieWaardes), context);
}
private List<Expressie> bepaalAttribuutWaardesPerLijstElement(final Context context, final LijstExpressie lijstExpressie, final AttribuutcodeExpressie attribuutCode) {
List<Expressie> expressieWaardes = Collections.emptyList();
if (lijstExpressie.aantalElementen() > 0) {
final Expressie objExp = lijstExpressie.getElement(0);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, (BrpObjectExpressie) objExp, context);
expressieWaardes = bouwLijstWaardes(attribuut, lijstExpressie);
}
return expressieWaardes;
}
/**
* Is functie resultaat vergelijking.
*
* @param argumenten de argumenten
* @return the boolean
*/
private boolean isFunctieResultaatVergelijking(final List<Expressie> argumenten) {
return argumenten.get(0) instanceof LijstExpressie && argumenten.get(1) instanceof LijstExpressie;
}
/**
* Retourneert een fout expressie voor een onbekend attribuut.
*
* @param attribuutCode het attribuut dat fout/ongeldig is.
* @param objectType het object type waarbinnen het attribuut zich bevindt.
* @return de fout expressie.
*/
private FoutExpressie bouwFoutExpressieOnbekendAttribuut(final AttribuutcodeExpressie attribuutCode,
final ExpressieType objectType)
{
return new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, String.format("Onbekend attribuut %s bij type %s",
attribuutCode.alsString(), objectType.getNaam()));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @param context de context waarbinnen het object en het attribuut zich bevinden.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut,
final BrpObjectExpressie object, final Context context)
{
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType(context));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut, final ExpressieAttribuut object) {
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType());
}
@Override
public boolean berekenBijOptimalisatie() {
return false;
}
@Override
public Expressie optimaliseer(final List<Expressie> argumenten, final Context context) {
return null;
}
}
|
204604_3 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.expressies.functies;
import java.util.ArrayList;
import java.util.Collections;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.ExpressieUtil;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.LijstExpressie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.Signatuur;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SignatuurOptie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SimpeleSignatuur;
import nl.bzk.brp.expressietaal.expressies.literals.AttribuutcodeExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.symbols.BmrSymbolTable;
import nl.bzk.brp.expressietaal.symbols.DefaultSolver;
import nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut;
import nl.bzk.brp.model.basis.BrpObject;
/**
* Representeert de functie GEWIJZIGD(oud, nieuw, attribuutcode). De functie geeft WAAR terug als het attribuut met code
* attribuutcode gewijzigd is, waarbij oude verwijst naar de oude situatie en nieuw naar de nieuwe. Als beide
* attributen onbekend (NULL) zijn, worden ze als 'niet gewijzigd' beschouwd.
*/
public final class FunctieGEWIJZIGD implements Functieberekening {
private static final Signatuur SIGNATUUR =
new SignatuurOptie(
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE,
ExpressieType.ATTRIBUUTCODE)
);
private static final int TWEE_ARGUMENTEN = 2;
private static final int DRIE_ARGUMENTEN = 3;
private static final int VIER_ARGUMENTEN = 4;
@Override
public List<Expressie> vulDefaultArgumentenIn(final List<Expressie> argumenten) {
return argumenten;
}
@Override
public Signatuur getSignatuur() {
return SIGNATUUR;
}
@Override
public ExpressieType getType(final List<Expressie> argumenten, final Context context) {
return ExpressieType.BOOLEAN;
}
@Override
public ExpressieType getTypeVanElementen(final List<Expressie> argumenten, final Context context) {
return ExpressieType.ONBEKEND_TYPE;
}
@Override
public boolean evalueerArgumenten() {
// De argumenten van GEWIJZIGD moeten niet van tevoren geevalueerd worden, omdat de verwijzing naar het
// attribuut niet verloren moet gaan en er een speciale (afwijkende) rol voor NULL is.
return false;
}
@Override
public Expressie pasToe(final List<Expressie> ongeevalueerdeArgumenten, final Context context) {
final List<Expressie> argumenten = new ArrayList<>(ongeevalueerdeArgumenten.size());
for(Expressie ongeevalueerdArgument : ongeevalueerdeArgumenten) {
argumenten.add(ongeevalueerdArgument.evalueer(context));
}
final Expressie resultaat;
final String foutMelding = valideerParameters(argumenten, context);
if (foutMelding != null) {
resultaat = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, foutMelding);
} else {
// Signatuur zorgt ervoor dat de functie enkel met twee, drie of vier argumenten aangeroepen kan worden.
if (argumenten.size() == TWEE_ARGUMENTEN) {
resultaat = verwerkMetTweeArgumenten(argumenten, context);
} else if (argumenten.size() == DRIE_ARGUMENTEN) {
resultaat = verwerkMetDrieArgumenten(argumenten, context);
} else {
resultaat = verwerkMetVierArgumenten(argumenten, context);
}
}
return resultaat;
}
/**
* Verwerk met twee argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetTweeArgumenten(final List<Expressie> argumenten, final Context context) {
return ExpressieUtil.waardenVerschillend(argumenten.get(0), argumenten.get(1), context);
}
/**
* Verwerk met default argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetDrieArgumenten(final List<Expressie> argumenten, final Context context) {
final Expressie resultaat;
if (isFunctieResultaatVergelijking(argumenten)) {
resultaat = vergelijkFunctieResultaten(argumenten, context);
} else {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, oudObject, context);
if (attribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, oudObject.getType(context));
} else {
final Expressie oudeWaarde = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), attribuut);
final Expressie nieuweWaarde = DefaultSolver.getInstance().bepaalWaarde(nieuwObject.getBrpObject(), attribuut);
resultaat = ExpressieUtil.waardenVerschillend(oudeWaarde, nieuweWaarde, context);
}
}
return resultaat;
}
/**
* Verwerk met vier argumenten, het derde argument is dan niet de directe verwijzing naar een attribuut, maar naar een lijst met groepen zoals
* adressen. Het vierde argument wijst dan naar een attribuut binnen de lijst, zoals postcode.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetVierArgumenten(final List<Expressie> argumenten, final Context context) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final AttribuutcodeExpressie lijstAttribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut lijstAttribuut = bepaalExpressieAttribuutVoorAttribuut(lijstAttribuutCode, oudObject, context);
final Expressie resultaat;
if (lijstAttribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(lijstAttribuutCode, oudObject.getType(context));
} else {
resultaat = verwerkMetVierdeArgument(argumenten, context, lijstAttribuut);
}
return resultaat;
}
/**
* Verwerk met vierde argument, de lijst expressie is bepaald en nu kan de expressie worden verwerkt tot het definitieve resultaat door het attribuut
* binnen de lijst te vergelijken.
*
* @param argumenten de argumenten
* @param context de context
* @param lijstAttribuut het lijst attribuut
* @return de expressie met het resultaat
*/
private Expressie verwerkMetVierdeArgument(final List<Expressie> argumenten, final Context context, final ExpressieAttribuut lijstAttribuut) {
final Expressie resultaat;
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(3);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, lijstAttribuut);
if (attribuut != null) {
final List<Expressie> lijstWaardenOud = bouwLijstWaardes(lijstAttribuut, oudObject, attribuut);
final List<Expressie> lijstWaardenNieuw = bouwLijstWaardes(lijstAttribuut, nieuwObject, attribuut);
resultaat = ExpressieUtil.waardenVerschillend(new LijstExpressie(lijstWaardenOud), new LijstExpressie(lijstWaardenNieuw), context);
} else {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, lijstAttribuut.getType());
}
return resultaat;
}
/**
* Bouw lijst waardes.
*
* @param lijstAttribuut the lijst attribuut
* @param oudObject the oud object
* @param attribuut the attribuut
* @return the list
*/
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut lijstAttribuut, final BrpObjectExpressie oudObject,
final ExpressieAttribuut attribuut)
{
final Expressie lijstObjecten1 = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), lijstAttribuut);
return bouwLijstWaardes(attribuut, lijstObjecten1);
}
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut attribuut, final Expressie lijstObjecten1) {
final List<Expressie> lijstWaarden = new ArrayList<>();
for (final Expressie objExp : lijstObjecten1.getElementen()) {
final BrpObject obj = ((BrpObjectExpressie) objExp).getBrpObject();
final Expressie waarde = DefaultSolver.getInstance().bepaalWaarde(obj, attribuut);
lijstWaarden.add(waarde);
}
return lijstWaarden;
}
/**
* Controleer de parameters.
*
* @param argumenten de argumenten
* @param context de context
* @return de foutmelding of null als er geen fout is opgetreden
*/
private String valideerParameters(final List<Expressie> argumenten, final Context context) {
final Expressie argument1 = argumenten.get(0);
final Expressie argument2 = argumenten.get(1);
String foutmelding = null;
if (argument1 instanceof BrpObjectExpressie && argument2 instanceof BrpObjectExpressie) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argument1;
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argument2;
if (oudObject.getType(context) != nieuwObject.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee BRP-objecten van hetzelfde type.";
}
} else if (argument1 instanceof LijstExpressie && argument2 instanceof LijstExpressie) {
if (argumenten.size() == VIER_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met vier argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
if (argumenten.size() == TWEE_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met twee argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
} else {
if(!argument1.isNull() && !argument2.isNull()) {
if (argument1.getType(context) != argument2.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee dezelfde objecten als argument.";
}
}
}
return foutmelding;
}
/**
* Vergelijk de functie resultaten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie vergelijkFunctieResultaten(final List<Expressie> argumenten, final Context context) {
final LijstExpressie oudObject = (LijstExpressie) argumenten.get(0);
final LijstExpressie nieuwObject = (LijstExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final List<Expressie> oudExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, oudObject, attribuutCode);
final List<Expressie> nieuweExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, nieuwObject, attribuutCode);
return ExpressieUtil.waardenVerschillend(new LijstExpressie(oudExpressieWaardes), new LijstExpressie(nieuweExpressieWaardes), context);
}
private List<Expressie> bepaalAttribuutWaardesPerLijstElement(final Context context, final LijstExpressie lijstExpressie, final AttribuutcodeExpressie attribuutCode) {
List<Expressie> expressieWaardes = Collections.emptyList();
if (lijstExpressie.aantalElementen() > 0) {
final Expressie objExp = lijstExpressie.getElement(0);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, (BrpObjectExpressie) objExp, context);
expressieWaardes = bouwLijstWaardes(attribuut, lijstExpressie);
}
return expressieWaardes;
}
/**
* Is functie resultaat vergelijking.
*
* @param argumenten de argumenten
* @return the boolean
*/
private boolean isFunctieResultaatVergelijking(final List<Expressie> argumenten) {
return argumenten.get(0) instanceof LijstExpressie && argumenten.get(1) instanceof LijstExpressie;
}
/**
* Retourneert een fout expressie voor een onbekend attribuut.
*
* @param attribuutCode het attribuut dat fout/ongeldig is.
* @param objectType het object type waarbinnen het attribuut zich bevindt.
* @return de fout expressie.
*/
private FoutExpressie bouwFoutExpressieOnbekendAttribuut(final AttribuutcodeExpressie attribuutCode,
final ExpressieType objectType)
{
return new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, String.format("Onbekend attribuut %s bij type %s",
attribuutCode.alsString(), objectType.getNaam()));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @param context de context waarbinnen het object en het attribuut zich bevinden.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut,
final BrpObjectExpressie object, final Context context)
{
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType(context));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut, final ExpressieAttribuut object) {
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType());
}
@Override
public boolean berekenBijOptimalisatie() {
return false;
}
@Override
public Expressie optimaliseer(final List<Expressie> argumenten, final Context context) {
return null;
}
}
| MinBZK/OperatieBRP | 2016/brp 2016-02-09/algemeen/algemeen-model/expressietaal/src/main/java/nl/bzk/brp/expressietaal/expressies/functies/FunctieGEWIJZIGD.java | 4,532 | // attribuut niet verloren moet gaan en er een speciale (afwijkende) rol voor NULL is. | line_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.expressies.functies;
import java.util.ArrayList;
import java.util.Collections;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.ExpressieUtil;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.LijstExpressie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.Signatuur;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SignatuurOptie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SimpeleSignatuur;
import nl.bzk.brp.expressietaal.expressies.literals.AttribuutcodeExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.symbols.BmrSymbolTable;
import nl.bzk.brp.expressietaal.symbols.DefaultSolver;
import nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut;
import nl.bzk.brp.model.basis.BrpObject;
/**
* Representeert de functie GEWIJZIGD(oud, nieuw, attribuutcode). De functie geeft WAAR terug als het attribuut met code
* attribuutcode gewijzigd is, waarbij oude verwijst naar de oude situatie en nieuw naar de nieuwe. Als beide
* attributen onbekend (NULL) zijn, worden ze als 'niet gewijzigd' beschouwd.
*/
public final class FunctieGEWIJZIGD implements Functieberekening {
private static final Signatuur SIGNATUUR =
new SignatuurOptie(
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE,
ExpressieType.ATTRIBUUTCODE)
);
private static final int TWEE_ARGUMENTEN = 2;
private static final int DRIE_ARGUMENTEN = 3;
private static final int VIER_ARGUMENTEN = 4;
@Override
public List<Expressie> vulDefaultArgumentenIn(final List<Expressie> argumenten) {
return argumenten;
}
@Override
public Signatuur getSignatuur() {
return SIGNATUUR;
}
@Override
public ExpressieType getType(final List<Expressie> argumenten, final Context context) {
return ExpressieType.BOOLEAN;
}
@Override
public ExpressieType getTypeVanElementen(final List<Expressie> argumenten, final Context context) {
return ExpressieType.ONBEKEND_TYPE;
}
@Override
public boolean evalueerArgumenten() {
// De argumenten van GEWIJZIGD moeten niet van tevoren geevalueerd worden, omdat de verwijzing naar het
// attribuut niet<SUF>
return false;
}
@Override
public Expressie pasToe(final List<Expressie> ongeevalueerdeArgumenten, final Context context) {
final List<Expressie> argumenten = new ArrayList<>(ongeevalueerdeArgumenten.size());
for(Expressie ongeevalueerdArgument : ongeevalueerdeArgumenten) {
argumenten.add(ongeevalueerdArgument.evalueer(context));
}
final Expressie resultaat;
final String foutMelding = valideerParameters(argumenten, context);
if (foutMelding != null) {
resultaat = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, foutMelding);
} else {
// Signatuur zorgt ervoor dat de functie enkel met twee, drie of vier argumenten aangeroepen kan worden.
if (argumenten.size() == TWEE_ARGUMENTEN) {
resultaat = verwerkMetTweeArgumenten(argumenten, context);
} else if (argumenten.size() == DRIE_ARGUMENTEN) {
resultaat = verwerkMetDrieArgumenten(argumenten, context);
} else {
resultaat = verwerkMetVierArgumenten(argumenten, context);
}
}
return resultaat;
}
/**
* Verwerk met twee argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetTweeArgumenten(final List<Expressie> argumenten, final Context context) {
return ExpressieUtil.waardenVerschillend(argumenten.get(0), argumenten.get(1), context);
}
/**
* Verwerk met default argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetDrieArgumenten(final List<Expressie> argumenten, final Context context) {
final Expressie resultaat;
if (isFunctieResultaatVergelijking(argumenten)) {
resultaat = vergelijkFunctieResultaten(argumenten, context);
} else {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, oudObject, context);
if (attribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, oudObject.getType(context));
} else {
final Expressie oudeWaarde = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), attribuut);
final Expressie nieuweWaarde = DefaultSolver.getInstance().bepaalWaarde(nieuwObject.getBrpObject(), attribuut);
resultaat = ExpressieUtil.waardenVerschillend(oudeWaarde, nieuweWaarde, context);
}
}
return resultaat;
}
/**
* Verwerk met vier argumenten, het derde argument is dan niet de directe verwijzing naar een attribuut, maar naar een lijst met groepen zoals
* adressen. Het vierde argument wijst dan naar een attribuut binnen de lijst, zoals postcode.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetVierArgumenten(final List<Expressie> argumenten, final Context context) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final AttribuutcodeExpressie lijstAttribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut lijstAttribuut = bepaalExpressieAttribuutVoorAttribuut(lijstAttribuutCode, oudObject, context);
final Expressie resultaat;
if (lijstAttribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(lijstAttribuutCode, oudObject.getType(context));
} else {
resultaat = verwerkMetVierdeArgument(argumenten, context, lijstAttribuut);
}
return resultaat;
}
/**
* Verwerk met vierde argument, de lijst expressie is bepaald en nu kan de expressie worden verwerkt tot het definitieve resultaat door het attribuut
* binnen de lijst te vergelijken.
*
* @param argumenten de argumenten
* @param context de context
* @param lijstAttribuut het lijst attribuut
* @return de expressie met het resultaat
*/
private Expressie verwerkMetVierdeArgument(final List<Expressie> argumenten, final Context context, final ExpressieAttribuut lijstAttribuut) {
final Expressie resultaat;
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(3);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, lijstAttribuut);
if (attribuut != null) {
final List<Expressie> lijstWaardenOud = bouwLijstWaardes(lijstAttribuut, oudObject, attribuut);
final List<Expressie> lijstWaardenNieuw = bouwLijstWaardes(lijstAttribuut, nieuwObject, attribuut);
resultaat = ExpressieUtil.waardenVerschillend(new LijstExpressie(lijstWaardenOud), new LijstExpressie(lijstWaardenNieuw), context);
} else {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, lijstAttribuut.getType());
}
return resultaat;
}
/**
* Bouw lijst waardes.
*
* @param lijstAttribuut the lijst attribuut
* @param oudObject the oud object
* @param attribuut the attribuut
* @return the list
*/
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut lijstAttribuut, final BrpObjectExpressie oudObject,
final ExpressieAttribuut attribuut)
{
final Expressie lijstObjecten1 = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), lijstAttribuut);
return bouwLijstWaardes(attribuut, lijstObjecten1);
}
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut attribuut, final Expressie lijstObjecten1) {
final List<Expressie> lijstWaarden = new ArrayList<>();
for (final Expressie objExp : lijstObjecten1.getElementen()) {
final BrpObject obj = ((BrpObjectExpressie) objExp).getBrpObject();
final Expressie waarde = DefaultSolver.getInstance().bepaalWaarde(obj, attribuut);
lijstWaarden.add(waarde);
}
return lijstWaarden;
}
/**
* Controleer de parameters.
*
* @param argumenten de argumenten
* @param context de context
* @return de foutmelding of null als er geen fout is opgetreden
*/
private String valideerParameters(final List<Expressie> argumenten, final Context context) {
final Expressie argument1 = argumenten.get(0);
final Expressie argument2 = argumenten.get(1);
String foutmelding = null;
if (argument1 instanceof BrpObjectExpressie && argument2 instanceof BrpObjectExpressie) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argument1;
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argument2;
if (oudObject.getType(context) != nieuwObject.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee BRP-objecten van hetzelfde type.";
}
} else if (argument1 instanceof LijstExpressie && argument2 instanceof LijstExpressie) {
if (argumenten.size() == VIER_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met vier argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
if (argumenten.size() == TWEE_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met twee argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
} else {
if(!argument1.isNull() && !argument2.isNull()) {
if (argument1.getType(context) != argument2.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee dezelfde objecten als argument.";
}
}
}
return foutmelding;
}
/**
* Vergelijk de functie resultaten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie vergelijkFunctieResultaten(final List<Expressie> argumenten, final Context context) {
final LijstExpressie oudObject = (LijstExpressie) argumenten.get(0);
final LijstExpressie nieuwObject = (LijstExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final List<Expressie> oudExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, oudObject, attribuutCode);
final List<Expressie> nieuweExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, nieuwObject, attribuutCode);
return ExpressieUtil.waardenVerschillend(new LijstExpressie(oudExpressieWaardes), new LijstExpressie(nieuweExpressieWaardes), context);
}
private List<Expressie> bepaalAttribuutWaardesPerLijstElement(final Context context, final LijstExpressie lijstExpressie, final AttribuutcodeExpressie attribuutCode) {
List<Expressie> expressieWaardes = Collections.emptyList();
if (lijstExpressie.aantalElementen() > 0) {
final Expressie objExp = lijstExpressie.getElement(0);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, (BrpObjectExpressie) objExp, context);
expressieWaardes = bouwLijstWaardes(attribuut, lijstExpressie);
}
return expressieWaardes;
}
/**
* Is functie resultaat vergelijking.
*
* @param argumenten de argumenten
* @return the boolean
*/
private boolean isFunctieResultaatVergelijking(final List<Expressie> argumenten) {
return argumenten.get(0) instanceof LijstExpressie && argumenten.get(1) instanceof LijstExpressie;
}
/**
* Retourneert een fout expressie voor een onbekend attribuut.
*
* @param attribuutCode het attribuut dat fout/ongeldig is.
* @param objectType het object type waarbinnen het attribuut zich bevindt.
* @return de fout expressie.
*/
private FoutExpressie bouwFoutExpressieOnbekendAttribuut(final AttribuutcodeExpressie attribuutCode,
final ExpressieType objectType)
{
return new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, String.format("Onbekend attribuut %s bij type %s",
attribuutCode.alsString(), objectType.getNaam()));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @param context de context waarbinnen het object en het attribuut zich bevinden.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut,
final BrpObjectExpressie object, final Context context)
{
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType(context));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut, final ExpressieAttribuut object) {
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType());
}
@Override
public boolean berekenBijOptimalisatie() {
return false;
}
@Override
public Expressie optimaliseer(final List<Expressie> argumenten, final Context context) {
return null;
}
}
|
204604_4 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.expressies.functies;
import java.util.ArrayList;
import java.util.Collections;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.ExpressieUtil;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.LijstExpressie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.Signatuur;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SignatuurOptie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SimpeleSignatuur;
import nl.bzk.brp.expressietaal.expressies.literals.AttribuutcodeExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.symbols.BmrSymbolTable;
import nl.bzk.brp.expressietaal.symbols.DefaultSolver;
import nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut;
import nl.bzk.brp.model.basis.BrpObject;
/**
* Representeert de functie GEWIJZIGD(oud, nieuw, attribuutcode). De functie geeft WAAR terug als het attribuut met code
* attribuutcode gewijzigd is, waarbij oude verwijst naar de oude situatie en nieuw naar de nieuwe. Als beide
* attributen onbekend (NULL) zijn, worden ze als 'niet gewijzigd' beschouwd.
*/
public final class FunctieGEWIJZIGD implements Functieberekening {
private static final Signatuur SIGNATUUR =
new SignatuurOptie(
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE,
ExpressieType.ATTRIBUUTCODE)
);
private static final int TWEE_ARGUMENTEN = 2;
private static final int DRIE_ARGUMENTEN = 3;
private static final int VIER_ARGUMENTEN = 4;
@Override
public List<Expressie> vulDefaultArgumentenIn(final List<Expressie> argumenten) {
return argumenten;
}
@Override
public Signatuur getSignatuur() {
return SIGNATUUR;
}
@Override
public ExpressieType getType(final List<Expressie> argumenten, final Context context) {
return ExpressieType.BOOLEAN;
}
@Override
public ExpressieType getTypeVanElementen(final List<Expressie> argumenten, final Context context) {
return ExpressieType.ONBEKEND_TYPE;
}
@Override
public boolean evalueerArgumenten() {
// De argumenten van GEWIJZIGD moeten niet van tevoren geevalueerd worden, omdat de verwijzing naar het
// attribuut niet verloren moet gaan en er een speciale (afwijkende) rol voor NULL is.
return false;
}
@Override
public Expressie pasToe(final List<Expressie> ongeevalueerdeArgumenten, final Context context) {
final List<Expressie> argumenten = new ArrayList<>(ongeevalueerdeArgumenten.size());
for(Expressie ongeevalueerdArgument : ongeevalueerdeArgumenten) {
argumenten.add(ongeevalueerdArgument.evalueer(context));
}
final Expressie resultaat;
final String foutMelding = valideerParameters(argumenten, context);
if (foutMelding != null) {
resultaat = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, foutMelding);
} else {
// Signatuur zorgt ervoor dat de functie enkel met twee, drie of vier argumenten aangeroepen kan worden.
if (argumenten.size() == TWEE_ARGUMENTEN) {
resultaat = verwerkMetTweeArgumenten(argumenten, context);
} else if (argumenten.size() == DRIE_ARGUMENTEN) {
resultaat = verwerkMetDrieArgumenten(argumenten, context);
} else {
resultaat = verwerkMetVierArgumenten(argumenten, context);
}
}
return resultaat;
}
/**
* Verwerk met twee argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetTweeArgumenten(final List<Expressie> argumenten, final Context context) {
return ExpressieUtil.waardenVerschillend(argumenten.get(0), argumenten.get(1), context);
}
/**
* Verwerk met default argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetDrieArgumenten(final List<Expressie> argumenten, final Context context) {
final Expressie resultaat;
if (isFunctieResultaatVergelijking(argumenten)) {
resultaat = vergelijkFunctieResultaten(argumenten, context);
} else {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, oudObject, context);
if (attribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, oudObject.getType(context));
} else {
final Expressie oudeWaarde = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), attribuut);
final Expressie nieuweWaarde = DefaultSolver.getInstance().bepaalWaarde(nieuwObject.getBrpObject(), attribuut);
resultaat = ExpressieUtil.waardenVerschillend(oudeWaarde, nieuweWaarde, context);
}
}
return resultaat;
}
/**
* Verwerk met vier argumenten, het derde argument is dan niet de directe verwijzing naar een attribuut, maar naar een lijst met groepen zoals
* adressen. Het vierde argument wijst dan naar een attribuut binnen de lijst, zoals postcode.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetVierArgumenten(final List<Expressie> argumenten, final Context context) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final AttribuutcodeExpressie lijstAttribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut lijstAttribuut = bepaalExpressieAttribuutVoorAttribuut(lijstAttribuutCode, oudObject, context);
final Expressie resultaat;
if (lijstAttribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(lijstAttribuutCode, oudObject.getType(context));
} else {
resultaat = verwerkMetVierdeArgument(argumenten, context, lijstAttribuut);
}
return resultaat;
}
/**
* Verwerk met vierde argument, de lijst expressie is bepaald en nu kan de expressie worden verwerkt tot het definitieve resultaat door het attribuut
* binnen de lijst te vergelijken.
*
* @param argumenten de argumenten
* @param context de context
* @param lijstAttribuut het lijst attribuut
* @return de expressie met het resultaat
*/
private Expressie verwerkMetVierdeArgument(final List<Expressie> argumenten, final Context context, final ExpressieAttribuut lijstAttribuut) {
final Expressie resultaat;
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(3);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, lijstAttribuut);
if (attribuut != null) {
final List<Expressie> lijstWaardenOud = bouwLijstWaardes(lijstAttribuut, oudObject, attribuut);
final List<Expressie> lijstWaardenNieuw = bouwLijstWaardes(lijstAttribuut, nieuwObject, attribuut);
resultaat = ExpressieUtil.waardenVerschillend(new LijstExpressie(lijstWaardenOud), new LijstExpressie(lijstWaardenNieuw), context);
} else {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, lijstAttribuut.getType());
}
return resultaat;
}
/**
* Bouw lijst waardes.
*
* @param lijstAttribuut the lijst attribuut
* @param oudObject the oud object
* @param attribuut the attribuut
* @return the list
*/
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut lijstAttribuut, final BrpObjectExpressie oudObject,
final ExpressieAttribuut attribuut)
{
final Expressie lijstObjecten1 = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), lijstAttribuut);
return bouwLijstWaardes(attribuut, lijstObjecten1);
}
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut attribuut, final Expressie lijstObjecten1) {
final List<Expressie> lijstWaarden = new ArrayList<>();
for (final Expressie objExp : lijstObjecten1.getElementen()) {
final BrpObject obj = ((BrpObjectExpressie) objExp).getBrpObject();
final Expressie waarde = DefaultSolver.getInstance().bepaalWaarde(obj, attribuut);
lijstWaarden.add(waarde);
}
return lijstWaarden;
}
/**
* Controleer de parameters.
*
* @param argumenten de argumenten
* @param context de context
* @return de foutmelding of null als er geen fout is opgetreden
*/
private String valideerParameters(final List<Expressie> argumenten, final Context context) {
final Expressie argument1 = argumenten.get(0);
final Expressie argument2 = argumenten.get(1);
String foutmelding = null;
if (argument1 instanceof BrpObjectExpressie && argument2 instanceof BrpObjectExpressie) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argument1;
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argument2;
if (oudObject.getType(context) != nieuwObject.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee BRP-objecten van hetzelfde type.";
}
} else if (argument1 instanceof LijstExpressie && argument2 instanceof LijstExpressie) {
if (argumenten.size() == VIER_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met vier argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
if (argumenten.size() == TWEE_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met twee argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
} else {
if(!argument1.isNull() && !argument2.isNull()) {
if (argument1.getType(context) != argument2.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee dezelfde objecten als argument.";
}
}
}
return foutmelding;
}
/**
* Vergelijk de functie resultaten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie vergelijkFunctieResultaten(final List<Expressie> argumenten, final Context context) {
final LijstExpressie oudObject = (LijstExpressie) argumenten.get(0);
final LijstExpressie nieuwObject = (LijstExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final List<Expressie> oudExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, oudObject, attribuutCode);
final List<Expressie> nieuweExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, nieuwObject, attribuutCode);
return ExpressieUtil.waardenVerschillend(new LijstExpressie(oudExpressieWaardes), new LijstExpressie(nieuweExpressieWaardes), context);
}
private List<Expressie> bepaalAttribuutWaardesPerLijstElement(final Context context, final LijstExpressie lijstExpressie, final AttribuutcodeExpressie attribuutCode) {
List<Expressie> expressieWaardes = Collections.emptyList();
if (lijstExpressie.aantalElementen() > 0) {
final Expressie objExp = lijstExpressie.getElement(0);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, (BrpObjectExpressie) objExp, context);
expressieWaardes = bouwLijstWaardes(attribuut, lijstExpressie);
}
return expressieWaardes;
}
/**
* Is functie resultaat vergelijking.
*
* @param argumenten de argumenten
* @return the boolean
*/
private boolean isFunctieResultaatVergelijking(final List<Expressie> argumenten) {
return argumenten.get(0) instanceof LijstExpressie && argumenten.get(1) instanceof LijstExpressie;
}
/**
* Retourneert een fout expressie voor een onbekend attribuut.
*
* @param attribuutCode het attribuut dat fout/ongeldig is.
* @param objectType het object type waarbinnen het attribuut zich bevindt.
* @return de fout expressie.
*/
private FoutExpressie bouwFoutExpressieOnbekendAttribuut(final AttribuutcodeExpressie attribuutCode,
final ExpressieType objectType)
{
return new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, String.format("Onbekend attribuut %s bij type %s",
attribuutCode.alsString(), objectType.getNaam()));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @param context de context waarbinnen het object en het attribuut zich bevinden.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut,
final BrpObjectExpressie object, final Context context)
{
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType(context));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut, final ExpressieAttribuut object) {
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType());
}
@Override
public boolean berekenBijOptimalisatie() {
return false;
}
@Override
public Expressie optimaliseer(final List<Expressie> argumenten, final Context context) {
return null;
}
}
| MinBZK/OperatieBRP | 2016/brp 2016-02-09/algemeen/algemeen-model/expressietaal/src/main/java/nl/bzk/brp/expressietaal/expressies/functies/FunctieGEWIJZIGD.java | 4,532 | // Signatuur zorgt ervoor dat de functie enkel met twee, drie of vier argumenten aangeroepen kan worden. | line_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.expressies.functies;
import java.util.ArrayList;
import java.util.Collections;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.ExpressieUtil;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.LijstExpressie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.Signatuur;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SignatuurOptie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SimpeleSignatuur;
import nl.bzk.brp.expressietaal.expressies.literals.AttribuutcodeExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.symbols.BmrSymbolTable;
import nl.bzk.brp.expressietaal.symbols.DefaultSolver;
import nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut;
import nl.bzk.brp.model.basis.BrpObject;
/**
* Representeert de functie GEWIJZIGD(oud, nieuw, attribuutcode). De functie geeft WAAR terug als het attribuut met code
* attribuutcode gewijzigd is, waarbij oude verwijst naar de oude situatie en nieuw naar de nieuwe. Als beide
* attributen onbekend (NULL) zijn, worden ze als 'niet gewijzigd' beschouwd.
*/
public final class FunctieGEWIJZIGD implements Functieberekening {
private static final Signatuur SIGNATUUR =
new SignatuurOptie(
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE,
ExpressieType.ATTRIBUUTCODE)
);
private static final int TWEE_ARGUMENTEN = 2;
private static final int DRIE_ARGUMENTEN = 3;
private static final int VIER_ARGUMENTEN = 4;
@Override
public List<Expressie> vulDefaultArgumentenIn(final List<Expressie> argumenten) {
return argumenten;
}
@Override
public Signatuur getSignatuur() {
return SIGNATUUR;
}
@Override
public ExpressieType getType(final List<Expressie> argumenten, final Context context) {
return ExpressieType.BOOLEAN;
}
@Override
public ExpressieType getTypeVanElementen(final List<Expressie> argumenten, final Context context) {
return ExpressieType.ONBEKEND_TYPE;
}
@Override
public boolean evalueerArgumenten() {
// De argumenten van GEWIJZIGD moeten niet van tevoren geevalueerd worden, omdat de verwijzing naar het
// attribuut niet verloren moet gaan en er een speciale (afwijkende) rol voor NULL is.
return false;
}
@Override
public Expressie pasToe(final List<Expressie> ongeevalueerdeArgumenten, final Context context) {
final List<Expressie> argumenten = new ArrayList<>(ongeevalueerdeArgumenten.size());
for(Expressie ongeevalueerdArgument : ongeevalueerdeArgumenten) {
argumenten.add(ongeevalueerdArgument.evalueer(context));
}
final Expressie resultaat;
final String foutMelding = valideerParameters(argumenten, context);
if (foutMelding != null) {
resultaat = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, foutMelding);
} else {
// Signatuur zorgt<SUF>
if (argumenten.size() == TWEE_ARGUMENTEN) {
resultaat = verwerkMetTweeArgumenten(argumenten, context);
} else if (argumenten.size() == DRIE_ARGUMENTEN) {
resultaat = verwerkMetDrieArgumenten(argumenten, context);
} else {
resultaat = verwerkMetVierArgumenten(argumenten, context);
}
}
return resultaat;
}
/**
* Verwerk met twee argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetTweeArgumenten(final List<Expressie> argumenten, final Context context) {
return ExpressieUtil.waardenVerschillend(argumenten.get(0), argumenten.get(1), context);
}
/**
* Verwerk met default argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetDrieArgumenten(final List<Expressie> argumenten, final Context context) {
final Expressie resultaat;
if (isFunctieResultaatVergelijking(argumenten)) {
resultaat = vergelijkFunctieResultaten(argumenten, context);
} else {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, oudObject, context);
if (attribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, oudObject.getType(context));
} else {
final Expressie oudeWaarde = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), attribuut);
final Expressie nieuweWaarde = DefaultSolver.getInstance().bepaalWaarde(nieuwObject.getBrpObject(), attribuut);
resultaat = ExpressieUtil.waardenVerschillend(oudeWaarde, nieuweWaarde, context);
}
}
return resultaat;
}
/**
* Verwerk met vier argumenten, het derde argument is dan niet de directe verwijzing naar een attribuut, maar naar een lijst met groepen zoals
* adressen. Het vierde argument wijst dan naar een attribuut binnen de lijst, zoals postcode.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetVierArgumenten(final List<Expressie> argumenten, final Context context) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final AttribuutcodeExpressie lijstAttribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut lijstAttribuut = bepaalExpressieAttribuutVoorAttribuut(lijstAttribuutCode, oudObject, context);
final Expressie resultaat;
if (lijstAttribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(lijstAttribuutCode, oudObject.getType(context));
} else {
resultaat = verwerkMetVierdeArgument(argumenten, context, lijstAttribuut);
}
return resultaat;
}
/**
* Verwerk met vierde argument, de lijst expressie is bepaald en nu kan de expressie worden verwerkt tot het definitieve resultaat door het attribuut
* binnen de lijst te vergelijken.
*
* @param argumenten de argumenten
* @param context de context
* @param lijstAttribuut het lijst attribuut
* @return de expressie met het resultaat
*/
private Expressie verwerkMetVierdeArgument(final List<Expressie> argumenten, final Context context, final ExpressieAttribuut lijstAttribuut) {
final Expressie resultaat;
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(3);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, lijstAttribuut);
if (attribuut != null) {
final List<Expressie> lijstWaardenOud = bouwLijstWaardes(lijstAttribuut, oudObject, attribuut);
final List<Expressie> lijstWaardenNieuw = bouwLijstWaardes(lijstAttribuut, nieuwObject, attribuut);
resultaat = ExpressieUtil.waardenVerschillend(new LijstExpressie(lijstWaardenOud), new LijstExpressie(lijstWaardenNieuw), context);
} else {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, lijstAttribuut.getType());
}
return resultaat;
}
/**
* Bouw lijst waardes.
*
* @param lijstAttribuut the lijst attribuut
* @param oudObject the oud object
* @param attribuut the attribuut
* @return the list
*/
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut lijstAttribuut, final BrpObjectExpressie oudObject,
final ExpressieAttribuut attribuut)
{
final Expressie lijstObjecten1 = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), lijstAttribuut);
return bouwLijstWaardes(attribuut, lijstObjecten1);
}
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut attribuut, final Expressie lijstObjecten1) {
final List<Expressie> lijstWaarden = new ArrayList<>();
for (final Expressie objExp : lijstObjecten1.getElementen()) {
final BrpObject obj = ((BrpObjectExpressie) objExp).getBrpObject();
final Expressie waarde = DefaultSolver.getInstance().bepaalWaarde(obj, attribuut);
lijstWaarden.add(waarde);
}
return lijstWaarden;
}
/**
* Controleer de parameters.
*
* @param argumenten de argumenten
* @param context de context
* @return de foutmelding of null als er geen fout is opgetreden
*/
private String valideerParameters(final List<Expressie> argumenten, final Context context) {
final Expressie argument1 = argumenten.get(0);
final Expressie argument2 = argumenten.get(1);
String foutmelding = null;
if (argument1 instanceof BrpObjectExpressie && argument2 instanceof BrpObjectExpressie) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argument1;
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argument2;
if (oudObject.getType(context) != nieuwObject.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee BRP-objecten van hetzelfde type.";
}
} else if (argument1 instanceof LijstExpressie && argument2 instanceof LijstExpressie) {
if (argumenten.size() == VIER_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met vier argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
if (argumenten.size() == TWEE_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met twee argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
} else {
if(!argument1.isNull() && !argument2.isNull()) {
if (argument1.getType(context) != argument2.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee dezelfde objecten als argument.";
}
}
}
return foutmelding;
}
/**
* Vergelijk de functie resultaten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie vergelijkFunctieResultaten(final List<Expressie> argumenten, final Context context) {
final LijstExpressie oudObject = (LijstExpressie) argumenten.get(0);
final LijstExpressie nieuwObject = (LijstExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final List<Expressie> oudExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, oudObject, attribuutCode);
final List<Expressie> nieuweExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, nieuwObject, attribuutCode);
return ExpressieUtil.waardenVerschillend(new LijstExpressie(oudExpressieWaardes), new LijstExpressie(nieuweExpressieWaardes), context);
}
private List<Expressie> bepaalAttribuutWaardesPerLijstElement(final Context context, final LijstExpressie lijstExpressie, final AttribuutcodeExpressie attribuutCode) {
List<Expressie> expressieWaardes = Collections.emptyList();
if (lijstExpressie.aantalElementen() > 0) {
final Expressie objExp = lijstExpressie.getElement(0);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, (BrpObjectExpressie) objExp, context);
expressieWaardes = bouwLijstWaardes(attribuut, lijstExpressie);
}
return expressieWaardes;
}
/**
* Is functie resultaat vergelijking.
*
* @param argumenten de argumenten
* @return the boolean
*/
private boolean isFunctieResultaatVergelijking(final List<Expressie> argumenten) {
return argumenten.get(0) instanceof LijstExpressie && argumenten.get(1) instanceof LijstExpressie;
}
/**
* Retourneert een fout expressie voor een onbekend attribuut.
*
* @param attribuutCode het attribuut dat fout/ongeldig is.
* @param objectType het object type waarbinnen het attribuut zich bevindt.
* @return de fout expressie.
*/
private FoutExpressie bouwFoutExpressieOnbekendAttribuut(final AttribuutcodeExpressie attribuutCode,
final ExpressieType objectType)
{
return new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, String.format("Onbekend attribuut %s bij type %s",
attribuutCode.alsString(), objectType.getNaam()));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @param context de context waarbinnen het object en het attribuut zich bevinden.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut,
final BrpObjectExpressie object, final Context context)
{
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType(context));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut, final ExpressieAttribuut object) {
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType());
}
@Override
public boolean berekenBijOptimalisatie() {
return false;
}
@Override
public Expressie optimaliseer(final List<Expressie> argumenten, final Context context) {
return null;
}
}
|
204604_5 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.expressies.functies;
import java.util.ArrayList;
import java.util.Collections;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.ExpressieUtil;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.LijstExpressie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.Signatuur;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SignatuurOptie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SimpeleSignatuur;
import nl.bzk.brp.expressietaal.expressies.literals.AttribuutcodeExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.symbols.BmrSymbolTable;
import nl.bzk.brp.expressietaal.symbols.DefaultSolver;
import nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut;
import nl.bzk.brp.model.basis.BrpObject;
/**
* Representeert de functie GEWIJZIGD(oud, nieuw, attribuutcode). De functie geeft WAAR terug als het attribuut met code
* attribuutcode gewijzigd is, waarbij oude verwijst naar de oude situatie en nieuw naar de nieuwe. Als beide
* attributen onbekend (NULL) zijn, worden ze als 'niet gewijzigd' beschouwd.
*/
public final class FunctieGEWIJZIGD implements Functieberekening {
private static final Signatuur SIGNATUUR =
new SignatuurOptie(
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE,
ExpressieType.ATTRIBUUTCODE)
);
private static final int TWEE_ARGUMENTEN = 2;
private static final int DRIE_ARGUMENTEN = 3;
private static final int VIER_ARGUMENTEN = 4;
@Override
public List<Expressie> vulDefaultArgumentenIn(final List<Expressie> argumenten) {
return argumenten;
}
@Override
public Signatuur getSignatuur() {
return SIGNATUUR;
}
@Override
public ExpressieType getType(final List<Expressie> argumenten, final Context context) {
return ExpressieType.BOOLEAN;
}
@Override
public ExpressieType getTypeVanElementen(final List<Expressie> argumenten, final Context context) {
return ExpressieType.ONBEKEND_TYPE;
}
@Override
public boolean evalueerArgumenten() {
// De argumenten van GEWIJZIGD moeten niet van tevoren geevalueerd worden, omdat de verwijzing naar het
// attribuut niet verloren moet gaan en er een speciale (afwijkende) rol voor NULL is.
return false;
}
@Override
public Expressie pasToe(final List<Expressie> ongeevalueerdeArgumenten, final Context context) {
final List<Expressie> argumenten = new ArrayList<>(ongeevalueerdeArgumenten.size());
for(Expressie ongeevalueerdArgument : ongeevalueerdeArgumenten) {
argumenten.add(ongeevalueerdArgument.evalueer(context));
}
final Expressie resultaat;
final String foutMelding = valideerParameters(argumenten, context);
if (foutMelding != null) {
resultaat = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, foutMelding);
} else {
// Signatuur zorgt ervoor dat de functie enkel met twee, drie of vier argumenten aangeroepen kan worden.
if (argumenten.size() == TWEE_ARGUMENTEN) {
resultaat = verwerkMetTweeArgumenten(argumenten, context);
} else if (argumenten.size() == DRIE_ARGUMENTEN) {
resultaat = verwerkMetDrieArgumenten(argumenten, context);
} else {
resultaat = verwerkMetVierArgumenten(argumenten, context);
}
}
return resultaat;
}
/**
* Verwerk met twee argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetTweeArgumenten(final List<Expressie> argumenten, final Context context) {
return ExpressieUtil.waardenVerschillend(argumenten.get(0), argumenten.get(1), context);
}
/**
* Verwerk met default argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetDrieArgumenten(final List<Expressie> argumenten, final Context context) {
final Expressie resultaat;
if (isFunctieResultaatVergelijking(argumenten)) {
resultaat = vergelijkFunctieResultaten(argumenten, context);
} else {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, oudObject, context);
if (attribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, oudObject.getType(context));
} else {
final Expressie oudeWaarde = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), attribuut);
final Expressie nieuweWaarde = DefaultSolver.getInstance().bepaalWaarde(nieuwObject.getBrpObject(), attribuut);
resultaat = ExpressieUtil.waardenVerschillend(oudeWaarde, nieuweWaarde, context);
}
}
return resultaat;
}
/**
* Verwerk met vier argumenten, het derde argument is dan niet de directe verwijzing naar een attribuut, maar naar een lijst met groepen zoals
* adressen. Het vierde argument wijst dan naar een attribuut binnen de lijst, zoals postcode.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetVierArgumenten(final List<Expressie> argumenten, final Context context) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final AttribuutcodeExpressie lijstAttribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut lijstAttribuut = bepaalExpressieAttribuutVoorAttribuut(lijstAttribuutCode, oudObject, context);
final Expressie resultaat;
if (lijstAttribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(lijstAttribuutCode, oudObject.getType(context));
} else {
resultaat = verwerkMetVierdeArgument(argumenten, context, lijstAttribuut);
}
return resultaat;
}
/**
* Verwerk met vierde argument, de lijst expressie is bepaald en nu kan de expressie worden verwerkt tot het definitieve resultaat door het attribuut
* binnen de lijst te vergelijken.
*
* @param argumenten de argumenten
* @param context de context
* @param lijstAttribuut het lijst attribuut
* @return de expressie met het resultaat
*/
private Expressie verwerkMetVierdeArgument(final List<Expressie> argumenten, final Context context, final ExpressieAttribuut lijstAttribuut) {
final Expressie resultaat;
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(3);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, lijstAttribuut);
if (attribuut != null) {
final List<Expressie> lijstWaardenOud = bouwLijstWaardes(lijstAttribuut, oudObject, attribuut);
final List<Expressie> lijstWaardenNieuw = bouwLijstWaardes(lijstAttribuut, nieuwObject, attribuut);
resultaat = ExpressieUtil.waardenVerschillend(new LijstExpressie(lijstWaardenOud), new LijstExpressie(lijstWaardenNieuw), context);
} else {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, lijstAttribuut.getType());
}
return resultaat;
}
/**
* Bouw lijst waardes.
*
* @param lijstAttribuut the lijst attribuut
* @param oudObject the oud object
* @param attribuut the attribuut
* @return the list
*/
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut lijstAttribuut, final BrpObjectExpressie oudObject,
final ExpressieAttribuut attribuut)
{
final Expressie lijstObjecten1 = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), lijstAttribuut);
return bouwLijstWaardes(attribuut, lijstObjecten1);
}
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut attribuut, final Expressie lijstObjecten1) {
final List<Expressie> lijstWaarden = new ArrayList<>();
for (final Expressie objExp : lijstObjecten1.getElementen()) {
final BrpObject obj = ((BrpObjectExpressie) objExp).getBrpObject();
final Expressie waarde = DefaultSolver.getInstance().bepaalWaarde(obj, attribuut);
lijstWaarden.add(waarde);
}
return lijstWaarden;
}
/**
* Controleer de parameters.
*
* @param argumenten de argumenten
* @param context de context
* @return de foutmelding of null als er geen fout is opgetreden
*/
private String valideerParameters(final List<Expressie> argumenten, final Context context) {
final Expressie argument1 = argumenten.get(0);
final Expressie argument2 = argumenten.get(1);
String foutmelding = null;
if (argument1 instanceof BrpObjectExpressie && argument2 instanceof BrpObjectExpressie) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argument1;
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argument2;
if (oudObject.getType(context) != nieuwObject.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee BRP-objecten van hetzelfde type.";
}
} else if (argument1 instanceof LijstExpressie && argument2 instanceof LijstExpressie) {
if (argumenten.size() == VIER_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met vier argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
if (argumenten.size() == TWEE_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met twee argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
} else {
if(!argument1.isNull() && !argument2.isNull()) {
if (argument1.getType(context) != argument2.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee dezelfde objecten als argument.";
}
}
}
return foutmelding;
}
/**
* Vergelijk de functie resultaten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie vergelijkFunctieResultaten(final List<Expressie> argumenten, final Context context) {
final LijstExpressie oudObject = (LijstExpressie) argumenten.get(0);
final LijstExpressie nieuwObject = (LijstExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final List<Expressie> oudExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, oudObject, attribuutCode);
final List<Expressie> nieuweExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, nieuwObject, attribuutCode);
return ExpressieUtil.waardenVerschillend(new LijstExpressie(oudExpressieWaardes), new LijstExpressie(nieuweExpressieWaardes), context);
}
private List<Expressie> bepaalAttribuutWaardesPerLijstElement(final Context context, final LijstExpressie lijstExpressie, final AttribuutcodeExpressie attribuutCode) {
List<Expressie> expressieWaardes = Collections.emptyList();
if (lijstExpressie.aantalElementen() > 0) {
final Expressie objExp = lijstExpressie.getElement(0);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, (BrpObjectExpressie) objExp, context);
expressieWaardes = bouwLijstWaardes(attribuut, lijstExpressie);
}
return expressieWaardes;
}
/**
* Is functie resultaat vergelijking.
*
* @param argumenten de argumenten
* @return the boolean
*/
private boolean isFunctieResultaatVergelijking(final List<Expressie> argumenten) {
return argumenten.get(0) instanceof LijstExpressie && argumenten.get(1) instanceof LijstExpressie;
}
/**
* Retourneert een fout expressie voor een onbekend attribuut.
*
* @param attribuutCode het attribuut dat fout/ongeldig is.
* @param objectType het object type waarbinnen het attribuut zich bevindt.
* @return de fout expressie.
*/
private FoutExpressie bouwFoutExpressieOnbekendAttribuut(final AttribuutcodeExpressie attribuutCode,
final ExpressieType objectType)
{
return new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, String.format("Onbekend attribuut %s bij type %s",
attribuutCode.alsString(), objectType.getNaam()));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @param context de context waarbinnen het object en het attribuut zich bevinden.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut,
final BrpObjectExpressie object, final Context context)
{
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType(context));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut, final ExpressieAttribuut object) {
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType());
}
@Override
public boolean berekenBijOptimalisatie() {
return false;
}
@Override
public Expressie optimaliseer(final List<Expressie> argumenten, final Context context) {
return null;
}
}
| MinBZK/OperatieBRP | 2016/brp 2016-02-09/algemeen/algemeen-model/expressietaal/src/main/java/nl/bzk/brp/expressietaal/expressies/functies/FunctieGEWIJZIGD.java | 4,532 | /**
* Verwerk met twee argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/ | block_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.expressies.functies;
import java.util.ArrayList;
import java.util.Collections;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.ExpressieUtil;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.LijstExpressie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.Signatuur;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SignatuurOptie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SimpeleSignatuur;
import nl.bzk.brp.expressietaal.expressies.literals.AttribuutcodeExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.symbols.BmrSymbolTable;
import nl.bzk.brp.expressietaal.symbols.DefaultSolver;
import nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut;
import nl.bzk.brp.model.basis.BrpObject;
/**
* Representeert de functie GEWIJZIGD(oud, nieuw, attribuutcode). De functie geeft WAAR terug als het attribuut met code
* attribuutcode gewijzigd is, waarbij oude verwijst naar de oude situatie en nieuw naar de nieuwe. Als beide
* attributen onbekend (NULL) zijn, worden ze als 'niet gewijzigd' beschouwd.
*/
public final class FunctieGEWIJZIGD implements Functieberekening {
private static final Signatuur SIGNATUUR =
new SignatuurOptie(
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE,
ExpressieType.ATTRIBUUTCODE)
);
private static final int TWEE_ARGUMENTEN = 2;
private static final int DRIE_ARGUMENTEN = 3;
private static final int VIER_ARGUMENTEN = 4;
@Override
public List<Expressie> vulDefaultArgumentenIn(final List<Expressie> argumenten) {
return argumenten;
}
@Override
public Signatuur getSignatuur() {
return SIGNATUUR;
}
@Override
public ExpressieType getType(final List<Expressie> argumenten, final Context context) {
return ExpressieType.BOOLEAN;
}
@Override
public ExpressieType getTypeVanElementen(final List<Expressie> argumenten, final Context context) {
return ExpressieType.ONBEKEND_TYPE;
}
@Override
public boolean evalueerArgumenten() {
// De argumenten van GEWIJZIGD moeten niet van tevoren geevalueerd worden, omdat de verwijzing naar het
// attribuut niet verloren moet gaan en er een speciale (afwijkende) rol voor NULL is.
return false;
}
@Override
public Expressie pasToe(final List<Expressie> ongeevalueerdeArgumenten, final Context context) {
final List<Expressie> argumenten = new ArrayList<>(ongeevalueerdeArgumenten.size());
for(Expressie ongeevalueerdArgument : ongeevalueerdeArgumenten) {
argumenten.add(ongeevalueerdArgument.evalueer(context));
}
final Expressie resultaat;
final String foutMelding = valideerParameters(argumenten, context);
if (foutMelding != null) {
resultaat = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, foutMelding);
} else {
// Signatuur zorgt ervoor dat de functie enkel met twee, drie of vier argumenten aangeroepen kan worden.
if (argumenten.size() == TWEE_ARGUMENTEN) {
resultaat = verwerkMetTweeArgumenten(argumenten, context);
} else if (argumenten.size() == DRIE_ARGUMENTEN) {
resultaat = verwerkMetDrieArgumenten(argumenten, context);
} else {
resultaat = verwerkMetVierArgumenten(argumenten, context);
}
}
return resultaat;
}
/**
* Verwerk met twee<SUF>*/
private Expressie verwerkMetTweeArgumenten(final List<Expressie> argumenten, final Context context) {
return ExpressieUtil.waardenVerschillend(argumenten.get(0), argumenten.get(1), context);
}
/**
* Verwerk met default argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetDrieArgumenten(final List<Expressie> argumenten, final Context context) {
final Expressie resultaat;
if (isFunctieResultaatVergelijking(argumenten)) {
resultaat = vergelijkFunctieResultaten(argumenten, context);
} else {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, oudObject, context);
if (attribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, oudObject.getType(context));
} else {
final Expressie oudeWaarde = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), attribuut);
final Expressie nieuweWaarde = DefaultSolver.getInstance().bepaalWaarde(nieuwObject.getBrpObject(), attribuut);
resultaat = ExpressieUtil.waardenVerschillend(oudeWaarde, nieuweWaarde, context);
}
}
return resultaat;
}
/**
* Verwerk met vier argumenten, het derde argument is dan niet de directe verwijzing naar een attribuut, maar naar een lijst met groepen zoals
* adressen. Het vierde argument wijst dan naar een attribuut binnen de lijst, zoals postcode.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetVierArgumenten(final List<Expressie> argumenten, final Context context) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final AttribuutcodeExpressie lijstAttribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut lijstAttribuut = bepaalExpressieAttribuutVoorAttribuut(lijstAttribuutCode, oudObject, context);
final Expressie resultaat;
if (lijstAttribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(lijstAttribuutCode, oudObject.getType(context));
} else {
resultaat = verwerkMetVierdeArgument(argumenten, context, lijstAttribuut);
}
return resultaat;
}
/**
* Verwerk met vierde argument, de lijst expressie is bepaald en nu kan de expressie worden verwerkt tot het definitieve resultaat door het attribuut
* binnen de lijst te vergelijken.
*
* @param argumenten de argumenten
* @param context de context
* @param lijstAttribuut het lijst attribuut
* @return de expressie met het resultaat
*/
private Expressie verwerkMetVierdeArgument(final List<Expressie> argumenten, final Context context, final ExpressieAttribuut lijstAttribuut) {
final Expressie resultaat;
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(3);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, lijstAttribuut);
if (attribuut != null) {
final List<Expressie> lijstWaardenOud = bouwLijstWaardes(lijstAttribuut, oudObject, attribuut);
final List<Expressie> lijstWaardenNieuw = bouwLijstWaardes(lijstAttribuut, nieuwObject, attribuut);
resultaat = ExpressieUtil.waardenVerschillend(new LijstExpressie(lijstWaardenOud), new LijstExpressie(lijstWaardenNieuw), context);
} else {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, lijstAttribuut.getType());
}
return resultaat;
}
/**
* Bouw lijst waardes.
*
* @param lijstAttribuut the lijst attribuut
* @param oudObject the oud object
* @param attribuut the attribuut
* @return the list
*/
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut lijstAttribuut, final BrpObjectExpressie oudObject,
final ExpressieAttribuut attribuut)
{
final Expressie lijstObjecten1 = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), lijstAttribuut);
return bouwLijstWaardes(attribuut, lijstObjecten1);
}
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut attribuut, final Expressie lijstObjecten1) {
final List<Expressie> lijstWaarden = new ArrayList<>();
for (final Expressie objExp : lijstObjecten1.getElementen()) {
final BrpObject obj = ((BrpObjectExpressie) objExp).getBrpObject();
final Expressie waarde = DefaultSolver.getInstance().bepaalWaarde(obj, attribuut);
lijstWaarden.add(waarde);
}
return lijstWaarden;
}
/**
* Controleer de parameters.
*
* @param argumenten de argumenten
* @param context de context
* @return de foutmelding of null als er geen fout is opgetreden
*/
private String valideerParameters(final List<Expressie> argumenten, final Context context) {
final Expressie argument1 = argumenten.get(0);
final Expressie argument2 = argumenten.get(1);
String foutmelding = null;
if (argument1 instanceof BrpObjectExpressie && argument2 instanceof BrpObjectExpressie) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argument1;
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argument2;
if (oudObject.getType(context) != nieuwObject.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee BRP-objecten van hetzelfde type.";
}
} else if (argument1 instanceof LijstExpressie && argument2 instanceof LijstExpressie) {
if (argumenten.size() == VIER_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met vier argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
if (argumenten.size() == TWEE_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met twee argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
} else {
if(!argument1.isNull() && !argument2.isNull()) {
if (argument1.getType(context) != argument2.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee dezelfde objecten als argument.";
}
}
}
return foutmelding;
}
/**
* Vergelijk de functie resultaten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie vergelijkFunctieResultaten(final List<Expressie> argumenten, final Context context) {
final LijstExpressie oudObject = (LijstExpressie) argumenten.get(0);
final LijstExpressie nieuwObject = (LijstExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final List<Expressie> oudExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, oudObject, attribuutCode);
final List<Expressie> nieuweExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, nieuwObject, attribuutCode);
return ExpressieUtil.waardenVerschillend(new LijstExpressie(oudExpressieWaardes), new LijstExpressie(nieuweExpressieWaardes), context);
}
private List<Expressie> bepaalAttribuutWaardesPerLijstElement(final Context context, final LijstExpressie lijstExpressie, final AttribuutcodeExpressie attribuutCode) {
List<Expressie> expressieWaardes = Collections.emptyList();
if (lijstExpressie.aantalElementen() > 0) {
final Expressie objExp = lijstExpressie.getElement(0);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, (BrpObjectExpressie) objExp, context);
expressieWaardes = bouwLijstWaardes(attribuut, lijstExpressie);
}
return expressieWaardes;
}
/**
* Is functie resultaat vergelijking.
*
* @param argumenten de argumenten
* @return the boolean
*/
private boolean isFunctieResultaatVergelijking(final List<Expressie> argumenten) {
return argumenten.get(0) instanceof LijstExpressie && argumenten.get(1) instanceof LijstExpressie;
}
/**
* Retourneert een fout expressie voor een onbekend attribuut.
*
* @param attribuutCode het attribuut dat fout/ongeldig is.
* @param objectType het object type waarbinnen het attribuut zich bevindt.
* @return de fout expressie.
*/
private FoutExpressie bouwFoutExpressieOnbekendAttribuut(final AttribuutcodeExpressie attribuutCode,
final ExpressieType objectType)
{
return new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, String.format("Onbekend attribuut %s bij type %s",
attribuutCode.alsString(), objectType.getNaam()));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @param context de context waarbinnen het object en het attribuut zich bevinden.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut,
final BrpObjectExpressie object, final Context context)
{
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType(context));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut, final ExpressieAttribuut object) {
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType());
}
@Override
public boolean berekenBijOptimalisatie() {
return false;
}
@Override
public Expressie optimaliseer(final List<Expressie> argumenten, final Context context) {
return null;
}
}
|
204604_7 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.expressies.functies;
import java.util.ArrayList;
import java.util.Collections;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.ExpressieUtil;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.LijstExpressie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.Signatuur;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SignatuurOptie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SimpeleSignatuur;
import nl.bzk.brp.expressietaal.expressies.literals.AttribuutcodeExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.symbols.BmrSymbolTable;
import nl.bzk.brp.expressietaal.symbols.DefaultSolver;
import nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut;
import nl.bzk.brp.model.basis.BrpObject;
/**
* Representeert de functie GEWIJZIGD(oud, nieuw, attribuutcode). De functie geeft WAAR terug als het attribuut met code
* attribuutcode gewijzigd is, waarbij oude verwijst naar de oude situatie en nieuw naar de nieuwe. Als beide
* attributen onbekend (NULL) zijn, worden ze als 'niet gewijzigd' beschouwd.
*/
public final class FunctieGEWIJZIGD implements Functieberekening {
private static final Signatuur SIGNATUUR =
new SignatuurOptie(
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE,
ExpressieType.ATTRIBUUTCODE)
);
private static final int TWEE_ARGUMENTEN = 2;
private static final int DRIE_ARGUMENTEN = 3;
private static final int VIER_ARGUMENTEN = 4;
@Override
public List<Expressie> vulDefaultArgumentenIn(final List<Expressie> argumenten) {
return argumenten;
}
@Override
public Signatuur getSignatuur() {
return SIGNATUUR;
}
@Override
public ExpressieType getType(final List<Expressie> argumenten, final Context context) {
return ExpressieType.BOOLEAN;
}
@Override
public ExpressieType getTypeVanElementen(final List<Expressie> argumenten, final Context context) {
return ExpressieType.ONBEKEND_TYPE;
}
@Override
public boolean evalueerArgumenten() {
// De argumenten van GEWIJZIGD moeten niet van tevoren geevalueerd worden, omdat de verwijzing naar het
// attribuut niet verloren moet gaan en er een speciale (afwijkende) rol voor NULL is.
return false;
}
@Override
public Expressie pasToe(final List<Expressie> ongeevalueerdeArgumenten, final Context context) {
final List<Expressie> argumenten = new ArrayList<>(ongeevalueerdeArgumenten.size());
for(Expressie ongeevalueerdArgument : ongeevalueerdeArgumenten) {
argumenten.add(ongeevalueerdArgument.evalueer(context));
}
final Expressie resultaat;
final String foutMelding = valideerParameters(argumenten, context);
if (foutMelding != null) {
resultaat = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, foutMelding);
} else {
// Signatuur zorgt ervoor dat de functie enkel met twee, drie of vier argumenten aangeroepen kan worden.
if (argumenten.size() == TWEE_ARGUMENTEN) {
resultaat = verwerkMetTweeArgumenten(argumenten, context);
} else if (argumenten.size() == DRIE_ARGUMENTEN) {
resultaat = verwerkMetDrieArgumenten(argumenten, context);
} else {
resultaat = verwerkMetVierArgumenten(argumenten, context);
}
}
return resultaat;
}
/**
* Verwerk met twee argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetTweeArgumenten(final List<Expressie> argumenten, final Context context) {
return ExpressieUtil.waardenVerschillend(argumenten.get(0), argumenten.get(1), context);
}
/**
* Verwerk met default argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetDrieArgumenten(final List<Expressie> argumenten, final Context context) {
final Expressie resultaat;
if (isFunctieResultaatVergelijking(argumenten)) {
resultaat = vergelijkFunctieResultaten(argumenten, context);
} else {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, oudObject, context);
if (attribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, oudObject.getType(context));
} else {
final Expressie oudeWaarde = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), attribuut);
final Expressie nieuweWaarde = DefaultSolver.getInstance().bepaalWaarde(nieuwObject.getBrpObject(), attribuut);
resultaat = ExpressieUtil.waardenVerschillend(oudeWaarde, nieuweWaarde, context);
}
}
return resultaat;
}
/**
* Verwerk met vier argumenten, het derde argument is dan niet de directe verwijzing naar een attribuut, maar naar een lijst met groepen zoals
* adressen. Het vierde argument wijst dan naar een attribuut binnen de lijst, zoals postcode.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetVierArgumenten(final List<Expressie> argumenten, final Context context) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final AttribuutcodeExpressie lijstAttribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut lijstAttribuut = bepaalExpressieAttribuutVoorAttribuut(lijstAttribuutCode, oudObject, context);
final Expressie resultaat;
if (lijstAttribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(lijstAttribuutCode, oudObject.getType(context));
} else {
resultaat = verwerkMetVierdeArgument(argumenten, context, lijstAttribuut);
}
return resultaat;
}
/**
* Verwerk met vierde argument, de lijst expressie is bepaald en nu kan de expressie worden verwerkt tot het definitieve resultaat door het attribuut
* binnen de lijst te vergelijken.
*
* @param argumenten de argumenten
* @param context de context
* @param lijstAttribuut het lijst attribuut
* @return de expressie met het resultaat
*/
private Expressie verwerkMetVierdeArgument(final List<Expressie> argumenten, final Context context, final ExpressieAttribuut lijstAttribuut) {
final Expressie resultaat;
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(3);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, lijstAttribuut);
if (attribuut != null) {
final List<Expressie> lijstWaardenOud = bouwLijstWaardes(lijstAttribuut, oudObject, attribuut);
final List<Expressie> lijstWaardenNieuw = bouwLijstWaardes(lijstAttribuut, nieuwObject, attribuut);
resultaat = ExpressieUtil.waardenVerschillend(new LijstExpressie(lijstWaardenOud), new LijstExpressie(lijstWaardenNieuw), context);
} else {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, lijstAttribuut.getType());
}
return resultaat;
}
/**
* Bouw lijst waardes.
*
* @param lijstAttribuut the lijst attribuut
* @param oudObject the oud object
* @param attribuut the attribuut
* @return the list
*/
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut lijstAttribuut, final BrpObjectExpressie oudObject,
final ExpressieAttribuut attribuut)
{
final Expressie lijstObjecten1 = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), lijstAttribuut);
return bouwLijstWaardes(attribuut, lijstObjecten1);
}
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut attribuut, final Expressie lijstObjecten1) {
final List<Expressie> lijstWaarden = new ArrayList<>();
for (final Expressie objExp : lijstObjecten1.getElementen()) {
final BrpObject obj = ((BrpObjectExpressie) objExp).getBrpObject();
final Expressie waarde = DefaultSolver.getInstance().bepaalWaarde(obj, attribuut);
lijstWaarden.add(waarde);
}
return lijstWaarden;
}
/**
* Controleer de parameters.
*
* @param argumenten de argumenten
* @param context de context
* @return de foutmelding of null als er geen fout is opgetreden
*/
private String valideerParameters(final List<Expressie> argumenten, final Context context) {
final Expressie argument1 = argumenten.get(0);
final Expressie argument2 = argumenten.get(1);
String foutmelding = null;
if (argument1 instanceof BrpObjectExpressie && argument2 instanceof BrpObjectExpressie) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argument1;
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argument2;
if (oudObject.getType(context) != nieuwObject.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee BRP-objecten van hetzelfde type.";
}
} else if (argument1 instanceof LijstExpressie && argument2 instanceof LijstExpressie) {
if (argumenten.size() == VIER_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met vier argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
if (argumenten.size() == TWEE_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met twee argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
} else {
if(!argument1.isNull() && !argument2.isNull()) {
if (argument1.getType(context) != argument2.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee dezelfde objecten als argument.";
}
}
}
return foutmelding;
}
/**
* Vergelijk de functie resultaten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie vergelijkFunctieResultaten(final List<Expressie> argumenten, final Context context) {
final LijstExpressie oudObject = (LijstExpressie) argumenten.get(0);
final LijstExpressie nieuwObject = (LijstExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final List<Expressie> oudExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, oudObject, attribuutCode);
final List<Expressie> nieuweExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, nieuwObject, attribuutCode);
return ExpressieUtil.waardenVerschillend(new LijstExpressie(oudExpressieWaardes), new LijstExpressie(nieuweExpressieWaardes), context);
}
private List<Expressie> bepaalAttribuutWaardesPerLijstElement(final Context context, final LijstExpressie lijstExpressie, final AttribuutcodeExpressie attribuutCode) {
List<Expressie> expressieWaardes = Collections.emptyList();
if (lijstExpressie.aantalElementen() > 0) {
final Expressie objExp = lijstExpressie.getElement(0);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, (BrpObjectExpressie) objExp, context);
expressieWaardes = bouwLijstWaardes(attribuut, lijstExpressie);
}
return expressieWaardes;
}
/**
* Is functie resultaat vergelijking.
*
* @param argumenten de argumenten
* @return the boolean
*/
private boolean isFunctieResultaatVergelijking(final List<Expressie> argumenten) {
return argumenten.get(0) instanceof LijstExpressie && argumenten.get(1) instanceof LijstExpressie;
}
/**
* Retourneert een fout expressie voor een onbekend attribuut.
*
* @param attribuutCode het attribuut dat fout/ongeldig is.
* @param objectType het object type waarbinnen het attribuut zich bevindt.
* @return de fout expressie.
*/
private FoutExpressie bouwFoutExpressieOnbekendAttribuut(final AttribuutcodeExpressie attribuutCode,
final ExpressieType objectType)
{
return new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, String.format("Onbekend attribuut %s bij type %s",
attribuutCode.alsString(), objectType.getNaam()));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @param context de context waarbinnen het object en het attribuut zich bevinden.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut,
final BrpObjectExpressie object, final Context context)
{
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType(context));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut, final ExpressieAttribuut object) {
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType());
}
@Override
public boolean berekenBijOptimalisatie() {
return false;
}
@Override
public Expressie optimaliseer(final List<Expressie> argumenten, final Context context) {
return null;
}
}
| MinBZK/OperatieBRP | 2016/brp 2016-02-09/algemeen/algemeen-model/expressietaal/src/main/java/nl/bzk/brp/expressietaal/expressies/functies/FunctieGEWIJZIGD.java | 4,532 | /**
* Verwerk met vier argumenten, het derde argument is dan niet de directe verwijzing naar een attribuut, maar naar een lijst met groepen zoals
* adressen. Het vierde argument wijst dan naar een attribuut binnen de lijst, zoals postcode.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/ | block_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.expressies.functies;
import java.util.ArrayList;
import java.util.Collections;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.ExpressieUtil;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.LijstExpressie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.Signatuur;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SignatuurOptie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SimpeleSignatuur;
import nl.bzk.brp.expressietaal.expressies.literals.AttribuutcodeExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.symbols.BmrSymbolTable;
import nl.bzk.brp.expressietaal.symbols.DefaultSolver;
import nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut;
import nl.bzk.brp.model.basis.BrpObject;
/**
* Representeert de functie GEWIJZIGD(oud, nieuw, attribuutcode). De functie geeft WAAR terug als het attribuut met code
* attribuutcode gewijzigd is, waarbij oude verwijst naar de oude situatie en nieuw naar de nieuwe. Als beide
* attributen onbekend (NULL) zijn, worden ze als 'niet gewijzigd' beschouwd.
*/
public final class FunctieGEWIJZIGD implements Functieberekening {
private static final Signatuur SIGNATUUR =
new SignatuurOptie(
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE,
ExpressieType.ATTRIBUUTCODE)
);
private static final int TWEE_ARGUMENTEN = 2;
private static final int DRIE_ARGUMENTEN = 3;
private static final int VIER_ARGUMENTEN = 4;
@Override
public List<Expressie> vulDefaultArgumentenIn(final List<Expressie> argumenten) {
return argumenten;
}
@Override
public Signatuur getSignatuur() {
return SIGNATUUR;
}
@Override
public ExpressieType getType(final List<Expressie> argumenten, final Context context) {
return ExpressieType.BOOLEAN;
}
@Override
public ExpressieType getTypeVanElementen(final List<Expressie> argumenten, final Context context) {
return ExpressieType.ONBEKEND_TYPE;
}
@Override
public boolean evalueerArgumenten() {
// De argumenten van GEWIJZIGD moeten niet van tevoren geevalueerd worden, omdat de verwijzing naar het
// attribuut niet verloren moet gaan en er een speciale (afwijkende) rol voor NULL is.
return false;
}
@Override
public Expressie pasToe(final List<Expressie> ongeevalueerdeArgumenten, final Context context) {
final List<Expressie> argumenten = new ArrayList<>(ongeevalueerdeArgumenten.size());
for(Expressie ongeevalueerdArgument : ongeevalueerdeArgumenten) {
argumenten.add(ongeevalueerdArgument.evalueer(context));
}
final Expressie resultaat;
final String foutMelding = valideerParameters(argumenten, context);
if (foutMelding != null) {
resultaat = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, foutMelding);
} else {
// Signatuur zorgt ervoor dat de functie enkel met twee, drie of vier argumenten aangeroepen kan worden.
if (argumenten.size() == TWEE_ARGUMENTEN) {
resultaat = verwerkMetTweeArgumenten(argumenten, context);
} else if (argumenten.size() == DRIE_ARGUMENTEN) {
resultaat = verwerkMetDrieArgumenten(argumenten, context);
} else {
resultaat = verwerkMetVierArgumenten(argumenten, context);
}
}
return resultaat;
}
/**
* Verwerk met twee argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetTweeArgumenten(final List<Expressie> argumenten, final Context context) {
return ExpressieUtil.waardenVerschillend(argumenten.get(0), argumenten.get(1), context);
}
/**
* Verwerk met default argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetDrieArgumenten(final List<Expressie> argumenten, final Context context) {
final Expressie resultaat;
if (isFunctieResultaatVergelijking(argumenten)) {
resultaat = vergelijkFunctieResultaten(argumenten, context);
} else {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, oudObject, context);
if (attribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, oudObject.getType(context));
} else {
final Expressie oudeWaarde = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), attribuut);
final Expressie nieuweWaarde = DefaultSolver.getInstance().bepaalWaarde(nieuwObject.getBrpObject(), attribuut);
resultaat = ExpressieUtil.waardenVerschillend(oudeWaarde, nieuweWaarde, context);
}
}
return resultaat;
}
/**
* Verwerk met vier<SUF>*/
private Expressie verwerkMetVierArgumenten(final List<Expressie> argumenten, final Context context) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final AttribuutcodeExpressie lijstAttribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut lijstAttribuut = bepaalExpressieAttribuutVoorAttribuut(lijstAttribuutCode, oudObject, context);
final Expressie resultaat;
if (lijstAttribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(lijstAttribuutCode, oudObject.getType(context));
} else {
resultaat = verwerkMetVierdeArgument(argumenten, context, lijstAttribuut);
}
return resultaat;
}
/**
* Verwerk met vierde argument, de lijst expressie is bepaald en nu kan de expressie worden verwerkt tot het definitieve resultaat door het attribuut
* binnen de lijst te vergelijken.
*
* @param argumenten de argumenten
* @param context de context
* @param lijstAttribuut het lijst attribuut
* @return de expressie met het resultaat
*/
private Expressie verwerkMetVierdeArgument(final List<Expressie> argumenten, final Context context, final ExpressieAttribuut lijstAttribuut) {
final Expressie resultaat;
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(3);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, lijstAttribuut);
if (attribuut != null) {
final List<Expressie> lijstWaardenOud = bouwLijstWaardes(lijstAttribuut, oudObject, attribuut);
final List<Expressie> lijstWaardenNieuw = bouwLijstWaardes(lijstAttribuut, nieuwObject, attribuut);
resultaat = ExpressieUtil.waardenVerschillend(new LijstExpressie(lijstWaardenOud), new LijstExpressie(lijstWaardenNieuw), context);
} else {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, lijstAttribuut.getType());
}
return resultaat;
}
/**
* Bouw lijst waardes.
*
* @param lijstAttribuut the lijst attribuut
* @param oudObject the oud object
* @param attribuut the attribuut
* @return the list
*/
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut lijstAttribuut, final BrpObjectExpressie oudObject,
final ExpressieAttribuut attribuut)
{
final Expressie lijstObjecten1 = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), lijstAttribuut);
return bouwLijstWaardes(attribuut, lijstObjecten1);
}
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut attribuut, final Expressie lijstObjecten1) {
final List<Expressie> lijstWaarden = new ArrayList<>();
for (final Expressie objExp : lijstObjecten1.getElementen()) {
final BrpObject obj = ((BrpObjectExpressie) objExp).getBrpObject();
final Expressie waarde = DefaultSolver.getInstance().bepaalWaarde(obj, attribuut);
lijstWaarden.add(waarde);
}
return lijstWaarden;
}
/**
* Controleer de parameters.
*
* @param argumenten de argumenten
* @param context de context
* @return de foutmelding of null als er geen fout is opgetreden
*/
private String valideerParameters(final List<Expressie> argumenten, final Context context) {
final Expressie argument1 = argumenten.get(0);
final Expressie argument2 = argumenten.get(1);
String foutmelding = null;
if (argument1 instanceof BrpObjectExpressie && argument2 instanceof BrpObjectExpressie) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argument1;
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argument2;
if (oudObject.getType(context) != nieuwObject.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee BRP-objecten van hetzelfde type.";
}
} else if (argument1 instanceof LijstExpressie && argument2 instanceof LijstExpressie) {
if (argumenten.size() == VIER_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met vier argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
if (argumenten.size() == TWEE_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met twee argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
} else {
if(!argument1.isNull() && !argument2.isNull()) {
if (argument1.getType(context) != argument2.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee dezelfde objecten als argument.";
}
}
}
return foutmelding;
}
/**
* Vergelijk de functie resultaten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie vergelijkFunctieResultaten(final List<Expressie> argumenten, final Context context) {
final LijstExpressie oudObject = (LijstExpressie) argumenten.get(0);
final LijstExpressie nieuwObject = (LijstExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final List<Expressie> oudExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, oudObject, attribuutCode);
final List<Expressie> nieuweExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, nieuwObject, attribuutCode);
return ExpressieUtil.waardenVerschillend(new LijstExpressie(oudExpressieWaardes), new LijstExpressie(nieuweExpressieWaardes), context);
}
private List<Expressie> bepaalAttribuutWaardesPerLijstElement(final Context context, final LijstExpressie lijstExpressie, final AttribuutcodeExpressie attribuutCode) {
List<Expressie> expressieWaardes = Collections.emptyList();
if (lijstExpressie.aantalElementen() > 0) {
final Expressie objExp = lijstExpressie.getElement(0);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, (BrpObjectExpressie) objExp, context);
expressieWaardes = bouwLijstWaardes(attribuut, lijstExpressie);
}
return expressieWaardes;
}
/**
* Is functie resultaat vergelijking.
*
* @param argumenten de argumenten
* @return the boolean
*/
private boolean isFunctieResultaatVergelijking(final List<Expressie> argumenten) {
return argumenten.get(0) instanceof LijstExpressie && argumenten.get(1) instanceof LijstExpressie;
}
/**
* Retourneert een fout expressie voor een onbekend attribuut.
*
* @param attribuutCode het attribuut dat fout/ongeldig is.
* @param objectType het object type waarbinnen het attribuut zich bevindt.
* @return de fout expressie.
*/
private FoutExpressie bouwFoutExpressieOnbekendAttribuut(final AttribuutcodeExpressie attribuutCode,
final ExpressieType objectType)
{
return new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, String.format("Onbekend attribuut %s bij type %s",
attribuutCode.alsString(), objectType.getNaam()));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @param context de context waarbinnen het object en het attribuut zich bevinden.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut,
final BrpObjectExpressie object, final Context context)
{
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType(context));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut, final ExpressieAttribuut object) {
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType());
}
@Override
public boolean berekenBijOptimalisatie() {
return false;
}
@Override
public Expressie optimaliseer(final List<Expressie> argumenten, final Context context) {
return null;
}
}
|
204604_8 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.expressies.functies;
import java.util.ArrayList;
import java.util.Collections;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.ExpressieUtil;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.LijstExpressie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.Signatuur;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SignatuurOptie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SimpeleSignatuur;
import nl.bzk.brp.expressietaal.expressies.literals.AttribuutcodeExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.symbols.BmrSymbolTable;
import nl.bzk.brp.expressietaal.symbols.DefaultSolver;
import nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut;
import nl.bzk.brp.model.basis.BrpObject;
/**
* Representeert de functie GEWIJZIGD(oud, nieuw, attribuutcode). De functie geeft WAAR terug als het attribuut met code
* attribuutcode gewijzigd is, waarbij oude verwijst naar de oude situatie en nieuw naar de nieuwe. Als beide
* attributen onbekend (NULL) zijn, worden ze als 'niet gewijzigd' beschouwd.
*/
public final class FunctieGEWIJZIGD implements Functieberekening {
private static final Signatuur SIGNATUUR =
new SignatuurOptie(
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE,
ExpressieType.ATTRIBUUTCODE)
);
private static final int TWEE_ARGUMENTEN = 2;
private static final int DRIE_ARGUMENTEN = 3;
private static final int VIER_ARGUMENTEN = 4;
@Override
public List<Expressie> vulDefaultArgumentenIn(final List<Expressie> argumenten) {
return argumenten;
}
@Override
public Signatuur getSignatuur() {
return SIGNATUUR;
}
@Override
public ExpressieType getType(final List<Expressie> argumenten, final Context context) {
return ExpressieType.BOOLEAN;
}
@Override
public ExpressieType getTypeVanElementen(final List<Expressie> argumenten, final Context context) {
return ExpressieType.ONBEKEND_TYPE;
}
@Override
public boolean evalueerArgumenten() {
// De argumenten van GEWIJZIGD moeten niet van tevoren geevalueerd worden, omdat de verwijzing naar het
// attribuut niet verloren moet gaan en er een speciale (afwijkende) rol voor NULL is.
return false;
}
@Override
public Expressie pasToe(final List<Expressie> ongeevalueerdeArgumenten, final Context context) {
final List<Expressie> argumenten = new ArrayList<>(ongeevalueerdeArgumenten.size());
for(Expressie ongeevalueerdArgument : ongeevalueerdeArgumenten) {
argumenten.add(ongeevalueerdArgument.evalueer(context));
}
final Expressie resultaat;
final String foutMelding = valideerParameters(argumenten, context);
if (foutMelding != null) {
resultaat = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, foutMelding);
} else {
// Signatuur zorgt ervoor dat de functie enkel met twee, drie of vier argumenten aangeroepen kan worden.
if (argumenten.size() == TWEE_ARGUMENTEN) {
resultaat = verwerkMetTweeArgumenten(argumenten, context);
} else if (argumenten.size() == DRIE_ARGUMENTEN) {
resultaat = verwerkMetDrieArgumenten(argumenten, context);
} else {
resultaat = verwerkMetVierArgumenten(argumenten, context);
}
}
return resultaat;
}
/**
* Verwerk met twee argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetTweeArgumenten(final List<Expressie> argumenten, final Context context) {
return ExpressieUtil.waardenVerschillend(argumenten.get(0), argumenten.get(1), context);
}
/**
* Verwerk met default argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetDrieArgumenten(final List<Expressie> argumenten, final Context context) {
final Expressie resultaat;
if (isFunctieResultaatVergelijking(argumenten)) {
resultaat = vergelijkFunctieResultaten(argumenten, context);
} else {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, oudObject, context);
if (attribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, oudObject.getType(context));
} else {
final Expressie oudeWaarde = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), attribuut);
final Expressie nieuweWaarde = DefaultSolver.getInstance().bepaalWaarde(nieuwObject.getBrpObject(), attribuut);
resultaat = ExpressieUtil.waardenVerschillend(oudeWaarde, nieuweWaarde, context);
}
}
return resultaat;
}
/**
* Verwerk met vier argumenten, het derde argument is dan niet de directe verwijzing naar een attribuut, maar naar een lijst met groepen zoals
* adressen. Het vierde argument wijst dan naar een attribuut binnen de lijst, zoals postcode.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetVierArgumenten(final List<Expressie> argumenten, final Context context) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final AttribuutcodeExpressie lijstAttribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut lijstAttribuut = bepaalExpressieAttribuutVoorAttribuut(lijstAttribuutCode, oudObject, context);
final Expressie resultaat;
if (lijstAttribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(lijstAttribuutCode, oudObject.getType(context));
} else {
resultaat = verwerkMetVierdeArgument(argumenten, context, lijstAttribuut);
}
return resultaat;
}
/**
* Verwerk met vierde argument, de lijst expressie is bepaald en nu kan de expressie worden verwerkt tot het definitieve resultaat door het attribuut
* binnen de lijst te vergelijken.
*
* @param argumenten de argumenten
* @param context de context
* @param lijstAttribuut het lijst attribuut
* @return de expressie met het resultaat
*/
private Expressie verwerkMetVierdeArgument(final List<Expressie> argumenten, final Context context, final ExpressieAttribuut lijstAttribuut) {
final Expressie resultaat;
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(3);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, lijstAttribuut);
if (attribuut != null) {
final List<Expressie> lijstWaardenOud = bouwLijstWaardes(lijstAttribuut, oudObject, attribuut);
final List<Expressie> lijstWaardenNieuw = bouwLijstWaardes(lijstAttribuut, nieuwObject, attribuut);
resultaat = ExpressieUtil.waardenVerschillend(new LijstExpressie(lijstWaardenOud), new LijstExpressie(lijstWaardenNieuw), context);
} else {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, lijstAttribuut.getType());
}
return resultaat;
}
/**
* Bouw lijst waardes.
*
* @param lijstAttribuut the lijst attribuut
* @param oudObject the oud object
* @param attribuut the attribuut
* @return the list
*/
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut lijstAttribuut, final BrpObjectExpressie oudObject,
final ExpressieAttribuut attribuut)
{
final Expressie lijstObjecten1 = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), lijstAttribuut);
return bouwLijstWaardes(attribuut, lijstObjecten1);
}
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut attribuut, final Expressie lijstObjecten1) {
final List<Expressie> lijstWaarden = new ArrayList<>();
for (final Expressie objExp : lijstObjecten1.getElementen()) {
final BrpObject obj = ((BrpObjectExpressie) objExp).getBrpObject();
final Expressie waarde = DefaultSolver.getInstance().bepaalWaarde(obj, attribuut);
lijstWaarden.add(waarde);
}
return lijstWaarden;
}
/**
* Controleer de parameters.
*
* @param argumenten de argumenten
* @param context de context
* @return de foutmelding of null als er geen fout is opgetreden
*/
private String valideerParameters(final List<Expressie> argumenten, final Context context) {
final Expressie argument1 = argumenten.get(0);
final Expressie argument2 = argumenten.get(1);
String foutmelding = null;
if (argument1 instanceof BrpObjectExpressie && argument2 instanceof BrpObjectExpressie) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argument1;
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argument2;
if (oudObject.getType(context) != nieuwObject.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee BRP-objecten van hetzelfde type.";
}
} else if (argument1 instanceof LijstExpressie && argument2 instanceof LijstExpressie) {
if (argumenten.size() == VIER_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met vier argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
if (argumenten.size() == TWEE_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met twee argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
} else {
if(!argument1.isNull() && !argument2.isNull()) {
if (argument1.getType(context) != argument2.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee dezelfde objecten als argument.";
}
}
}
return foutmelding;
}
/**
* Vergelijk de functie resultaten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie vergelijkFunctieResultaten(final List<Expressie> argumenten, final Context context) {
final LijstExpressie oudObject = (LijstExpressie) argumenten.get(0);
final LijstExpressie nieuwObject = (LijstExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final List<Expressie> oudExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, oudObject, attribuutCode);
final List<Expressie> nieuweExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, nieuwObject, attribuutCode);
return ExpressieUtil.waardenVerschillend(new LijstExpressie(oudExpressieWaardes), new LijstExpressie(nieuweExpressieWaardes), context);
}
private List<Expressie> bepaalAttribuutWaardesPerLijstElement(final Context context, final LijstExpressie lijstExpressie, final AttribuutcodeExpressie attribuutCode) {
List<Expressie> expressieWaardes = Collections.emptyList();
if (lijstExpressie.aantalElementen() > 0) {
final Expressie objExp = lijstExpressie.getElement(0);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, (BrpObjectExpressie) objExp, context);
expressieWaardes = bouwLijstWaardes(attribuut, lijstExpressie);
}
return expressieWaardes;
}
/**
* Is functie resultaat vergelijking.
*
* @param argumenten de argumenten
* @return the boolean
*/
private boolean isFunctieResultaatVergelijking(final List<Expressie> argumenten) {
return argumenten.get(0) instanceof LijstExpressie && argumenten.get(1) instanceof LijstExpressie;
}
/**
* Retourneert een fout expressie voor een onbekend attribuut.
*
* @param attribuutCode het attribuut dat fout/ongeldig is.
* @param objectType het object type waarbinnen het attribuut zich bevindt.
* @return de fout expressie.
*/
private FoutExpressie bouwFoutExpressieOnbekendAttribuut(final AttribuutcodeExpressie attribuutCode,
final ExpressieType objectType)
{
return new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, String.format("Onbekend attribuut %s bij type %s",
attribuutCode.alsString(), objectType.getNaam()));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @param context de context waarbinnen het object en het attribuut zich bevinden.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut,
final BrpObjectExpressie object, final Context context)
{
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType(context));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut, final ExpressieAttribuut object) {
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType());
}
@Override
public boolean berekenBijOptimalisatie() {
return false;
}
@Override
public Expressie optimaliseer(final List<Expressie> argumenten, final Context context) {
return null;
}
}
| MinBZK/OperatieBRP | 2016/brp 2016-02-09/algemeen/algemeen-model/expressietaal/src/main/java/nl/bzk/brp/expressietaal/expressies/functies/FunctieGEWIJZIGD.java | 4,532 | /**
* Verwerk met vierde argument, de lijst expressie is bepaald en nu kan de expressie worden verwerkt tot het definitieve resultaat door het attribuut
* binnen de lijst te vergelijken.
*
* @param argumenten de argumenten
* @param context de context
* @param lijstAttribuut het lijst attribuut
* @return de expressie met het resultaat
*/ | block_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.expressies.functies;
import java.util.ArrayList;
import java.util.Collections;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.ExpressieUtil;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.LijstExpressie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.Signatuur;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SignatuurOptie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SimpeleSignatuur;
import nl.bzk.brp.expressietaal.expressies.literals.AttribuutcodeExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.symbols.BmrSymbolTable;
import nl.bzk.brp.expressietaal.symbols.DefaultSolver;
import nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut;
import nl.bzk.brp.model.basis.BrpObject;
/**
* Representeert de functie GEWIJZIGD(oud, nieuw, attribuutcode). De functie geeft WAAR terug als het attribuut met code
* attribuutcode gewijzigd is, waarbij oude verwijst naar de oude situatie en nieuw naar de nieuwe. Als beide
* attributen onbekend (NULL) zijn, worden ze als 'niet gewijzigd' beschouwd.
*/
public final class FunctieGEWIJZIGD implements Functieberekening {
private static final Signatuur SIGNATUUR =
new SignatuurOptie(
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE,
ExpressieType.ATTRIBUUTCODE)
);
private static final int TWEE_ARGUMENTEN = 2;
private static final int DRIE_ARGUMENTEN = 3;
private static final int VIER_ARGUMENTEN = 4;
@Override
public List<Expressie> vulDefaultArgumentenIn(final List<Expressie> argumenten) {
return argumenten;
}
@Override
public Signatuur getSignatuur() {
return SIGNATUUR;
}
@Override
public ExpressieType getType(final List<Expressie> argumenten, final Context context) {
return ExpressieType.BOOLEAN;
}
@Override
public ExpressieType getTypeVanElementen(final List<Expressie> argumenten, final Context context) {
return ExpressieType.ONBEKEND_TYPE;
}
@Override
public boolean evalueerArgumenten() {
// De argumenten van GEWIJZIGD moeten niet van tevoren geevalueerd worden, omdat de verwijzing naar het
// attribuut niet verloren moet gaan en er een speciale (afwijkende) rol voor NULL is.
return false;
}
@Override
public Expressie pasToe(final List<Expressie> ongeevalueerdeArgumenten, final Context context) {
final List<Expressie> argumenten = new ArrayList<>(ongeevalueerdeArgumenten.size());
for(Expressie ongeevalueerdArgument : ongeevalueerdeArgumenten) {
argumenten.add(ongeevalueerdArgument.evalueer(context));
}
final Expressie resultaat;
final String foutMelding = valideerParameters(argumenten, context);
if (foutMelding != null) {
resultaat = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, foutMelding);
} else {
// Signatuur zorgt ervoor dat de functie enkel met twee, drie of vier argumenten aangeroepen kan worden.
if (argumenten.size() == TWEE_ARGUMENTEN) {
resultaat = verwerkMetTweeArgumenten(argumenten, context);
} else if (argumenten.size() == DRIE_ARGUMENTEN) {
resultaat = verwerkMetDrieArgumenten(argumenten, context);
} else {
resultaat = verwerkMetVierArgumenten(argumenten, context);
}
}
return resultaat;
}
/**
* Verwerk met twee argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetTweeArgumenten(final List<Expressie> argumenten, final Context context) {
return ExpressieUtil.waardenVerschillend(argumenten.get(0), argumenten.get(1), context);
}
/**
* Verwerk met default argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetDrieArgumenten(final List<Expressie> argumenten, final Context context) {
final Expressie resultaat;
if (isFunctieResultaatVergelijking(argumenten)) {
resultaat = vergelijkFunctieResultaten(argumenten, context);
} else {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, oudObject, context);
if (attribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, oudObject.getType(context));
} else {
final Expressie oudeWaarde = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), attribuut);
final Expressie nieuweWaarde = DefaultSolver.getInstance().bepaalWaarde(nieuwObject.getBrpObject(), attribuut);
resultaat = ExpressieUtil.waardenVerschillend(oudeWaarde, nieuweWaarde, context);
}
}
return resultaat;
}
/**
* Verwerk met vier argumenten, het derde argument is dan niet de directe verwijzing naar een attribuut, maar naar een lijst met groepen zoals
* adressen. Het vierde argument wijst dan naar een attribuut binnen de lijst, zoals postcode.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetVierArgumenten(final List<Expressie> argumenten, final Context context) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final AttribuutcodeExpressie lijstAttribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut lijstAttribuut = bepaalExpressieAttribuutVoorAttribuut(lijstAttribuutCode, oudObject, context);
final Expressie resultaat;
if (lijstAttribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(lijstAttribuutCode, oudObject.getType(context));
} else {
resultaat = verwerkMetVierdeArgument(argumenten, context, lijstAttribuut);
}
return resultaat;
}
/**
* Verwerk met vierde<SUF>*/
private Expressie verwerkMetVierdeArgument(final List<Expressie> argumenten, final Context context, final ExpressieAttribuut lijstAttribuut) {
final Expressie resultaat;
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(3);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, lijstAttribuut);
if (attribuut != null) {
final List<Expressie> lijstWaardenOud = bouwLijstWaardes(lijstAttribuut, oudObject, attribuut);
final List<Expressie> lijstWaardenNieuw = bouwLijstWaardes(lijstAttribuut, nieuwObject, attribuut);
resultaat = ExpressieUtil.waardenVerschillend(new LijstExpressie(lijstWaardenOud), new LijstExpressie(lijstWaardenNieuw), context);
} else {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, lijstAttribuut.getType());
}
return resultaat;
}
/**
* Bouw lijst waardes.
*
* @param lijstAttribuut the lijst attribuut
* @param oudObject the oud object
* @param attribuut the attribuut
* @return the list
*/
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut lijstAttribuut, final BrpObjectExpressie oudObject,
final ExpressieAttribuut attribuut)
{
final Expressie lijstObjecten1 = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), lijstAttribuut);
return bouwLijstWaardes(attribuut, lijstObjecten1);
}
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut attribuut, final Expressie lijstObjecten1) {
final List<Expressie> lijstWaarden = new ArrayList<>();
for (final Expressie objExp : lijstObjecten1.getElementen()) {
final BrpObject obj = ((BrpObjectExpressie) objExp).getBrpObject();
final Expressie waarde = DefaultSolver.getInstance().bepaalWaarde(obj, attribuut);
lijstWaarden.add(waarde);
}
return lijstWaarden;
}
/**
* Controleer de parameters.
*
* @param argumenten de argumenten
* @param context de context
* @return de foutmelding of null als er geen fout is opgetreden
*/
private String valideerParameters(final List<Expressie> argumenten, final Context context) {
final Expressie argument1 = argumenten.get(0);
final Expressie argument2 = argumenten.get(1);
String foutmelding = null;
if (argument1 instanceof BrpObjectExpressie && argument2 instanceof BrpObjectExpressie) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argument1;
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argument2;
if (oudObject.getType(context) != nieuwObject.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee BRP-objecten van hetzelfde type.";
}
} else if (argument1 instanceof LijstExpressie && argument2 instanceof LijstExpressie) {
if (argumenten.size() == VIER_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met vier argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
if (argumenten.size() == TWEE_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met twee argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
} else {
if(!argument1.isNull() && !argument2.isNull()) {
if (argument1.getType(context) != argument2.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee dezelfde objecten als argument.";
}
}
}
return foutmelding;
}
/**
* Vergelijk de functie resultaten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie vergelijkFunctieResultaten(final List<Expressie> argumenten, final Context context) {
final LijstExpressie oudObject = (LijstExpressie) argumenten.get(0);
final LijstExpressie nieuwObject = (LijstExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final List<Expressie> oudExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, oudObject, attribuutCode);
final List<Expressie> nieuweExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, nieuwObject, attribuutCode);
return ExpressieUtil.waardenVerschillend(new LijstExpressie(oudExpressieWaardes), new LijstExpressie(nieuweExpressieWaardes), context);
}
private List<Expressie> bepaalAttribuutWaardesPerLijstElement(final Context context, final LijstExpressie lijstExpressie, final AttribuutcodeExpressie attribuutCode) {
List<Expressie> expressieWaardes = Collections.emptyList();
if (lijstExpressie.aantalElementen() > 0) {
final Expressie objExp = lijstExpressie.getElement(0);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, (BrpObjectExpressie) objExp, context);
expressieWaardes = bouwLijstWaardes(attribuut, lijstExpressie);
}
return expressieWaardes;
}
/**
* Is functie resultaat vergelijking.
*
* @param argumenten de argumenten
* @return the boolean
*/
private boolean isFunctieResultaatVergelijking(final List<Expressie> argumenten) {
return argumenten.get(0) instanceof LijstExpressie && argumenten.get(1) instanceof LijstExpressie;
}
/**
* Retourneert een fout expressie voor een onbekend attribuut.
*
* @param attribuutCode het attribuut dat fout/ongeldig is.
* @param objectType het object type waarbinnen het attribuut zich bevindt.
* @return de fout expressie.
*/
private FoutExpressie bouwFoutExpressieOnbekendAttribuut(final AttribuutcodeExpressie attribuutCode,
final ExpressieType objectType)
{
return new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, String.format("Onbekend attribuut %s bij type %s",
attribuutCode.alsString(), objectType.getNaam()));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @param context de context waarbinnen het object en het attribuut zich bevinden.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut,
final BrpObjectExpressie object, final Context context)
{
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType(context));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut, final ExpressieAttribuut object) {
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType());
}
@Override
public boolean berekenBijOptimalisatie() {
return false;
}
@Override
public Expressie optimaliseer(final List<Expressie> argumenten, final Context context) {
return null;
}
}
|
204604_10 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.expressies.functies;
import java.util.ArrayList;
import java.util.Collections;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.ExpressieUtil;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.LijstExpressie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.Signatuur;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SignatuurOptie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SimpeleSignatuur;
import nl.bzk.brp.expressietaal.expressies.literals.AttribuutcodeExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.symbols.BmrSymbolTable;
import nl.bzk.brp.expressietaal.symbols.DefaultSolver;
import nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut;
import nl.bzk.brp.model.basis.BrpObject;
/**
* Representeert de functie GEWIJZIGD(oud, nieuw, attribuutcode). De functie geeft WAAR terug als het attribuut met code
* attribuutcode gewijzigd is, waarbij oude verwijst naar de oude situatie en nieuw naar de nieuwe. Als beide
* attributen onbekend (NULL) zijn, worden ze als 'niet gewijzigd' beschouwd.
*/
public final class FunctieGEWIJZIGD implements Functieberekening {
private static final Signatuur SIGNATUUR =
new SignatuurOptie(
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE,
ExpressieType.ATTRIBUUTCODE)
);
private static final int TWEE_ARGUMENTEN = 2;
private static final int DRIE_ARGUMENTEN = 3;
private static final int VIER_ARGUMENTEN = 4;
@Override
public List<Expressie> vulDefaultArgumentenIn(final List<Expressie> argumenten) {
return argumenten;
}
@Override
public Signatuur getSignatuur() {
return SIGNATUUR;
}
@Override
public ExpressieType getType(final List<Expressie> argumenten, final Context context) {
return ExpressieType.BOOLEAN;
}
@Override
public ExpressieType getTypeVanElementen(final List<Expressie> argumenten, final Context context) {
return ExpressieType.ONBEKEND_TYPE;
}
@Override
public boolean evalueerArgumenten() {
// De argumenten van GEWIJZIGD moeten niet van tevoren geevalueerd worden, omdat de verwijzing naar het
// attribuut niet verloren moet gaan en er een speciale (afwijkende) rol voor NULL is.
return false;
}
@Override
public Expressie pasToe(final List<Expressie> ongeevalueerdeArgumenten, final Context context) {
final List<Expressie> argumenten = new ArrayList<>(ongeevalueerdeArgumenten.size());
for(Expressie ongeevalueerdArgument : ongeevalueerdeArgumenten) {
argumenten.add(ongeevalueerdArgument.evalueer(context));
}
final Expressie resultaat;
final String foutMelding = valideerParameters(argumenten, context);
if (foutMelding != null) {
resultaat = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, foutMelding);
} else {
// Signatuur zorgt ervoor dat de functie enkel met twee, drie of vier argumenten aangeroepen kan worden.
if (argumenten.size() == TWEE_ARGUMENTEN) {
resultaat = verwerkMetTweeArgumenten(argumenten, context);
} else if (argumenten.size() == DRIE_ARGUMENTEN) {
resultaat = verwerkMetDrieArgumenten(argumenten, context);
} else {
resultaat = verwerkMetVierArgumenten(argumenten, context);
}
}
return resultaat;
}
/**
* Verwerk met twee argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetTweeArgumenten(final List<Expressie> argumenten, final Context context) {
return ExpressieUtil.waardenVerschillend(argumenten.get(0), argumenten.get(1), context);
}
/**
* Verwerk met default argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetDrieArgumenten(final List<Expressie> argumenten, final Context context) {
final Expressie resultaat;
if (isFunctieResultaatVergelijking(argumenten)) {
resultaat = vergelijkFunctieResultaten(argumenten, context);
} else {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, oudObject, context);
if (attribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, oudObject.getType(context));
} else {
final Expressie oudeWaarde = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), attribuut);
final Expressie nieuweWaarde = DefaultSolver.getInstance().bepaalWaarde(nieuwObject.getBrpObject(), attribuut);
resultaat = ExpressieUtil.waardenVerschillend(oudeWaarde, nieuweWaarde, context);
}
}
return resultaat;
}
/**
* Verwerk met vier argumenten, het derde argument is dan niet de directe verwijzing naar een attribuut, maar naar een lijst met groepen zoals
* adressen. Het vierde argument wijst dan naar een attribuut binnen de lijst, zoals postcode.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetVierArgumenten(final List<Expressie> argumenten, final Context context) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final AttribuutcodeExpressie lijstAttribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut lijstAttribuut = bepaalExpressieAttribuutVoorAttribuut(lijstAttribuutCode, oudObject, context);
final Expressie resultaat;
if (lijstAttribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(lijstAttribuutCode, oudObject.getType(context));
} else {
resultaat = verwerkMetVierdeArgument(argumenten, context, lijstAttribuut);
}
return resultaat;
}
/**
* Verwerk met vierde argument, de lijst expressie is bepaald en nu kan de expressie worden verwerkt tot het definitieve resultaat door het attribuut
* binnen de lijst te vergelijken.
*
* @param argumenten de argumenten
* @param context de context
* @param lijstAttribuut het lijst attribuut
* @return de expressie met het resultaat
*/
private Expressie verwerkMetVierdeArgument(final List<Expressie> argumenten, final Context context, final ExpressieAttribuut lijstAttribuut) {
final Expressie resultaat;
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(3);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, lijstAttribuut);
if (attribuut != null) {
final List<Expressie> lijstWaardenOud = bouwLijstWaardes(lijstAttribuut, oudObject, attribuut);
final List<Expressie> lijstWaardenNieuw = bouwLijstWaardes(lijstAttribuut, nieuwObject, attribuut);
resultaat = ExpressieUtil.waardenVerschillend(new LijstExpressie(lijstWaardenOud), new LijstExpressie(lijstWaardenNieuw), context);
} else {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, lijstAttribuut.getType());
}
return resultaat;
}
/**
* Bouw lijst waardes.
*
* @param lijstAttribuut the lijst attribuut
* @param oudObject the oud object
* @param attribuut the attribuut
* @return the list
*/
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut lijstAttribuut, final BrpObjectExpressie oudObject,
final ExpressieAttribuut attribuut)
{
final Expressie lijstObjecten1 = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), lijstAttribuut);
return bouwLijstWaardes(attribuut, lijstObjecten1);
}
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut attribuut, final Expressie lijstObjecten1) {
final List<Expressie> lijstWaarden = new ArrayList<>();
for (final Expressie objExp : lijstObjecten1.getElementen()) {
final BrpObject obj = ((BrpObjectExpressie) objExp).getBrpObject();
final Expressie waarde = DefaultSolver.getInstance().bepaalWaarde(obj, attribuut);
lijstWaarden.add(waarde);
}
return lijstWaarden;
}
/**
* Controleer de parameters.
*
* @param argumenten de argumenten
* @param context de context
* @return de foutmelding of null als er geen fout is opgetreden
*/
private String valideerParameters(final List<Expressie> argumenten, final Context context) {
final Expressie argument1 = argumenten.get(0);
final Expressie argument2 = argumenten.get(1);
String foutmelding = null;
if (argument1 instanceof BrpObjectExpressie && argument2 instanceof BrpObjectExpressie) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argument1;
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argument2;
if (oudObject.getType(context) != nieuwObject.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee BRP-objecten van hetzelfde type.";
}
} else if (argument1 instanceof LijstExpressie && argument2 instanceof LijstExpressie) {
if (argumenten.size() == VIER_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met vier argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
if (argumenten.size() == TWEE_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met twee argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
} else {
if(!argument1.isNull() && !argument2.isNull()) {
if (argument1.getType(context) != argument2.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee dezelfde objecten als argument.";
}
}
}
return foutmelding;
}
/**
* Vergelijk de functie resultaten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie vergelijkFunctieResultaten(final List<Expressie> argumenten, final Context context) {
final LijstExpressie oudObject = (LijstExpressie) argumenten.get(0);
final LijstExpressie nieuwObject = (LijstExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final List<Expressie> oudExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, oudObject, attribuutCode);
final List<Expressie> nieuweExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, nieuwObject, attribuutCode);
return ExpressieUtil.waardenVerschillend(new LijstExpressie(oudExpressieWaardes), new LijstExpressie(nieuweExpressieWaardes), context);
}
private List<Expressie> bepaalAttribuutWaardesPerLijstElement(final Context context, final LijstExpressie lijstExpressie, final AttribuutcodeExpressie attribuutCode) {
List<Expressie> expressieWaardes = Collections.emptyList();
if (lijstExpressie.aantalElementen() > 0) {
final Expressie objExp = lijstExpressie.getElement(0);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, (BrpObjectExpressie) objExp, context);
expressieWaardes = bouwLijstWaardes(attribuut, lijstExpressie);
}
return expressieWaardes;
}
/**
* Is functie resultaat vergelijking.
*
* @param argumenten de argumenten
* @return the boolean
*/
private boolean isFunctieResultaatVergelijking(final List<Expressie> argumenten) {
return argumenten.get(0) instanceof LijstExpressie && argumenten.get(1) instanceof LijstExpressie;
}
/**
* Retourneert een fout expressie voor een onbekend attribuut.
*
* @param attribuutCode het attribuut dat fout/ongeldig is.
* @param objectType het object type waarbinnen het attribuut zich bevindt.
* @return de fout expressie.
*/
private FoutExpressie bouwFoutExpressieOnbekendAttribuut(final AttribuutcodeExpressie attribuutCode,
final ExpressieType objectType)
{
return new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, String.format("Onbekend attribuut %s bij type %s",
attribuutCode.alsString(), objectType.getNaam()));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @param context de context waarbinnen het object en het attribuut zich bevinden.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut,
final BrpObjectExpressie object, final Context context)
{
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType(context));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut, final ExpressieAttribuut object) {
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType());
}
@Override
public boolean berekenBijOptimalisatie() {
return false;
}
@Override
public Expressie optimaliseer(final List<Expressie> argumenten, final Context context) {
return null;
}
}
| MinBZK/OperatieBRP | 2016/brp 2016-02-09/algemeen/algemeen-model/expressietaal/src/main/java/nl/bzk/brp/expressietaal/expressies/functies/FunctieGEWIJZIGD.java | 4,532 | /**
* Controleer de parameters.
*
* @param argumenten de argumenten
* @param context de context
* @return de foutmelding of null als er geen fout is opgetreden
*/ | block_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.expressies.functies;
import java.util.ArrayList;
import java.util.Collections;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.ExpressieUtil;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.LijstExpressie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.Signatuur;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SignatuurOptie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SimpeleSignatuur;
import nl.bzk.brp.expressietaal.expressies.literals.AttribuutcodeExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.symbols.BmrSymbolTable;
import nl.bzk.brp.expressietaal.symbols.DefaultSolver;
import nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut;
import nl.bzk.brp.model.basis.BrpObject;
/**
* Representeert de functie GEWIJZIGD(oud, nieuw, attribuutcode). De functie geeft WAAR terug als het attribuut met code
* attribuutcode gewijzigd is, waarbij oude verwijst naar de oude situatie en nieuw naar de nieuwe. Als beide
* attributen onbekend (NULL) zijn, worden ze als 'niet gewijzigd' beschouwd.
*/
public final class FunctieGEWIJZIGD implements Functieberekening {
private static final Signatuur SIGNATUUR =
new SignatuurOptie(
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE,
ExpressieType.ATTRIBUUTCODE)
);
private static final int TWEE_ARGUMENTEN = 2;
private static final int DRIE_ARGUMENTEN = 3;
private static final int VIER_ARGUMENTEN = 4;
@Override
public List<Expressie> vulDefaultArgumentenIn(final List<Expressie> argumenten) {
return argumenten;
}
@Override
public Signatuur getSignatuur() {
return SIGNATUUR;
}
@Override
public ExpressieType getType(final List<Expressie> argumenten, final Context context) {
return ExpressieType.BOOLEAN;
}
@Override
public ExpressieType getTypeVanElementen(final List<Expressie> argumenten, final Context context) {
return ExpressieType.ONBEKEND_TYPE;
}
@Override
public boolean evalueerArgumenten() {
// De argumenten van GEWIJZIGD moeten niet van tevoren geevalueerd worden, omdat de verwijzing naar het
// attribuut niet verloren moet gaan en er een speciale (afwijkende) rol voor NULL is.
return false;
}
@Override
public Expressie pasToe(final List<Expressie> ongeevalueerdeArgumenten, final Context context) {
final List<Expressie> argumenten = new ArrayList<>(ongeevalueerdeArgumenten.size());
for(Expressie ongeevalueerdArgument : ongeevalueerdeArgumenten) {
argumenten.add(ongeevalueerdArgument.evalueer(context));
}
final Expressie resultaat;
final String foutMelding = valideerParameters(argumenten, context);
if (foutMelding != null) {
resultaat = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, foutMelding);
} else {
// Signatuur zorgt ervoor dat de functie enkel met twee, drie of vier argumenten aangeroepen kan worden.
if (argumenten.size() == TWEE_ARGUMENTEN) {
resultaat = verwerkMetTweeArgumenten(argumenten, context);
} else if (argumenten.size() == DRIE_ARGUMENTEN) {
resultaat = verwerkMetDrieArgumenten(argumenten, context);
} else {
resultaat = verwerkMetVierArgumenten(argumenten, context);
}
}
return resultaat;
}
/**
* Verwerk met twee argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetTweeArgumenten(final List<Expressie> argumenten, final Context context) {
return ExpressieUtil.waardenVerschillend(argumenten.get(0), argumenten.get(1), context);
}
/**
* Verwerk met default argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetDrieArgumenten(final List<Expressie> argumenten, final Context context) {
final Expressie resultaat;
if (isFunctieResultaatVergelijking(argumenten)) {
resultaat = vergelijkFunctieResultaten(argumenten, context);
} else {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, oudObject, context);
if (attribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, oudObject.getType(context));
} else {
final Expressie oudeWaarde = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), attribuut);
final Expressie nieuweWaarde = DefaultSolver.getInstance().bepaalWaarde(nieuwObject.getBrpObject(), attribuut);
resultaat = ExpressieUtil.waardenVerschillend(oudeWaarde, nieuweWaarde, context);
}
}
return resultaat;
}
/**
* Verwerk met vier argumenten, het derde argument is dan niet de directe verwijzing naar een attribuut, maar naar een lijst met groepen zoals
* adressen. Het vierde argument wijst dan naar een attribuut binnen de lijst, zoals postcode.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetVierArgumenten(final List<Expressie> argumenten, final Context context) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final AttribuutcodeExpressie lijstAttribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut lijstAttribuut = bepaalExpressieAttribuutVoorAttribuut(lijstAttribuutCode, oudObject, context);
final Expressie resultaat;
if (lijstAttribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(lijstAttribuutCode, oudObject.getType(context));
} else {
resultaat = verwerkMetVierdeArgument(argumenten, context, lijstAttribuut);
}
return resultaat;
}
/**
* Verwerk met vierde argument, de lijst expressie is bepaald en nu kan de expressie worden verwerkt tot het definitieve resultaat door het attribuut
* binnen de lijst te vergelijken.
*
* @param argumenten de argumenten
* @param context de context
* @param lijstAttribuut het lijst attribuut
* @return de expressie met het resultaat
*/
private Expressie verwerkMetVierdeArgument(final List<Expressie> argumenten, final Context context, final ExpressieAttribuut lijstAttribuut) {
final Expressie resultaat;
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(3);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, lijstAttribuut);
if (attribuut != null) {
final List<Expressie> lijstWaardenOud = bouwLijstWaardes(lijstAttribuut, oudObject, attribuut);
final List<Expressie> lijstWaardenNieuw = bouwLijstWaardes(lijstAttribuut, nieuwObject, attribuut);
resultaat = ExpressieUtil.waardenVerschillend(new LijstExpressie(lijstWaardenOud), new LijstExpressie(lijstWaardenNieuw), context);
} else {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, lijstAttribuut.getType());
}
return resultaat;
}
/**
* Bouw lijst waardes.
*
* @param lijstAttribuut the lijst attribuut
* @param oudObject the oud object
* @param attribuut the attribuut
* @return the list
*/
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut lijstAttribuut, final BrpObjectExpressie oudObject,
final ExpressieAttribuut attribuut)
{
final Expressie lijstObjecten1 = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), lijstAttribuut);
return bouwLijstWaardes(attribuut, lijstObjecten1);
}
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut attribuut, final Expressie lijstObjecten1) {
final List<Expressie> lijstWaarden = new ArrayList<>();
for (final Expressie objExp : lijstObjecten1.getElementen()) {
final BrpObject obj = ((BrpObjectExpressie) objExp).getBrpObject();
final Expressie waarde = DefaultSolver.getInstance().bepaalWaarde(obj, attribuut);
lijstWaarden.add(waarde);
}
return lijstWaarden;
}
/**
* Controleer de parameters.<SUF>*/
private String valideerParameters(final List<Expressie> argumenten, final Context context) {
final Expressie argument1 = argumenten.get(0);
final Expressie argument2 = argumenten.get(1);
String foutmelding = null;
if (argument1 instanceof BrpObjectExpressie && argument2 instanceof BrpObjectExpressie) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argument1;
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argument2;
if (oudObject.getType(context) != nieuwObject.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee BRP-objecten van hetzelfde type.";
}
} else if (argument1 instanceof LijstExpressie && argument2 instanceof LijstExpressie) {
if (argumenten.size() == VIER_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met vier argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
if (argumenten.size() == TWEE_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met twee argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
} else {
if(!argument1.isNull() && !argument2.isNull()) {
if (argument1.getType(context) != argument2.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee dezelfde objecten als argument.";
}
}
}
return foutmelding;
}
/**
* Vergelijk de functie resultaten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie vergelijkFunctieResultaten(final List<Expressie> argumenten, final Context context) {
final LijstExpressie oudObject = (LijstExpressie) argumenten.get(0);
final LijstExpressie nieuwObject = (LijstExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final List<Expressie> oudExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, oudObject, attribuutCode);
final List<Expressie> nieuweExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, nieuwObject, attribuutCode);
return ExpressieUtil.waardenVerschillend(new LijstExpressie(oudExpressieWaardes), new LijstExpressie(nieuweExpressieWaardes), context);
}
private List<Expressie> bepaalAttribuutWaardesPerLijstElement(final Context context, final LijstExpressie lijstExpressie, final AttribuutcodeExpressie attribuutCode) {
List<Expressie> expressieWaardes = Collections.emptyList();
if (lijstExpressie.aantalElementen() > 0) {
final Expressie objExp = lijstExpressie.getElement(0);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, (BrpObjectExpressie) objExp, context);
expressieWaardes = bouwLijstWaardes(attribuut, lijstExpressie);
}
return expressieWaardes;
}
/**
* Is functie resultaat vergelijking.
*
* @param argumenten de argumenten
* @return the boolean
*/
private boolean isFunctieResultaatVergelijking(final List<Expressie> argumenten) {
return argumenten.get(0) instanceof LijstExpressie && argumenten.get(1) instanceof LijstExpressie;
}
/**
* Retourneert een fout expressie voor een onbekend attribuut.
*
* @param attribuutCode het attribuut dat fout/ongeldig is.
* @param objectType het object type waarbinnen het attribuut zich bevindt.
* @return de fout expressie.
*/
private FoutExpressie bouwFoutExpressieOnbekendAttribuut(final AttribuutcodeExpressie attribuutCode,
final ExpressieType objectType)
{
return new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, String.format("Onbekend attribuut %s bij type %s",
attribuutCode.alsString(), objectType.getNaam()));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @param context de context waarbinnen het object en het attribuut zich bevinden.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut,
final BrpObjectExpressie object, final Context context)
{
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType(context));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut, final ExpressieAttribuut object) {
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType());
}
@Override
public boolean berekenBijOptimalisatie() {
return false;
}
@Override
public Expressie optimaliseer(final List<Expressie> argumenten, final Context context) {
return null;
}
}
|
204604_12 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.expressies.functies;
import java.util.ArrayList;
import java.util.Collections;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.ExpressieUtil;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.LijstExpressie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.Signatuur;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SignatuurOptie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SimpeleSignatuur;
import nl.bzk.brp.expressietaal.expressies.literals.AttribuutcodeExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.symbols.BmrSymbolTable;
import nl.bzk.brp.expressietaal.symbols.DefaultSolver;
import nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut;
import nl.bzk.brp.model.basis.BrpObject;
/**
* Representeert de functie GEWIJZIGD(oud, nieuw, attribuutcode). De functie geeft WAAR terug als het attribuut met code
* attribuutcode gewijzigd is, waarbij oude verwijst naar de oude situatie en nieuw naar de nieuwe. Als beide
* attributen onbekend (NULL) zijn, worden ze als 'niet gewijzigd' beschouwd.
*/
public final class FunctieGEWIJZIGD implements Functieberekening {
private static final Signatuur SIGNATUUR =
new SignatuurOptie(
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE,
ExpressieType.ATTRIBUUTCODE)
);
private static final int TWEE_ARGUMENTEN = 2;
private static final int DRIE_ARGUMENTEN = 3;
private static final int VIER_ARGUMENTEN = 4;
@Override
public List<Expressie> vulDefaultArgumentenIn(final List<Expressie> argumenten) {
return argumenten;
}
@Override
public Signatuur getSignatuur() {
return SIGNATUUR;
}
@Override
public ExpressieType getType(final List<Expressie> argumenten, final Context context) {
return ExpressieType.BOOLEAN;
}
@Override
public ExpressieType getTypeVanElementen(final List<Expressie> argumenten, final Context context) {
return ExpressieType.ONBEKEND_TYPE;
}
@Override
public boolean evalueerArgumenten() {
// De argumenten van GEWIJZIGD moeten niet van tevoren geevalueerd worden, omdat de verwijzing naar het
// attribuut niet verloren moet gaan en er een speciale (afwijkende) rol voor NULL is.
return false;
}
@Override
public Expressie pasToe(final List<Expressie> ongeevalueerdeArgumenten, final Context context) {
final List<Expressie> argumenten = new ArrayList<>(ongeevalueerdeArgumenten.size());
for(Expressie ongeevalueerdArgument : ongeevalueerdeArgumenten) {
argumenten.add(ongeevalueerdArgument.evalueer(context));
}
final Expressie resultaat;
final String foutMelding = valideerParameters(argumenten, context);
if (foutMelding != null) {
resultaat = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, foutMelding);
} else {
// Signatuur zorgt ervoor dat de functie enkel met twee, drie of vier argumenten aangeroepen kan worden.
if (argumenten.size() == TWEE_ARGUMENTEN) {
resultaat = verwerkMetTweeArgumenten(argumenten, context);
} else if (argumenten.size() == DRIE_ARGUMENTEN) {
resultaat = verwerkMetDrieArgumenten(argumenten, context);
} else {
resultaat = verwerkMetVierArgumenten(argumenten, context);
}
}
return resultaat;
}
/**
* Verwerk met twee argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetTweeArgumenten(final List<Expressie> argumenten, final Context context) {
return ExpressieUtil.waardenVerschillend(argumenten.get(0), argumenten.get(1), context);
}
/**
* Verwerk met default argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetDrieArgumenten(final List<Expressie> argumenten, final Context context) {
final Expressie resultaat;
if (isFunctieResultaatVergelijking(argumenten)) {
resultaat = vergelijkFunctieResultaten(argumenten, context);
} else {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, oudObject, context);
if (attribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, oudObject.getType(context));
} else {
final Expressie oudeWaarde = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), attribuut);
final Expressie nieuweWaarde = DefaultSolver.getInstance().bepaalWaarde(nieuwObject.getBrpObject(), attribuut);
resultaat = ExpressieUtil.waardenVerschillend(oudeWaarde, nieuweWaarde, context);
}
}
return resultaat;
}
/**
* Verwerk met vier argumenten, het derde argument is dan niet de directe verwijzing naar een attribuut, maar naar een lijst met groepen zoals
* adressen. Het vierde argument wijst dan naar een attribuut binnen de lijst, zoals postcode.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetVierArgumenten(final List<Expressie> argumenten, final Context context) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final AttribuutcodeExpressie lijstAttribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut lijstAttribuut = bepaalExpressieAttribuutVoorAttribuut(lijstAttribuutCode, oudObject, context);
final Expressie resultaat;
if (lijstAttribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(lijstAttribuutCode, oudObject.getType(context));
} else {
resultaat = verwerkMetVierdeArgument(argumenten, context, lijstAttribuut);
}
return resultaat;
}
/**
* Verwerk met vierde argument, de lijst expressie is bepaald en nu kan de expressie worden verwerkt tot het definitieve resultaat door het attribuut
* binnen de lijst te vergelijken.
*
* @param argumenten de argumenten
* @param context de context
* @param lijstAttribuut het lijst attribuut
* @return de expressie met het resultaat
*/
private Expressie verwerkMetVierdeArgument(final List<Expressie> argumenten, final Context context, final ExpressieAttribuut lijstAttribuut) {
final Expressie resultaat;
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(3);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, lijstAttribuut);
if (attribuut != null) {
final List<Expressie> lijstWaardenOud = bouwLijstWaardes(lijstAttribuut, oudObject, attribuut);
final List<Expressie> lijstWaardenNieuw = bouwLijstWaardes(lijstAttribuut, nieuwObject, attribuut);
resultaat = ExpressieUtil.waardenVerschillend(new LijstExpressie(lijstWaardenOud), new LijstExpressie(lijstWaardenNieuw), context);
} else {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, lijstAttribuut.getType());
}
return resultaat;
}
/**
* Bouw lijst waardes.
*
* @param lijstAttribuut the lijst attribuut
* @param oudObject the oud object
* @param attribuut the attribuut
* @return the list
*/
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut lijstAttribuut, final BrpObjectExpressie oudObject,
final ExpressieAttribuut attribuut)
{
final Expressie lijstObjecten1 = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), lijstAttribuut);
return bouwLijstWaardes(attribuut, lijstObjecten1);
}
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut attribuut, final Expressie lijstObjecten1) {
final List<Expressie> lijstWaarden = new ArrayList<>();
for (final Expressie objExp : lijstObjecten1.getElementen()) {
final BrpObject obj = ((BrpObjectExpressie) objExp).getBrpObject();
final Expressie waarde = DefaultSolver.getInstance().bepaalWaarde(obj, attribuut);
lijstWaarden.add(waarde);
}
return lijstWaarden;
}
/**
* Controleer de parameters.
*
* @param argumenten de argumenten
* @param context de context
* @return de foutmelding of null als er geen fout is opgetreden
*/
private String valideerParameters(final List<Expressie> argumenten, final Context context) {
final Expressie argument1 = argumenten.get(0);
final Expressie argument2 = argumenten.get(1);
String foutmelding = null;
if (argument1 instanceof BrpObjectExpressie && argument2 instanceof BrpObjectExpressie) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argument1;
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argument2;
if (oudObject.getType(context) != nieuwObject.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee BRP-objecten van hetzelfde type.";
}
} else if (argument1 instanceof LijstExpressie && argument2 instanceof LijstExpressie) {
if (argumenten.size() == VIER_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met vier argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
if (argumenten.size() == TWEE_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met twee argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
} else {
if(!argument1.isNull() && !argument2.isNull()) {
if (argument1.getType(context) != argument2.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee dezelfde objecten als argument.";
}
}
}
return foutmelding;
}
/**
* Vergelijk de functie resultaten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie vergelijkFunctieResultaten(final List<Expressie> argumenten, final Context context) {
final LijstExpressie oudObject = (LijstExpressie) argumenten.get(0);
final LijstExpressie nieuwObject = (LijstExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final List<Expressie> oudExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, oudObject, attribuutCode);
final List<Expressie> nieuweExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, nieuwObject, attribuutCode);
return ExpressieUtil.waardenVerschillend(new LijstExpressie(oudExpressieWaardes), new LijstExpressie(nieuweExpressieWaardes), context);
}
private List<Expressie> bepaalAttribuutWaardesPerLijstElement(final Context context, final LijstExpressie lijstExpressie, final AttribuutcodeExpressie attribuutCode) {
List<Expressie> expressieWaardes = Collections.emptyList();
if (lijstExpressie.aantalElementen() > 0) {
final Expressie objExp = lijstExpressie.getElement(0);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, (BrpObjectExpressie) objExp, context);
expressieWaardes = bouwLijstWaardes(attribuut, lijstExpressie);
}
return expressieWaardes;
}
/**
* Is functie resultaat vergelijking.
*
* @param argumenten de argumenten
* @return the boolean
*/
private boolean isFunctieResultaatVergelijking(final List<Expressie> argumenten) {
return argumenten.get(0) instanceof LijstExpressie && argumenten.get(1) instanceof LijstExpressie;
}
/**
* Retourneert een fout expressie voor een onbekend attribuut.
*
* @param attribuutCode het attribuut dat fout/ongeldig is.
* @param objectType het object type waarbinnen het attribuut zich bevindt.
* @return de fout expressie.
*/
private FoutExpressie bouwFoutExpressieOnbekendAttribuut(final AttribuutcodeExpressie attribuutCode,
final ExpressieType objectType)
{
return new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, String.format("Onbekend attribuut %s bij type %s",
attribuutCode.alsString(), objectType.getNaam()));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @param context de context waarbinnen het object en het attribuut zich bevinden.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut,
final BrpObjectExpressie object, final Context context)
{
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType(context));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut, final ExpressieAttribuut object) {
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType());
}
@Override
public boolean berekenBijOptimalisatie() {
return false;
}
@Override
public Expressie optimaliseer(final List<Expressie> argumenten, final Context context) {
return null;
}
}
| MinBZK/OperatieBRP | 2016/brp 2016-02-09/algemeen/algemeen-model/expressietaal/src/main/java/nl/bzk/brp/expressietaal/expressies/functies/FunctieGEWIJZIGD.java | 4,532 | /**
* Is functie resultaat vergelijking.
*
* @param argumenten de argumenten
* @return the boolean
*/ | block_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.expressies.functies;
import java.util.ArrayList;
import java.util.Collections;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.ExpressieUtil;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.LijstExpressie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.Signatuur;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SignatuurOptie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SimpeleSignatuur;
import nl.bzk.brp.expressietaal.expressies.literals.AttribuutcodeExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.symbols.BmrSymbolTable;
import nl.bzk.brp.expressietaal.symbols.DefaultSolver;
import nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut;
import nl.bzk.brp.model.basis.BrpObject;
/**
* Representeert de functie GEWIJZIGD(oud, nieuw, attribuutcode). De functie geeft WAAR terug als het attribuut met code
* attribuutcode gewijzigd is, waarbij oude verwijst naar de oude situatie en nieuw naar de nieuwe. Als beide
* attributen onbekend (NULL) zijn, worden ze als 'niet gewijzigd' beschouwd.
*/
public final class FunctieGEWIJZIGD implements Functieberekening {
private static final Signatuur SIGNATUUR =
new SignatuurOptie(
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE,
ExpressieType.ATTRIBUUTCODE)
);
private static final int TWEE_ARGUMENTEN = 2;
private static final int DRIE_ARGUMENTEN = 3;
private static final int VIER_ARGUMENTEN = 4;
@Override
public List<Expressie> vulDefaultArgumentenIn(final List<Expressie> argumenten) {
return argumenten;
}
@Override
public Signatuur getSignatuur() {
return SIGNATUUR;
}
@Override
public ExpressieType getType(final List<Expressie> argumenten, final Context context) {
return ExpressieType.BOOLEAN;
}
@Override
public ExpressieType getTypeVanElementen(final List<Expressie> argumenten, final Context context) {
return ExpressieType.ONBEKEND_TYPE;
}
@Override
public boolean evalueerArgumenten() {
// De argumenten van GEWIJZIGD moeten niet van tevoren geevalueerd worden, omdat de verwijzing naar het
// attribuut niet verloren moet gaan en er een speciale (afwijkende) rol voor NULL is.
return false;
}
@Override
public Expressie pasToe(final List<Expressie> ongeevalueerdeArgumenten, final Context context) {
final List<Expressie> argumenten = new ArrayList<>(ongeevalueerdeArgumenten.size());
for(Expressie ongeevalueerdArgument : ongeevalueerdeArgumenten) {
argumenten.add(ongeevalueerdArgument.evalueer(context));
}
final Expressie resultaat;
final String foutMelding = valideerParameters(argumenten, context);
if (foutMelding != null) {
resultaat = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, foutMelding);
} else {
// Signatuur zorgt ervoor dat de functie enkel met twee, drie of vier argumenten aangeroepen kan worden.
if (argumenten.size() == TWEE_ARGUMENTEN) {
resultaat = verwerkMetTweeArgumenten(argumenten, context);
} else if (argumenten.size() == DRIE_ARGUMENTEN) {
resultaat = verwerkMetDrieArgumenten(argumenten, context);
} else {
resultaat = verwerkMetVierArgumenten(argumenten, context);
}
}
return resultaat;
}
/**
* Verwerk met twee argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetTweeArgumenten(final List<Expressie> argumenten, final Context context) {
return ExpressieUtil.waardenVerschillend(argumenten.get(0), argumenten.get(1), context);
}
/**
* Verwerk met default argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetDrieArgumenten(final List<Expressie> argumenten, final Context context) {
final Expressie resultaat;
if (isFunctieResultaatVergelijking(argumenten)) {
resultaat = vergelijkFunctieResultaten(argumenten, context);
} else {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, oudObject, context);
if (attribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, oudObject.getType(context));
} else {
final Expressie oudeWaarde = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), attribuut);
final Expressie nieuweWaarde = DefaultSolver.getInstance().bepaalWaarde(nieuwObject.getBrpObject(), attribuut);
resultaat = ExpressieUtil.waardenVerschillend(oudeWaarde, nieuweWaarde, context);
}
}
return resultaat;
}
/**
* Verwerk met vier argumenten, het derde argument is dan niet de directe verwijzing naar een attribuut, maar naar een lijst met groepen zoals
* adressen. Het vierde argument wijst dan naar een attribuut binnen de lijst, zoals postcode.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetVierArgumenten(final List<Expressie> argumenten, final Context context) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final AttribuutcodeExpressie lijstAttribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut lijstAttribuut = bepaalExpressieAttribuutVoorAttribuut(lijstAttribuutCode, oudObject, context);
final Expressie resultaat;
if (lijstAttribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(lijstAttribuutCode, oudObject.getType(context));
} else {
resultaat = verwerkMetVierdeArgument(argumenten, context, lijstAttribuut);
}
return resultaat;
}
/**
* Verwerk met vierde argument, de lijst expressie is bepaald en nu kan de expressie worden verwerkt tot het definitieve resultaat door het attribuut
* binnen de lijst te vergelijken.
*
* @param argumenten de argumenten
* @param context de context
* @param lijstAttribuut het lijst attribuut
* @return de expressie met het resultaat
*/
private Expressie verwerkMetVierdeArgument(final List<Expressie> argumenten, final Context context, final ExpressieAttribuut lijstAttribuut) {
final Expressie resultaat;
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(3);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, lijstAttribuut);
if (attribuut != null) {
final List<Expressie> lijstWaardenOud = bouwLijstWaardes(lijstAttribuut, oudObject, attribuut);
final List<Expressie> lijstWaardenNieuw = bouwLijstWaardes(lijstAttribuut, nieuwObject, attribuut);
resultaat = ExpressieUtil.waardenVerschillend(new LijstExpressie(lijstWaardenOud), new LijstExpressie(lijstWaardenNieuw), context);
} else {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, lijstAttribuut.getType());
}
return resultaat;
}
/**
* Bouw lijst waardes.
*
* @param lijstAttribuut the lijst attribuut
* @param oudObject the oud object
* @param attribuut the attribuut
* @return the list
*/
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut lijstAttribuut, final BrpObjectExpressie oudObject,
final ExpressieAttribuut attribuut)
{
final Expressie lijstObjecten1 = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), lijstAttribuut);
return bouwLijstWaardes(attribuut, lijstObjecten1);
}
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut attribuut, final Expressie lijstObjecten1) {
final List<Expressie> lijstWaarden = new ArrayList<>();
for (final Expressie objExp : lijstObjecten1.getElementen()) {
final BrpObject obj = ((BrpObjectExpressie) objExp).getBrpObject();
final Expressie waarde = DefaultSolver.getInstance().bepaalWaarde(obj, attribuut);
lijstWaarden.add(waarde);
}
return lijstWaarden;
}
/**
* Controleer de parameters.
*
* @param argumenten de argumenten
* @param context de context
* @return de foutmelding of null als er geen fout is opgetreden
*/
private String valideerParameters(final List<Expressie> argumenten, final Context context) {
final Expressie argument1 = argumenten.get(0);
final Expressie argument2 = argumenten.get(1);
String foutmelding = null;
if (argument1 instanceof BrpObjectExpressie && argument2 instanceof BrpObjectExpressie) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argument1;
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argument2;
if (oudObject.getType(context) != nieuwObject.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee BRP-objecten van hetzelfde type.";
}
} else if (argument1 instanceof LijstExpressie && argument2 instanceof LijstExpressie) {
if (argumenten.size() == VIER_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met vier argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
if (argumenten.size() == TWEE_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met twee argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
} else {
if(!argument1.isNull() && !argument2.isNull()) {
if (argument1.getType(context) != argument2.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee dezelfde objecten als argument.";
}
}
}
return foutmelding;
}
/**
* Vergelijk de functie resultaten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie vergelijkFunctieResultaten(final List<Expressie> argumenten, final Context context) {
final LijstExpressie oudObject = (LijstExpressie) argumenten.get(0);
final LijstExpressie nieuwObject = (LijstExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final List<Expressie> oudExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, oudObject, attribuutCode);
final List<Expressie> nieuweExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, nieuwObject, attribuutCode);
return ExpressieUtil.waardenVerschillend(new LijstExpressie(oudExpressieWaardes), new LijstExpressie(nieuweExpressieWaardes), context);
}
private List<Expressie> bepaalAttribuutWaardesPerLijstElement(final Context context, final LijstExpressie lijstExpressie, final AttribuutcodeExpressie attribuutCode) {
List<Expressie> expressieWaardes = Collections.emptyList();
if (lijstExpressie.aantalElementen() > 0) {
final Expressie objExp = lijstExpressie.getElement(0);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, (BrpObjectExpressie) objExp, context);
expressieWaardes = bouwLijstWaardes(attribuut, lijstExpressie);
}
return expressieWaardes;
}
/**
* Is functie resultaat<SUF>*/
private boolean isFunctieResultaatVergelijking(final List<Expressie> argumenten) {
return argumenten.get(0) instanceof LijstExpressie && argumenten.get(1) instanceof LijstExpressie;
}
/**
* Retourneert een fout expressie voor een onbekend attribuut.
*
* @param attribuutCode het attribuut dat fout/ongeldig is.
* @param objectType het object type waarbinnen het attribuut zich bevindt.
* @return de fout expressie.
*/
private FoutExpressie bouwFoutExpressieOnbekendAttribuut(final AttribuutcodeExpressie attribuutCode,
final ExpressieType objectType)
{
return new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, String.format("Onbekend attribuut %s bij type %s",
attribuutCode.alsString(), objectType.getNaam()));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @param context de context waarbinnen het object en het attribuut zich bevinden.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut,
final BrpObjectExpressie object, final Context context)
{
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType(context));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut, final ExpressieAttribuut object) {
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType());
}
@Override
public boolean berekenBijOptimalisatie() {
return false;
}
@Override
public Expressie optimaliseer(final List<Expressie> argumenten, final Context context) {
return null;
}
}
|
204604_13 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.expressies.functies;
import java.util.ArrayList;
import java.util.Collections;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.ExpressieUtil;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.LijstExpressie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.Signatuur;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SignatuurOptie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SimpeleSignatuur;
import nl.bzk.brp.expressietaal.expressies.literals.AttribuutcodeExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.symbols.BmrSymbolTable;
import nl.bzk.brp.expressietaal.symbols.DefaultSolver;
import nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut;
import nl.bzk.brp.model.basis.BrpObject;
/**
* Representeert de functie GEWIJZIGD(oud, nieuw, attribuutcode). De functie geeft WAAR terug als het attribuut met code
* attribuutcode gewijzigd is, waarbij oude verwijst naar de oude situatie en nieuw naar de nieuwe. Als beide
* attributen onbekend (NULL) zijn, worden ze als 'niet gewijzigd' beschouwd.
*/
public final class FunctieGEWIJZIGD implements Functieberekening {
private static final Signatuur SIGNATUUR =
new SignatuurOptie(
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE,
ExpressieType.ATTRIBUUTCODE)
);
private static final int TWEE_ARGUMENTEN = 2;
private static final int DRIE_ARGUMENTEN = 3;
private static final int VIER_ARGUMENTEN = 4;
@Override
public List<Expressie> vulDefaultArgumentenIn(final List<Expressie> argumenten) {
return argumenten;
}
@Override
public Signatuur getSignatuur() {
return SIGNATUUR;
}
@Override
public ExpressieType getType(final List<Expressie> argumenten, final Context context) {
return ExpressieType.BOOLEAN;
}
@Override
public ExpressieType getTypeVanElementen(final List<Expressie> argumenten, final Context context) {
return ExpressieType.ONBEKEND_TYPE;
}
@Override
public boolean evalueerArgumenten() {
// De argumenten van GEWIJZIGD moeten niet van tevoren geevalueerd worden, omdat de verwijzing naar het
// attribuut niet verloren moet gaan en er een speciale (afwijkende) rol voor NULL is.
return false;
}
@Override
public Expressie pasToe(final List<Expressie> ongeevalueerdeArgumenten, final Context context) {
final List<Expressie> argumenten = new ArrayList<>(ongeevalueerdeArgumenten.size());
for(Expressie ongeevalueerdArgument : ongeevalueerdeArgumenten) {
argumenten.add(ongeevalueerdArgument.evalueer(context));
}
final Expressie resultaat;
final String foutMelding = valideerParameters(argumenten, context);
if (foutMelding != null) {
resultaat = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, foutMelding);
} else {
// Signatuur zorgt ervoor dat de functie enkel met twee, drie of vier argumenten aangeroepen kan worden.
if (argumenten.size() == TWEE_ARGUMENTEN) {
resultaat = verwerkMetTweeArgumenten(argumenten, context);
} else if (argumenten.size() == DRIE_ARGUMENTEN) {
resultaat = verwerkMetDrieArgumenten(argumenten, context);
} else {
resultaat = verwerkMetVierArgumenten(argumenten, context);
}
}
return resultaat;
}
/**
* Verwerk met twee argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetTweeArgumenten(final List<Expressie> argumenten, final Context context) {
return ExpressieUtil.waardenVerschillend(argumenten.get(0), argumenten.get(1), context);
}
/**
* Verwerk met default argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetDrieArgumenten(final List<Expressie> argumenten, final Context context) {
final Expressie resultaat;
if (isFunctieResultaatVergelijking(argumenten)) {
resultaat = vergelijkFunctieResultaten(argumenten, context);
} else {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, oudObject, context);
if (attribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, oudObject.getType(context));
} else {
final Expressie oudeWaarde = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), attribuut);
final Expressie nieuweWaarde = DefaultSolver.getInstance().bepaalWaarde(nieuwObject.getBrpObject(), attribuut);
resultaat = ExpressieUtil.waardenVerschillend(oudeWaarde, nieuweWaarde, context);
}
}
return resultaat;
}
/**
* Verwerk met vier argumenten, het derde argument is dan niet de directe verwijzing naar een attribuut, maar naar een lijst met groepen zoals
* adressen. Het vierde argument wijst dan naar een attribuut binnen de lijst, zoals postcode.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetVierArgumenten(final List<Expressie> argumenten, final Context context) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final AttribuutcodeExpressie lijstAttribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut lijstAttribuut = bepaalExpressieAttribuutVoorAttribuut(lijstAttribuutCode, oudObject, context);
final Expressie resultaat;
if (lijstAttribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(lijstAttribuutCode, oudObject.getType(context));
} else {
resultaat = verwerkMetVierdeArgument(argumenten, context, lijstAttribuut);
}
return resultaat;
}
/**
* Verwerk met vierde argument, de lijst expressie is bepaald en nu kan de expressie worden verwerkt tot het definitieve resultaat door het attribuut
* binnen de lijst te vergelijken.
*
* @param argumenten de argumenten
* @param context de context
* @param lijstAttribuut het lijst attribuut
* @return de expressie met het resultaat
*/
private Expressie verwerkMetVierdeArgument(final List<Expressie> argumenten, final Context context, final ExpressieAttribuut lijstAttribuut) {
final Expressie resultaat;
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(3);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, lijstAttribuut);
if (attribuut != null) {
final List<Expressie> lijstWaardenOud = bouwLijstWaardes(lijstAttribuut, oudObject, attribuut);
final List<Expressie> lijstWaardenNieuw = bouwLijstWaardes(lijstAttribuut, nieuwObject, attribuut);
resultaat = ExpressieUtil.waardenVerschillend(new LijstExpressie(lijstWaardenOud), new LijstExpressie(lijstWaardenNieuw), context);
} else {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, lijstAttribuut.getType());
}
return resultaat;
}
/**
* Bouw lijst waardes.
*
* @param lijstAttribuut the lijst attribuut
* @param oudObject the oud object
* @param attribuut the attribuut
* @return the list
*/
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut lijstAttribuut, final BrpObjectExpressie oudObject,
final ExpressieAttribuut attribuut)
{
final Expressie lijstObjecten1 = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), lijstAttribuut);
return bouwLijstWaardes(attribuut, lijstObjecten1);
}
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut attribuut, final Expressie lijstObjecten1) {
final List<Expressie> lijstWaarden = new ArrayList<>();
for (final Expressie objExp : lijstObjecten1.getElementen()) {
final BrpObject obj = ((BrpObjectExpressie) objExp).getBrpObject();
final Expressie waarde = DefaultSolver.getInstance().bepaalWaarde(obj, attribuut);
lijstWaarden.add(waarde);
}
return lijstWaarden;
}
/**
* Controleer de parameters.
*
* @param argumenten de argumenten
* @param context de context
* @return de foutmelding of null als er geen fout is opgetreden
*/
private String valideerParameters(final List<Expressie> argumenten, final Context context) {
final Expressie argument1 = argumenten.get(0);
final Expressie argument2 = argumenten.get(1);
String foutmelding = null;
if (argument1 instanceof BrpObjectExpressie && argument2 instanceof BrpObjectExpressie) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argument1;
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argument2;
if (oudObject.getType(context) != nieuwObject.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee BRP-objecten van hetzelfde type.";
}
} else if (argument1 instanceof LijstExpressie && argument2 instanceof LijstExpressie) {
if (argumenten.size() == VIER_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met vier argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
if (argumenten.size() == TWEE_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met twee argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
} else {
if(!argument1.isNull() && !argument2.isNull()) {
if (argument1.getType(context) != argument2.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee dezelfde objecten als argument.";
}
}
}
return foutmelding;
}
/**
* Vergelijk de functie resultaten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie vergelijkFunctieResultaten(final List<Expressie> argumenten, final Context context) {
final LijstExpressie oudObject = (LijstExpressie) argumenten.get(0);
final LijstExpressie nieuwObject = (LijstExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final List<Expressie> oudExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, oudObject, attribuutCode);
final List<Expressie> nieuweExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, nieuwObject, attribuutCode);
return ExpressieUtil.waardenVerschillend(new LijstExpressie(oudExpressieWaardes), new LijstExpressie(nieuweExpressieWaardes), context);
}
private List<Expressie> bepaalAttribuutWaardesPerLijstElement(final Context context, final LijstExpressie lijstExpressie, final AttribuutcodeExpressie attribuutCode) {
List<Expressie> expressieWaardes = Collections.emptyList();
if (lijstExpressie.aantalElementen() > 0) {
final Expressie objExp = lijstExpressie.getElement(0);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, (BrpObjectExpressie) objExp, context);
expressieWaardes = bouwLijstWaardes(attribuut, lijstExpressie);
}
return expressieWaardes;
}
/**
* Is functie resultaat vergelijking.
*
* @param argumenten de argumenten
* @return the boolean
*/
private boolean isFunctieResultaatVergelijking(final List<Expressie> argumenten) {
return argumenten.get(0) instanceof LijstExpressie && argumenten.get(1) instanceof LijstExpressie;
}
/**
* Retourneert een fout expressie voor een onbekend attribuut.
*
* @param attribuutCode het attribuut dat fout/ongeldig is.
* @param objectType het object type waarbinnen het attribuut zich bevindt.
* @return de fout expressie.
*/
private FoutExpressie bouwFoutExpressieOnbekendAttribuut(final AttribuutcodeExpressie attribuutCode,
final ExpressieType objectType)
{
return new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, String.format("Onbekend attribuut %s bij type %s",
attribuutCode.alsString(), objectType.getNaam()));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @param context de context waarbinnen het object en het attribuut zich bevinden.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut,
final BrpObjectExpressie object, final Context context)
{
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType(context));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut, final ExpressieAttribuut object) {
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType());
}
@Override
public boolean berekenBijOptimalisatie() {
return false;
}
@Override
public Expressie optimaliseer(final List<Expressie> argumenten, final Context context) {
return null;
}
}
| MinBZK/OperatieBRP | 2016/brp 2016-02-09/algemeen/algemeen-model/expressietaal/src/main/java/nl/bzk/brp/expressietaal/expressies/functies/FunctieGEWIJZIGD.java | 4,532 | /**
* Retourneert een fout expressie voor een onbekend attribuut.
*
* @param attribuutCode het attribuut dat fout/ongeldig is.
* @param objectType het object type waarbinnen het attribuut zich bevindt.
* @return de fout expressie.
*/ | block_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.expressies.functies;
import java.util.ArrayList;
import java.util.Collections;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.ExpressieUtil;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.LijstExpressie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.Signatuur;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SignatuurOptie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SimpeleSignatuur;
import nl.bzk.brp.expressietaal.expressies.literals.AttribuutcodeExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.symbols.BmrSymbolTable;
import nl.bzk.brp.expressietaal.symbols.DefaultSolver;
import nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut;
import nl.bzk.brp.model.basis.BrpObject;
/**
* Representeert de functie GEWIJZIGD(oud, nieuw, attribuutcode). De functie geeft WAAR terug als het attribuut met code
* attribuutcode gewijzigd is, waarbij oude verwijst naar de oude situatie en nieuw naar de nieuwe. Als beide
* attributen onbekend (NULL) zijn, worden ze als 'niet gewijzigd' beschouwd.
*/
public final class FunctieGEWIJZIGD implements Functieberekening {
private static final Signatuur SIGNATUUR =
new SignatuurOptie(
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE,
ExpressieType.ATTRIBUUTCODE)
);
private static final int TWEE_ARGUMENTEN = 2;
private static final int DRIE_ARGUMENTEN = 3;
private static final int VIER_ARGUMENTEN = 4;
@Override
public List<Expressie> vulDefaultArgumentenIn(final List<Expressie> argumenten) {
return argumenten;
}
@Override
public Signatuur getSignatuur() {
return SIGNATUUR;
}
@Override
public ExpressieType getType(final List<Expressie> argumenten, final Context context) {
return ExpressieType.BOOLEAN;
}
@Override
public ExpressieType getTypeVanElementen(final List<Expressie> argumenten, final Context context) {
return ExpressieType.ONBEKEND_TYPE;
}
@Override
public boolean evalueerArgumenten() {
// De argumenten van GEWIJZIGD moeten niet van tevoren geevalueerd worden, omdat de verwijzing naar het
// attribuut niet verloren moet gaan en er een speciale (afwijkende) rol voor NULL is.
return false;
}
@Override
public Expressie pasToe(final List<Expressie> ongeevalueerdeArgumenten, final Context context) {
final List<Expressie> argumenten = new ArrayList<>(ongeevalueerdeArgumenten.size());
for(Expressie ongeevalueerdArgument : ongeevalueerdeArgumenten) {
argumenten.add(ongeevalueerdArgument.evalueer(context));
}
final Expressie resultaat;
final String foutMelding = valideerParameters(argumenten, context);
if (foutMelding != null) {
resultaat = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, foutMelding);
} else {
// Signatuur zorgt ervoor dat de functie enkel met twee, drie of vier argumenten aangeroepen kan worden.
if (argumenten.size() == TWEE_ARGUMENTEN) {
resultaat = verwerkMetTweeArgumenten(argumenten, context);
} else if (argumenten.size() == DRIE_ARGUMENTEN) {
resultaat = verwerkMetDrieArgumenten(argumenten, context);
} else {
resultaat = verwerkMetVierArgumenten(argumenten, context);
}
}
return resultaat;
}
/**
* Verwerk met twee argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetTweeArgumenten(final List<Expressie> argumenten, final Context context) {
return ExpressieUtil.waardenVerschillend(argumenten.get(0), argumenten.get(1), context);
}
/**
* Verwerk met default argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetDrieArgumenten(final List<Expressie> argumenten, final Context context) {
final Expressie resultaat;
if (isFunctieResultaatVergelijking(argumenten)) {
resultaat = vergelijkFunctieResultaten(argumenten, context);
} else {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, oudObject, context);
if (attribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, oudObject.getType(context));
} else {
final Expressie oudeWaarde = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), attribuut);
final Expressie nieuweWaarde = DefaultSolver.getInstance().bepaalWaarde(nieuwObject.getBrpObject(), attribuut);
resultaat = ExpressieUtil.waardenVerschillend(oudeWaarde, nieuweWaarde, context);
}
}
return resultaat;
}
/**
* Verwerk met vier argumenten, het derde argument is dan niet de directe verwijzing naar een attribuut, maar naar een lijst met groepen zoals
* adressen. Het vierde argument wijst dan naar een attribuut binnen de lijst, zoals postcode.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetVierArgumenten(final List<Expressie> argumenten, final Context context) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final AttribuutcodeExpressie lijstAttribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut lijstAttribuut = bepaalExpressieAttribuutVoorAttribuut(lijstAttribuutCode, oudObject, context);
final Expressie resultaat;
if (lijstAttribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(lijstAttribuutCode, oudObject.getType(context));
} else {
resultaat = verwerkMetVierdeArgument(argumenten, context, lijstAttribuut);
}
return resultaat;
}
/**
* Verwerk met vierde argument, de lijst expressie is bepaald en nu kan de expressie worden verwerkt tot het definitieve resultaat door het attribuut
* binnen de lijst te vergelijken.
*
* @param argumenten de argumenten
* @param context de context
* @param lijstAttribuut het lijst attribuut
* @return de expressie met het resultaat
*/
private Expressie verwerkMetVierdeArgument(final List<Expressie> argumenten, final Context context, final ExpressieAttribuut lijstAttribuut) {
final Expressie resultaat;
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(3);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, lijstAttribuut);
if (attribuut != null) {
final List<Expressie> lijstWaardenOud = bouwLijstWaardes(lijstAttribuut, oudObject, attribuut);
final List<Expressie> lijstWaardenNieuw = bouwLijstWaardes(lijstAttribuut, nieuwObject, attribuut);
resultaat = ExpressieUtil.waardenVerschillend(new LijstExpressie(lijstWaardenOud), new LijstExpressie(lijstWaardenNieuw), context);
} else {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, lijstAttribuut.getType());
}
return resultaat;
}
/**
* Bouw lijst waardes.
*
* @param lijstAttribuut the lijst attribuut
* @param oudObject the oud object
* @param attribuut the attribuut
* @return the list
*/
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut lijstAttribuut, final BrpObjectExpressie oudObject,
final ExpressieAttribuut attribuut)
{
final Expressie lijstObjecten1 = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), lijstAttribuut);
return bouwLijstWaardes(attribuut, lijstObjecten1);
}
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut attribuut, final Expressie lijstObjecten1) {
final List<Expressie> lijstWaarden = new ArrayList<>();
for (final Expressie objExp : lijstObjecten1.getElementen()) {
final BrpObject obj = ((BrpObjectExpressie) objExp).getBrpObject();
final Expressie waarde = DefaultSolver.getInstance().bepaalWaarde(obj, attribuut);
lijstWaarden.add(waarde);
}
return lijstWaarden;
}
/**
* Controleer de parameters.
*
* @param argumenten de argumenten
* @param context de context
* @return de foutmelding of null als er geen fout is opgetreden
*/
private String valideerParameters(final List<Expressie> argumenten, final Context context) {
final Expressie argument1 = argumenten.get(0);
final Expressie argument2 = argumenten.get(1);
String foutmelding = null;
if (argument1 instanceof BrpObjectExpressie && argument2 instanceof BrpObjectExpressie) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argument1;
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argument2;
if (oudObject.getType(context) != nieuwObject.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee BRP-objecten van hetzelfde type.";
}
} else if (argument1 instanceof LijstExpressie && argument2 instanceof LijstExpressie) {
if (argumenten.size() == VIER_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met vier argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
if (argumenten.size() == TWEE_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met twee argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
} else {
if(!argument1.isNull() && !argument2.isNull()) {
if (argument1.getType(context) != argument2.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee dezelfde objecten als argument.";
}
}
}
return foutmelding;
}
/**
* Vergelijk de functie resultaten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie vergelijkFunctieResultaten(final List<Expressie> argumenten, final Context context) {
final LijstExpressie oudObject = (LijstExpressie) argumenten.get(0);
final LijstExpressie nieuwObject = (LijstExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final List<Expressie> oudExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, oudObject, attribuutCode);
final List<Expressie> nieuweExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, nieuwObject, attribuutCode);
return ExpressieUtil.waardenVerschillend(new LijstExpressie(oudExpressieWaardes), new LijstExpressie(nieuweExpressieWaardes), context);
}
private List<Expressie> bepaalAttribuutWaardesPerLijstElement(final Context context, final LijstExpressie lijstExpressie, final AttribuutcodeExpressie attribuutCode) {
List<Expressie> expressieWaardes = Collections.emptyList();
if (lijstExpressie.aantalElementen() > 0) {
final Expressie objExp = lijstExpressie.getElement(0);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, (BrpObjectExpressie) objExp, context);
expressieWaardes = bouwLijstWaardes(attribuut, lijstExpressie);
}
return expressieWaardes;
}
/**
* Is functie resultaat vergelijking.
*
* @param argumenten de argumenten
* @return the boolean
*/
private boolean isFunctieResultaatVergelijking(final List<Expressie> argumenten) {
return argumenten.get(0) instanceof LijstExpressie && argumenten.get(1) instanceof LijstExpressie;
}
/**
* Retourneert een fout<SUF>*/
private FoutExpressie bouwFoutExpressieOnbekendAttribuut(final AttribuutcodeExpressie attribuutCode,
final ExpressieType objectType)
{
return new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, String.format("Onbekend attribuut %s bij type %s",
attribuutCode.alsString(), objectType.getNaam()));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @param context de context waarbinnen het object en het attribuut zich bevinden.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut,
final BrpObjectExpressie object, final Context context)
{
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType(context));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut, final ExpressieAttribuut object) {
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType());
}
@Override
public boolean berekenBijOptimalisatie() {
return false;
}
@Override
public Expressie optimaliseer(final List<Expressie> argumenten, final Context context) {
return null;
}
}
|
204604_14 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.expressies.functies;
import java.util.ArrayList;
import java.util.Collections;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.ExpressieUtil;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.LijstExpressie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.Signatuur;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SignatuurOptie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SimpeleSignatuur;
import nl.bzk.brp.expressietaal.expressies.literals.AttribuutcodeExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.symbols.BmrSymbolTable;
import nl.bzk.brp.expressietaal.symbols.DefaultSolver;
import nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut;
import nl.bzk.brp.model.basis.BrpObject;
/**
* Representeert de functie GEWIJZIGD(oud, nieuw, attribuutcode). De functie geeft WAAR terug als het attribuut met code
* attribuutcode gewijzigd is, waarbij oude verwijst naar de oude situatie en nieuw naar de nieuwe. Als beide
* attributen onbekend (NULL) zijn, worden ze als 'niet gewijzigd' beschouwd.
*/
public final class FunctieGEWIJZIGD implements Functieberekening {
private static final Signatuur SIGNATUUR =
new SignatuurOptie(
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE,
ExpressieType.ATTRIBUUTCODE)
);
private static final int TWEE_ARGUMENTEN = 2;
private static final int DRIE_ARGUMENTEN = 3;
private static final int VIER_ARGUMENTEN = 4;
@Override
public List<Expressie> vulDefaultArgumentenIn(final List<Expressie> argumenten) {
return argumenten;
}
@Override
public Signatuur getSignatuur() {
return SIGNATUUR;
}
@Override
public ExpressieType getType(final List<Expressie> argumenten, final Context context) {
return ExpressieType.BOOLEAN;
}
@Override
public ExpressieType getTypeVanElementen(final List<Expressie> argumenten, final Context context) {
return ExpressieType.ONBEKEND_TYPE;
}
@Override
public boolean evalueerArgumenten() {
// De argumenten van GEWIJZIGD moeten niet van tevoren geevalueerd worden, omdat de verwijzing naar het
// attribuut niet verloren moet gaan en er een speciale (afwijkende) rol voor NULL is.
return false;
}
@Override
public Expressie pasToe(final List<Expressie> ongeevalueerdeArgumenten, final Context context) {
final List<Expressie> argumenten = new ArrayList<>(ongeevalueerdeArgumenten.size());
for(Expressie ongeevalueerdArgument : ongeevalueerdeArgumenten) {
argumenten.add(ongeevalueerdArgument.evalueer(context));
}
final Expressie resultaat;
final String foutMelding = valideerParameters(argumenten, context);
if (foutMelding != null) {
resultaat = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, foutMelding);
} else {
// Signatuur zorgt ervoor dat de functie enkel met twee, drie of vier argumenten aangeroepen kan worden.
if (argumenten.size() == TWEE_ARGUMENTEN) {
resultaat = verwerkMetTweeArgumenten(argumenten, context);
} else if (argumenten.size() == DRIE_ARGUMENTEN) {
resultaat = verwerkMetDrieArgumenten(argumenten, context);
} else {
resultaat = verwerkMetVierArgumenten(argumenten, context);
}
}
return resultaat;
}
/**
* Verwerk met twee argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetTweeArgumenten(final List<Expressie> argumenten, final Context context) {
return ExpressieUtil.waardenVerschillend(argumenten.get(0), argumenten.get(1), context);
}
/**
* Verwerk met default argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetDrieArgumenten(final List<Expressie> argumenten, final Context context) {
final Expressie resultaat;
if (isFunctieResultaatVergelijking(argumenten)) {
resultaat = vergelijkFunctieResultaten(argumenten, context);
} else {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, oudObject, context);
if (attribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, oudObject.getType(context));
} else {
final Expressie oudeWaarde = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), attribuut);
final Expressie nieuweWaarde = DefaultSolver.getInstance().bepaalWaarde(nieuwObject.getBrpObject(), attribuut);
resultaat = ExpressieUtil.waardenVerschillend(oudeWaarde, nieuweWaarde, context);
}
}
return resultaat;
}
/**
* Verwerk met vier argumenten, het derde argument is dan niet de directe verwijzing naar een attribuut, maar naar een lijst met groepen zoals
* adressen. Het vierde argument wijst dan naar een attribuut binnen de lijst, zoals postcode.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetVierArgumenten(final List<Expressie> argumenten, final Context context) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final AttribuutcodeExpressie lijstAttribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut lijstAttribuut = bepaalExpressieAttribuutVoorAttribuut(lijstAttribuutCode, oudObject, context);
final Expressie resultaat;
if (lijstAttribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(lijstAttribuutCode, oudObject.getType(context));
} else {
resultaat = verwerkMetVierdeArgument(argumenten, context, lijstAttribuut);
}
return resultaat;
}
/**
* Verwerk met vierde argument, de lijst expressie is bepaald en nu kan de expressie worden verwerkt tot het definitieve resultaat door het attribuut
* binnen de lijst te vergelijken.
*
* @param argumenten de argumenten
* @param context de context
* @param lijstAttribuut het lijst attribuut
* @return de expressie met het resultaat
*/
private Expressie verwerkMetVierdeArgument(final List<Expressie> argumenten, final Context context, final ExpressieAttribuut lijstAttribuut) {
final Expressie resultaat;
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(3);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, lijstAttribuut);
if (attribuut != null) {
final List<Expressie> lijstWaardenOud = bouwLijstWaardes(lijstAttribuut, oudObject, attribuut);
final List<Expressie> lijstWaardenNieuw = bouwLijstWaardes(lijstAttribuut, nieuwObject, attribuut);
resultaat = ExpressieUtil.waardenVerschillend(new LijstExpressie(lijstWaardenOud), new LijstExpressie(lijstWaardenNieuw), context);
} else {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, lijstAttribuut.getType());
}
return resultaat;
}
/**
* Bouw lijst waardes.
*
* @param lijstAttribuut the lijst attribuut
* @param oudObject the oud object
* @param attribuut the attribuut
* @return the list
*/
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut lijstAttribuut, final BrpObjectExpressie oudObject,
final ExpressieAttribuut attribuut)
{
final Expressie lijstObjecten1 = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), lijstAttribuut);
return bouwLijstWaardes(attribuut, lijstObjecten1);
}
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut attribuut, final Expressie lijstObjecten1) {
final List<Expressie> lijstWaarden = new ArrayList<>();
for (final Expressie objExp : lijstObjecten1.getElementen()) {
final BrpObject obj = ((BrpObjectExpressie) objExp).getBrpObject();
final Expressie waarde = DefaultSolver.getInstance().bepaalWaarde(obj, attribuut);
lijstWaarden.add(waarde);
}
return lijstWaarden;
}
/**
* Controleer de parameters.
*
* @param argumenten de argumenten
* @param context de context
* @return de foutmelding of null als er geen fout is opgetreden
*/
private String valideerParameters(final List<Expressie> argumenten, final Context context) {
final Expressie argument1 = argumenten.get(0);
final Expressie argument2 = argumenten.get(1);
String foutmelding = null;
if (argument1 instanceof BrpObjectExpressie && argument2 instanceof BrpObjectExpressie) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argument1;
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argument2;
if (oudObject.getType(context) != nieuwObject.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee BRP-objecten van hetzelfde type.";
}
} else if (argument1 instanceof LijstExpressie && argument2 instanceof LijstExpressie) {
if (argumenten.size() == VIER_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met vier argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
if (argumenten.size() == TWEE_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met twee argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
} else {
if(!argument1.isNull() && !argument2.isNull()) {
if (argument1.getType(context) != argument2.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee dezelfde objecten als argument.";
}
}
}
return foutmelding;
}
/**
* Vergelijk de functie resultaten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie vergelijkFunctieResultaten(final List<Expressie> argumenten, final Context context) {
final LijstExpressie oudObject = (LijstExpressie) argumenten.get(0);
final LijstExpressie nieuwObject = (LijstExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final List<Expressie> oudExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, oudObject, attribuutCode);
final List<Expressie> nieuweExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, nieuwObject, attribuutCode);
return ExpressieUtil.waardenVerschillend(new LijstExpressie(oudExpressieWaardes), new LijstExpressie(nieuweExpressieWaardes), context);
}
private List<Expressie> bepaalAttribuutWaardesPerLijstElement(final Context context, final LijstExpressie lijstExpressie, final AttribuutcodeExpressie attribuutCode) {
List<Expressie> expressieWaardes = Collections.emptyList();
if (lijstExpressie.aantalElementen() > 0) {
final Expressie objExp = lijstExpressie.getElement(0);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, (BrpObjectExpressie) objExp, context);
expressieWaardes = bouwLijstWaardes(attribuut, lijstExpressie);
}
return expressieWaardes;
}
/**
* Is functie resultaat vergelijking.
*
* @param argumenten de argumenten
* @return the boolean
*/
private boolean isFunctieResultaatVergelijking(final List<Expressie> argumenten) {
return argumenten.get(0) instanceof LijstExpressie && argumenten.get(1) instanceof LijstExpressie;
}
/**
* Retourneert een fout expressie voor een onbekend attribuut.
*
* @param attribuutCode het attribuut dat fout/ongeldig is.
* @param objectType het object type waarbinnen het attribuut zich bevindt.
* @return de fout expressie.
*/
private FoutExpressie bouwFoutExpressieOnbekendAttribuut(final AttribuutcodeExpressie attribuutCode,
final ExpressieType objectType)
{
return new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, String.format("Onbekend attribuut %s bij type %s",
attribuutCode.alsString(), objectType.getNaam()));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @param context de context waarbinnen het object en het attribuut zich bevinden.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut,
final BrpObjectExpressie object, final Context context)
{
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType(context));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut, final ExpressieAttribuut object) {
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType());
}
@Override
public boolean berekenBijOptimalisatie() {
return false;
}
@Override
public Expressie optimaliseer(final List<Expressie> argumenten, final Context context) {
return null;
}
}
| MinBZK/OperatieBRP | 2016/brp 2016-02-09/algemeen/algemeen-model/expressietaal/src/main/java/nl/bzk/brp/expressietaal/expressies/functies/FunctieGEWIJZIGD.java | 4,532 | /**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @param context de context waarbinnen het object en het attribuut zich bevinden.
* @return een expressie wijzende naar het attribuut.
*/ | block_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.expressies.functies;
import java.util.ArrayList;
import java.util.Collections;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.ExpressieUtil;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.LijstExpressie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.Signatuur;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SignatuurOptie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SimpeleSignatuur;
import nl.bzk.brp.expressietaal.expressies.literals.AttribuutcodeExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.symbols.BmrSymbolTable;
import nl.bzk.brp.expressietaal.symbols.DefaultSolver;
import nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut;
import nl.bzk.brp.model.basis.BrpObject;
/**
* Representeert de functie GEWIJZIGD(oud, nieuw, attribuutcode). De functie geeft WAAR terug als het attribuut met code
* attribuutcode gewijzigd is, waarbij oude verwijst naar de oude situatie en nieuw naar de nieuwe. Als beide
* attributen onbekend (NULL) zijn, worden ze als 'niet gewijzigd' beschouwd.
*/
public final class FunctieGEWIJZIGD implements Functieberekening {
private static final Signatuur SIGNATUUR =
new SignatuurOptie(
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE,
ExpressieType.ATTRIBUUTCODE)
);
private static final int TWEE_ARGUMENTEN = 2;
private static final int DRIE_ARGUMENTEN = 3;
private static final int VIER_ARGUMENTEN = 4;
@Override
public List<Expressie> vulDefaultArgumentenIn(final List<Expressie> argumenten) {
return argumenten;
}
@Override
public Signatuur getSignatuur() {
return SIGNATUUR;
}
@Override
public ExpressieType getType(final List<Expressie> argumenten, final Context context) {
return ExpressieType.BOOLEAN;
}
@Override
public ExpressieType getTypeVanElementen(final List<Expressie> argumenten, final Context context) {
return ExpressieType.ONBEKEND_TYPE;
}
@Override
public boolean evalueerArgumenten() {
// De argumenten van GEWIJZIGD moeten niet van tevoren geevalueerd worden, omdat de verwijzing naar het
// attribuut niet verloren moet gaan en er een speciale (afwijkende) rol voor NULL is.
return false;
}
@Override
public Expressie pasToe(final List<Expressie> ongeevalueerdeArgumenten, final Context context) {
final List<Expressie> argumenten = new ArrayList<>(ongeevalueerdeArgumenten.size());
for(Expressie ongeevalueerdArgument : ongeevalueerdeArgumenten) {
argumenten.add(ongeevalueerdArgument.evalueer(context));
}
final Expressie resultaat;
final String foutMelding = valideerParameters(argumenten, context);
if (foutMelding != null) {
resultaat = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, foutMelding);
} else {
// Signatuur zorgt ervoor dat de functie enkel met twee, drie of vier argumenten aangeroepen kan worden.
if (argumenten.size() == TWEE_ARGUMENTEN) {
resultaat = verwerkMetTweeArgumenten(argumenten, context);
} else if (argumenten.size() == DRIE_ARGUMENTEN) {
resultaat = verwerkMetDrieArgumenten(argumenten, context);
} else {
resultaat = verwerkMetVierArgumenten(argumenten, context);
}
}
return resultaat;
}
/**
* Verwerk met twee argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetTweeArgumenten(final List<Expressie> argumenten, final Context context) {
return ExpressieUtil.waardenVerschillend(argumenten.get(0), argumenten.get(1), context);
}
/**
* Verwerk met default argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetDrieArgumenten(final List<Expressie> argumenten, final Context context) {
final Expressie resultaat;
if (isFunctieResultaatVergelijking(argumenten)) {
resultaat = vergelijkFunctieResultaten(argumenten, context);
} else {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, oudObject, context);
if (attribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, oudObject.getType(context));
} else {
final Expressie oudeWaarde = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), attribuut);
final Expressie nieuweWaarde = DefaultSolver.getInstance().bepaalWaarde(nieuwObject.getBrpObject(), attribuut);
resultaat = ExpressieUtil.waardenVerschillend(oudeWaarde, nieuweWaarde, context);
}
}
return resultaat;
}
/**
* Verwerk met vier argumenten, het derde argument is dan niet de directe verwijzing naar een attribuut, maar naar een lijst met groepen zoals
* adressen. Het vierde argument wijst dan naar een attribuut binnen de lijst, zoals postcode.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetVierArgumenten(final List<Expressie> argumenten, final Context context) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final AttribuutcodeExpressie lijstAttribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut lijstAttribuut = bepaalExpressieAttribuutVoorAttribuut(lijstAttribuutCode, oudObject, context);
final Expressie resultaat;
if (lijstAttribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(lijstAttribuutCode, oudObject.getType(context));
} else {
resultaat = verwerkMetVierdeArgument(argumenten, context, lijstAttribuut);
}
return resultaat;
}
/**
* Verwerk met vierde argument, de lijst expressie is bepaald en nu kan de expressie worden verwerkt tot het definitieve resultaat door het attribuut
* binnen de lijst te vergelijken.
*
* @param argumenten de argumenten
* @param context de context
* @param lijstAttribuut het lijst attribuut
* @return de expressie met het resultaat
*/
private Expressie verwerkMetVierdeArgument(final List<Expressie> argumenten, final Context context, final ExpressieAttribuut lijstAttribuut) {
final Expressie resultaat;
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(3);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, lijstAttribuut);
if (attribuut != null) {
final List<Expressie> lijstWaardenOud = bouwLijstWaardes(lijstAttribuut, oudObject, attribuut);
final List<Expressie> lijstWaardenNieuw = bouwLijstWaardes(lijstAttribuut, nieuwObject, attribuut);
resultaat = ExpressieUtil.waardenVerschillend(new LijstExpressie(lijstWaardenOud), new LijstExpressie(lijstWaardenNieuw), context);
} else {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, lijstAttribuut.getType());
}
return resultaat;
}
/**
* Bouw lijst waardes.
*
* @param lijstAttribuut the lijst attribuut
* @param oudObject the oud object
* @param attribuut the attribuut
* @return the list
*/
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut lijstAttribuut, final BrpObjectExpressie oudObject,
final ExpressieAttribuut attribuut)
{
final Expressie lijstObjecten1 = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), lijstAttribuut);
return bouwLijstWaardes(attribuut, lijstObjecten1);
}
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut attribuut, final Expressie lijstObjecten1) {
final List<Expressie> lijstWaarden = new ArrayList<>();
for (final Expressie objExp : lijstObjecten1.getElementen()) {
final BrpObject obj = ((BrpObjectExpressie) objExp).getBrpObject();
final Expressie waarde = DefaultSolver.getInstance().bepaalWaarde(obj, attribuut);
lijstWaarden.add(waarde);
}
return lijstWaarden;
}
/**
* Controleer de parameters.
*
* @param argumenten de argumenten
* @param context de context
* @return de foutmelding of null als er geen fout is opgetreden
*/
private String valideerParameters(final List<Expressie> argumenten, final Context context) {
final Expressie argument1 = argumenten.get(0);
final Expressie argument2 = argumenten.get(1);
String foutmelding = null;
if (argument1 instanceof BrpObjectExpressie && argument2 instanceof BrpObjectExpressie) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argument1;
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argument2;
if (oudObject.getType(context) != nieuwObject.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee BRP-objecten van hetzelfde type.";
}
} else if (argument1 instanceof LijstExpressie && argument2 instanceof LijstExpressie) {
if (argumenten.size() == VIER_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met vier argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
if (argumenten.size() == TWEE_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met twee argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
} else {
if(!argument1.isNull() && !argument2.isNull()) {
if (argument1.getType(context) != argument2.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee dezelfde objecten als argument.";
}
}
}
return foutmelding;
}
/**
* Vergelijk de functie resultaten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie vergelijkFunctieResultaten(final List<Expressie> argumenten, final Context context) {
final LijstExpressie oudObject = (LijstExpressie) argumenten.get(0);
final LijstExpressie nieuwObject = (LijstExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final List<Expressie> oudExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, oudObject, attribuutCode);
final List<Expressie> nieuweExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, nieuwObject, attribuutCode);
return ExpressieUtil.waardenVerschillend(new LijstExpressie(oudExpressieWaardes), new LijstExpressie(nieuweExpressieWaardes), context);
}
private List<Expressie> bepaalAttribuutWaardesPerLijstElement(final Context context, final LijstExpressie lijstExpressie, final AttribuutcodeExpressie attribuutCode) {
List<Expressie> expressieWaardes = Collections.emptyList();
if (lijstExpressie.aantalElementen() > 0) {
final Expressie objExp = lijstExpressie.getElement(0);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, (BrpObjectExpressie) objExp, context);
expressieWaardes = bouwLijstWaardes(attribuut, lijstExpressie);
}
return expressieWaardes;
}
/**
* Is functie resultaat vergelijking.
*
* @param argumenten de argumenten
* @return the boolean
*/
private boolean isFunctieResultaatVergelijking(final List<Expressie> argumenten) {
return argumenten.get(0) instanceof LijstExpressie && argumenten.get(1) instanceof LijstExpressie;
}
/**
* Retourneert een fout expressie voor een onbekend attribuut.
*
* @param attribuutCode het attribuut dat fout/ongeldig is.
* @param objectType het object type waarbinnen het attribuut zich bevindt.
* @return de fout expressie.
*/
private FoutExpressie bouwFoutExpressieOnbekendAttribuut(final AttribuutcodeExpressie attribuutCode,
final ExpressieType objectType)
{
return new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, String.format("Onbekend attribuut %s bij type %s",
attribuutCode.alsString(), objectType.getNaam()));
}
/**
* Retourneert de {@link<SUF>*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut,
final BrpObjectExpressie object, final Context context)
{
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType(context));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut, final ExpressieAttribuut object) {
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType());
}
@Override
public boolean berekenBijOptimalisatie() {
return false;
}
@Override
public Expressie optimaliseer(final List<Expressie> argumenten, final Context context) {
return null;
}
}
|
204604_15 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.expressies.functies;
import java.util.ArrayList;
import java.util.Collections;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.ExpressieUtil;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.LijstExpressie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.Signatuur;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SignatuurOptie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SimpeleSignatuur;
import nl.bzk.brp.expressietaal.expressies.literals.AttribuutcodeExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.symbols.BmrSymbolTable;
import nl.bzk.brp.expressietaal.symbols.DefaultSolver;
import nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut;
import nl.bzk.brp.model.basis.BrpObject;
/**
* Representeert de functie GEWIJZIGD(oud, nieuw, attribuutcode). De functie geeft WAAR terug als het attribuut met code
* attribuutcode gewijzigd is, waarbij oude verwijst naar de oude situatie en nieuw naar de nieuwe. Als beide
* attributen onbekend (NULL) zijn, worden ze als 'niet gewijzigd' beschouwd.
*/
public final class FunctieGEWIJZIGD implements Functieberekening {
private static final Signatuur SIGNATUUR =
new SignatuurOptie(
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE,
ExpressieType.ATTRIBUUTCODE)
);
private static final int TWEE_ARGUMENTEN = 2;
private static final int DRIE_ARGUMENTEN = 3;
private static final int VIER_ARGUMENTEN = 4;
@Override
public List<Expressie> vulDefaultArgumentenIn(final List<Expressie> argumenten) {
return argumenten;
}
@Override
public Signatuur getSignatuur() {
return SIGNATUUR;
}
@Override
public ExpressieType getType(final List<Expressie> argumenten, final Context context) {
return ExpressieType.BOOLEAN;
}
@Override
public ExpressieType getTypeVanElementen(final List<Expressie> argumenten, final Context context) {
return ExpressieType.ONBEKEND_TYPE;
}
@Override
public boolean evalueerArgumenten() {
// De argumenten van GEWIJZIGD moeten niet van tevoren geevalueerd worden, omdat de verwijzing naar het
// attribuut niet verloren moet gaan en er een speciale (afwijkende) rol voor NULL is.
return false;
}
@Override
public Expressie pasToe(final List<Expressie> ongeevalueerdeArgumenten, final Context context) {
final List<Expressie> argumenten = new ArrayList<>(ongeevalueerdeArgumenten.size());
for(Expressie ongeevalueerdArgument : ongeevalueerdeArgumenten) {
argumenten.add(ongeevalueerdArgument.evalueer(context));
}
final Expressie resultaat;
final String foutMelding = valideerParameters(argumenten, context);
if (foutMelding != null) {
resultaat = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, foutMelding);
} else {
// Signatuur zorgt ervoor dat de functie enkel met twee, drie of vier argumenten aangeroepen kan worden.
if (argumenten.size() == TWEE_ARGUMENTEN) {
resultaat = verwerkMetTweeArgumenten(argumenten, context);
} else if (argumenten.size() == DRIE_ARGUMENTEN) {
resultaat = verwerkMetDrieArgumenten(argumenten, context);
} else {
resultaat = verwerkMetVierArgumenten(argumenten, context);
}
}
return resultaat;
}
/**
* Verwerk met twee argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetTweeArgumenten(final List<Expressie> argumenten, final Context context) {
return ExpressieUtil.waardenVerschillend(argumenten.get(0), argumenten.get(1), context);
}
/**
* Verwerk met default argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetDrieArgumenten(final List<Expressie> argumenten, final Context context) {
final Expressie resultaat;
if (isFunctieResultaatVergelijking(argumenten)) {
resultaat = vergelijkFunctieResultaten(argumenten, context);
} else {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, oudObject, context);
if (attribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, oudObject.getType(context));
} else {
final Expressie oudeWaarde = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), attribuut);
final Expressie nieuweWaarde = DefaultSolver.getInstance().bepaalWaarde(nieuwObject.getBrpObject(), attribuut);
resultaat = ExpressieUtil.waardenVerschillend(oudeWaarde, nieuweWaarde, context);
}
}
return resultaat;
}
/**
* Verwerk met vier argumenten, het derde argument is dan niet de directe verwijzing naar een attribuut, maar naar een lijst met groepen zoals
* adressen. Het vierde argument wijst dan naar een attribuut binnen de lijst, zoals postcode.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetVierArgumenten(final List<Expressie> argumenten, final Context context) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final AttribuutcodeExpressie lijstAttribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut lijstAttribuut = bepaalExpressieAttribuutVoorAttribuut(lijstAttribuutCode, oudObject, context);
final Expressie resultaat;
if (lijstAttribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(lijstAttribuutCode, oudObject.getType(context));
} else {
resultaat = verwerkMetVierdeArgument(argumenten, context, lijstAttribuut);
}
return resultaat;
}
/**
* Verwerk met vierde argument, de lijst expressie is bepaald en nu kan de expressie worden verwerkt tot het definitieve resultaat door het attribuut
* binnen de lijst te vergelijken.
*
* @param argumenten de argumenten
* @param context de context
* @param lijstAttribuut het lijst attribuut
* @return de expressie met het resultaat
*/
private Expressie verwerkMetVierdeArgument(final List<Expressie> argumenten, final Context context, final ExpressieAttribuut lijstAttribuut) {
final Expressie resultaat;
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(3);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, lijstAttribuut);
if (attribuut != null) {
final List<Expressie> lijstWaardenOud = bouwLijstWaardes(lijstAttribuut, oudObject, attribuut);
final List<Expressie> lijstWaardenNieuw = bouwLijstWaardes(lijstAttribuut, nieuwObject, attribuut);
resultaat = ExpressieUtil.waardenVerschillend(new LijstExpressie(lijstWaardenOud), new LijstExpressie(lijstWaardenNieuw), context);
} else {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, lijstAttribuut.getType());
}
return resultaat;
}
/**
* Bouw lijst waardes.
*
* @param lijstAttribuut the lijst attribuut
* @param oudObject the oud object
* @param attribuut the attribuut
* @return the list
*/
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut lijstAttribuut, final BrpObjectExpressie oudObject,
final ExpressieAttribuut attribuut)
{
final Expressie lijstObjecten1 = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), lijstAttribuut);
return bouwLijstWaardes(attribuut, lijstObjecten1);
}
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut attribuut, final Expressie lijstObjecten1) {
final List<Expressie> lijstWaarden = new ArrayList<>();
for (final Expressie objExp : lijstObjecten1.getElementen()) {
final BrpObject obj = ((BrpObjectExpressie) objExp).getBrpObject();
final Expressie waarde = DefaultSolver.getInstance().bepaalWaarde(obj, attribuut);
lijstWaarden.add(waarde);
}
return lijstWaarden;
}
/**
* Controleer de parameters.
*
* @param argumenten de argumenten
* @param context de context
* @return de foutmelding of null als er geen fout is opgetreden
*/
private String valideerParameters(final List<Expressie> argumenten, final Context context) {
final Expressie argument1 = argumenten.get(0);
final Expressie argument2 = argumenten.get(1);
String foutmelding = null;
if (argument1 instanceof BrpObjectExpressie && argument2 instanceof BrpObjectExpressie) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argument1;
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argument2;
if (oudObject.getType(context) != nieuwObject.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee BRP-objecten van hetzelfde type.";
}
} else if (argument1 instanceof LijstExpressie && argument2 instanceof LijstExpressie) {
if (argumenten.size() == VIER_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met vier argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
if (argumenten.size() == TWEE_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met twee argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
} else {
if(!argument1.isNull() && !argument2.isNull()) {
if (argument1.getType(context) != argument2.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee dezelfde objecten als argument.";
}
}
}
return foutmelding;
}
/**
* Vergelijk de functie resultaten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie vergelijkFunctieResultaten(final List<Expressie> argumenten, final Context context) {
final LijstExpressie oudObject = (LijstExpressie) argumenten.get(0);
final LijstExpressie nieuwObject = (LijstExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final List<Expressie> oudExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, oudObject, attribuutCode);
final List<Expressie> nieuweExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, nieuwObject, attribuutCode);
return ExpressieUtil.waardenVerschillend(new LijstExpressie(oudExpressieWaardes), new LijstExpressie(nieuweExpressieWaardes), context);
}
private List<Expressie> bepaalAttribuutWaardesPerLijstElement(final Context context, final LijstExpressie lijstExpressie, final AttribuutcodeExpressie attribuutCode) {
List<Expressie> expressieWaardes = Collections.emptyList();
if (lijstExpressie.aantalElementen() > 0) {
final Expressie objExp = lijstExpressie.getElement(0);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, (BrpObjectExpressie) objExp, context);
expressieWaardes = bouwLijstWaardes(attribuut, lijstExpressie);
}
return expressieWaardes;
}
/**
* Is functie resultaat vergelijking.
*
* @param argumenten de argumenten
* @return the boolean
*/
private boolean isFunctieResultaatVergelijking(final List<Expressie> argumenten) {
return argumenten.get(0) instanceof LijstExpressie && argumenten.get(1) instanceof LijstExpressie;
}
/**
* Retourneert een fout expressie voor een onbekend attribuut.
*
* @param attribuutCode het attribuut dat fout/ongeldig is.
* @param objectType het object type waarbinnen het attribuut zich bevindt.
* @return de fout expressie.
*/
private FoutExpressie bouwFoutExpressieOnbekendAttribuut(final AttribuutcodeExpressie attribuutCode,
final ExpressieType objectType)
{
return new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, String.format("Onbekend attribuut %s bij type %s",
attribuutCode.alsString(), objectType.getNaam()));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @param context de context waarbinnen het object en het attribuut zich bevinden.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut,
final BrpObjectExpressie object, final Context context)
{
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType(context));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut, final ExpressieAttribuut object) {
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType());
}
@Override
public boolean berekenBijOptimalisatie() {
return false;
}
@Override
public Expressie optimaliseer(final List<Expressie> argumenten, final Context context) {
return null;
}
}
| MinBZK/OperatieBRP | 2016/brp 2016-02-09/algemeen/algemeen-model/expressietaal/src/main/java/nl/bzk/brp/expressietaal/expressies/functies/FunctieGEWIJZIGD.java | 4,532 | /**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @return een expressie wijzende naar het attribuut.
*/ | block_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.expressietaal.expressies.functies;
import java.util.ArrayList;
import java.util.Collections;
import java.util.List;
import nl.bzk.brp.expressietaal.Context;
import nl.bzk.brp.expressietaal.EvaluatieFoutCode;
import nl.bzk.brp.expressietaal.Expressie;
import nl.bzk.brp.expressietaal.ExpressieType;
import nl.bzk.brp.expressietaal.expressies.ExpressieUtil;
import nl.bzk.brp.expressietaal.expressies.FoutExpressie;
import nl.bzk.brp.expressietaal.expressies.LijstExpressie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.Signatuur;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SignatuurOptie;
import nl.bzk.brp.expressietaal.expressies.functies.signatuur.SimpeleSignatuur;
import nl.bzk.brp.expressietaal.expressies.literals.AttribuutcodeExpressie;
import nl.bzk.brp.expressietaal.expressies.literals.BrpObjectExpressie;
import nl.bzk.brp.expressietaal.symbols.BmrSymbolTable;
import nl.bzk.brp.expressietaal.symbols.DefaultSolver;
import nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut;
import nl.bzk.brp.model.basis.BrpObject;
/**
* Representeert de functie GEWIJZIGD(oud, nieuw, attribuutcode). De functie geeft WAAR terug als het attribuut met code
* attribuutcode gewijzigd is, waarbij oude verwijst naar de oude situatie en nieuw naar de nieuwe. Als beide
* attributen onbekend (NULL) zijn, worden ze als 'niet gewijzigd' beschouwd.
*/
public final class FunctieGEWIJZIGD implements Functieberekening {
private static final Signatuur SIGNATUUR =
new SignatuurOptie(
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE),
new SimpeleSignatuur(ExpressieType.ONBEKEND_TYPE, ExpressieType.ONBEKEND_TYPE, ExpressieType.ATTRIBUUTCODE,
ExpressieType.ATTRIBUUTCODE)
);
private static final int TWEE_ARGUMENTEN = 2;
private static final int DRIE_ARGUMENTEN = 3;
private static final int VIER_ARGUMENTEN = 4;
@Override
public List<Expressie> vulDefaultArgumentenIn(final List<Expressie> argumenten) {
return argumenten;
}
@Override
public Signatuur getSignatuur() {
return SIGNATUUR;
}
@Override
public ExpressieType getType(final List<Expressie> argumenten, final Context context) {
return ExpressieType.BOOLEAN;
}
@Override
public ExpressieType getTypeVanElementen(final List<Expressie> argumenten, final Context context) {
return ExpressieType.ONBEKEND_TYPE;
}
@Override
public boolean evalueerArgumenten() {
// De argumenten van GEWIJZIGD moeten niet van tevoren geevalueerd worden, omdat de verwijzing naar het
// attribuut niet verloren moet gaan en er een speciale (afwijkende) rol voor NULL is.
return false;
}
@Override
public Expressie pasToe(final List<Expressie> ongeevalueerdeArgumenten, final Context context) {
final List<Expressie> argumenten = new ArrayList<>(ongeevalueerdeArgumenten.size());
for(Expressie ongeevalueerdArgument : ongeevalueerdeArgumenten) {
argumenten.add(ongeevalueerdArgument.evalueer(context));
}
final Expressie resultaat;
final String foutMelding = valideerParameters(argumenten, context);
if (foutMelding != null) {
resultaat = new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, foutMelding);
} else {
// Signatuur zorgt ervoor dat de functie enkel met twee, drie of vier argumenten aangeroepen kan worden.
if (argumenten.size() == TWEE_ARGUMENTEN) {
resultaat = verwerkMetTweeArgumenten(argumenten, context);
} else if (argumenten.size() == DRIE_ARGUMENTEN) {
resultaat = verwerkMetDrieArgumenten(argumenten, context);
} else {
resultaat = verwerkMetVierArgumenten(argumenten, context);
}
}
return resultaat;
}
/**
* Verwerk met twee argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetTweeArgumenten(final List<Expressie> argumenten, final Context context) {
return ExpressieUtil.waardenVerschillend(argumenten.get(0), argumenten.get(1), context);
}
/**
* Verwerk met default argumenten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetDrieArgumenten(final List<Expressie> argumenten, final Context context) {
final Expressie resultaat;
if (isFunctieResultaatVergelijking(argumenten)) {
resultaat = vergelijkFunctieResultaten(argumenten, context);
} else {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, oudObject, context);
if (attribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, oudObject.getType(context));
} else {
final Expressie oudeWaarde = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), attribuut);
final Expressie nieuweWaarde = DefaultSolver.getInstance().bepaalWaarde(nieuwObject.getBrpObject(), attribuut);
resultaat = ExpressieUtil.waardenVerschillend(oudeWaarde, nieuweWaarde, context);
}
}
return resultaat;
}
/**
* Verwerk met vier argumenten, het derde argument is dan niet de directe verwijzing naar een attribuut, maar naar een lijst met groepen zoals
* adressen. Het vierde argument wijst dan naar een attribuut binnen de lijst, zoals postcode.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie verwerkMetVierArgumenten(final List<Expressie> argumenten, final Context context) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final AttribuutcodeExpressie lijstAttribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final ExpressieAttribuut lijstAttribuut = bepaalExpressieAttribuutVoorAttribuut(lijstAttribuutCode, oudObject, context);
final Expressie resultaat;
if (lijstAttribuut == null) {
resultaat = bouwFoutExpressieOnbekendAttribuut(lijstAttribuutCode, oudObject.getType(context));
} else {
resultaat = verwerkMetVierdeArgument(argumenten, context, lijstAttribuut);
}
return resultaat;
}
/**
* Verwerk met vierde argument, de lijst expressie is bepaald en nu kan de expressie worden verwerkt tot het definitieve resultaat door het attribuut
* binnen de lijst te vergelijken.
*
* @param argumenten de argumenten
* @param context de context
* @param lijstAttribuut het lijst attribuut
* @return de expressie met het resultaat
*/
private Expressie verwerkMetVierdeArgument(final List<Expressie> argumenten, final Context context, final ExpressieAttribuut lijstAttribuut) {
final Expressie resultaat;
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argumenten.get(0);
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(3);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, lijstAttribuut);
if (attribuut != null) {
final List<Expressie> lijstWaardenOud = bouwLijstWaardes(lijstAttribuut, oudObject, attribuut);
final List<Expressie> lijstWaardenNieuw = bouwLijstWaardes(lijstAttribuut, nieuwObject, attribuut);
resultaat = ExpressieUtil.waardenVerschillend(new LijstExpressie(lijstWaardenOud), new LijstExpressie(lijstWaardenNieuw), context);
} else {
resultaat = bouwFoutExpressieOnbekendAttribuut(attribuutCode, lijstAttribuut.getType());
}
return resultaat;
}
/**
* Bouw lijst waardes.
*
* @param lijstAttribuut the lijst attribuut
* @param oudObject the oud object
* @param attribuut the attribuut
* @return the list
*/
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut lijstAttribuut, final BrpObjectExpressie oudObject,
final ExpressieAttribuut attribuut)
{
final Expressie lijstObjecten1 = DefaultSolver.getInstance().bepaalWaarde(oudObject.getBrpObject(), lijstAttribuut);
return bouwLijstWaardes(attribuut, lijstObjecten1);
}
private List<Expressie> bouwLijstWaardes(final ExpressieAttribuut attribuut, final Expressie lijstObjecten1) {
final List<Expressie> lijstWaarden = new ArrayList<>();
for (final Expressie objExp : lijstObjecten1.getElementen()) {
final BrpObject obj = ((BrpObjectExpressie) objExp).getBrpObject();
final Expressie waarde = DefaultSolver.getInstance().bepaalWaarde(obj, attribuut);
lijstWaarden.add(waarde);
}
return lijstWaarden;
}
/**
* Controleer de parameters.
*
* @param argumenten de argumenten
* @param context de context
* @return de foutmelding of null als er geen fout is opgetreden
*/
private String valideerParameters(final List<Expressie> argumenten, final Context context) {
final Expressie argument1 = argumenten.get(0);
final Expressie argument2 = argumenten.get(1);
String foutmelding = null;
if (argument1 instanceof BrpObjectExpressie && argument2 instanceof BrpObjectExpressie) {
final BrpObjectExpressie oudObject = (BrpObjectExpressie) argument1;
final BrpObjectExpressie nieuwObject = (BrpObjectExpressie) argument2;
if (oudObject.getType(context) != nieuwObject.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee BRP-objecten van hetzelfde type.";
}
} else if (argument1 instanceof LijstExpressie && argument2 instanceof LijstExpressie) {
if (argumenten.size() == VIER_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met vier argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
if (argumenten.size() == TWEE_ARGUMENTEN) {
foutmelding = "GEWIJZIGD kan niet met twee argumenten omgaan, als de eerste twee argumenten al lijsten opleveren.";
}
} else {
if(!argument1.isNull() && !argument2.isNull()) {
if (argument1.getType(context) != argument2.getType(context)) {
foutmelding = "GEWIJZIGD verwacht twee dezelfde objecten als argument.";
}
}
}
return foutmelding;
}
/**
* Vergelijk de functie resultaten.
*
* @param argumenten de argumenten
* @param context de context
* @return de expressie
*/
private Expressie vergelijkFunctieResultaten(final List<Expressie> argumenten, final Context context) {
final LijstExpressie oudObject = (LijstExpressie) argumenten.get(0);
final LijstExpressie nieuwObject = (LijstExpressie) argumenten.get(1);
final AttribuutcodeExpressie attribuutCode = (AttribuutcodeExpressie) argumenten.get(2);
final List<Expressie> oudExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, oudObject, attribuutCode);
final List<Expressie> nieuweExpressieWaardes = bepaalAttribuutWaardesPerLijstElement(context, nieuwObject, attribuutCode);
return ExpressieUtil.waardenVerschillend(new LijstExpressie(oudExpressieWaardes), new LijstExpressie(nieuweExpressieWaardes), context);
}
private List<Expressie> bepaalAttribuutWaardesPerLijstElement(final Context context, final LijstExpressie lijstExpressie, final AttribuutcodeExpressie attribuutCode) {
List<Expressie> expressieWaardes = Collections.emptyList();
if (lijstExpressie.aantalElementen() > 0) {
final Expressie objExp = lijstExpressie.getElement(0);
final ExpressieAttribuut attribuut = bepaalExpressieAttribuutVoorAttribuut(attribuutCode, (BrpObjectExpressie) objExp, context);
expressieWaardes = bouwLijstWaardes(attribuut, lijstExpressie);
}
return expressieWaardes;
}
/**
* Is functie resultaat vergelijking.
*
* @param argumenten de argumenten
* @return the boolean
*/
private boolean isFunctieResultaatVergelijking(final List<Expressie> argumenten) {
return argumenten.get(0) instanceof LijstExpressie && argumenten.get(1) instanceof LijstExpressie;
}
/**
* Retourneert een fout expressie voor een onbekend attribuut.
*
* @param attribuutCode het attribuut dat fout/ongeldig is.
* @param objectType het object type waarbinnen het attribuut zich bevindt.
* @return de fout expressie.
*/
private FoutExpressie bouwFoutExpressieOnbekendAttribuut(final AttribuutcodeExpressie attribuutCode,
final ExpressieType objectType)
{
return new FoutExpressie(EvaluatieFoutCode.INCORRECTE_EXPRESSIE, String.format("Onbekend attribuut %s bij type %s",
attribuutCode.alsString(), objectType.getNaam()));
}
/**
* Retourneert de {@link nl.bzk.brp.expressietaal.symbols.ExpressieAttribuut} voor het opgegeven attribuut in
* meegegeven context en voor opgegeven object.
*
* @param attribuut het attribuut waarvoor de expressie gezocht wordt.
* @param object het object waarbinnen het attribuut zich bevindt.
* @param context de context waarbinnen het object en het attribuut zich bevinden.
* @return een expressie wijzende naar het attribuut.
*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut,
final BrpObjectExpressie object, final Context context)
{
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType(context));
}
/**
* Retourneert de {@link<SUF>*/
private ExpressieAttribuut bepaalExpressieAttribuutVoorAttribuut(final AttribuutcodeExpressie attribuut, final ExpressieAttribuut object) {
return BmrSymbolTable.getInstance().zoekSymbool(attribuut.alsString(), object.getType());
}
@Override
public boolean berekenBijOptimalisatie() {
return false;
}
@Override
public Expressie optimaliseer(final List<Expressie> argumenten, final Context context) {
return null;
}
}
|
204606_1 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.util.common;
import java.sql.Date;
import java.sql.Timestamp;
/**
* Utility methodes voor het defensief kopieeren van Mutable waarden.
*/
public final class Kopieer {
private Kopieer() {
throw new UnsupportedOperationException();
}
/**
* Utility methode om een kopie van een java.sql.Timestamp te maken. Te gebruiken voor het defensieve kopieren van
* (mutable) Timestamp objecten in getters, setters en constructors. Kan omgaan met <code>null</code>.
*
* @param ts
* De te kopieren Timestamp
* @return Een kopie van de Timestamp
*/
public static Timestamp timestamp(final Timestamp ts) {
if (ts == null) {
return null;
}
final Timestamp kopie = new Timestamp(ts.getTime());
kopie.setNanos(ts.getNanos());
return kopie;
}
/**
* Utility methode om een kopie van een java.sql.Date te maken. Te gebruiken voor het defensieve kopieren van
* (mutable) Date objecten in getters, setters en constructors. Kan omgaan met <code>null</code>.
*
* @param date
* De te kopieren Timestamp
* @return Een kopie van de Timestamp
*/
public static Date sqlDate(final Date date) {
if (date == null) {
return null;
}
return new Date(date.getTime());
}
/**
* Utility methode om een kopie van een java.util.Date te maken. Te gebruiken voor het defensieve kopieren van
* (mutable) Date objecten in getters, setters en constructors. Kan omgaan met <code>null</code>.
*
* @param date
* De te kopieren Timestamp
* @return Een kopie van de Timestamp
*/
public static java.util.Date utilDate(final java.util.Date date) {
if (date == null) {
return null;
}
return new java.util.Date(date.getTime());
}
}
| MinBZK/OperatieBRP | 2016/migratie 2016-02-09/migr-util-common/src/main/java/nl/bzk/migratiebrp/util/common/Kopieer.java | 597 | /**
* Utility methodes voor het defensief kopieeren van Mutable waarden.
*/ | block_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.util.common;
import java.sql.Date;
import java.sql.Timestamp;
/**
* Utility methodes voor<SUF>*/
public final class Kopieer {
private Kopieer() {
throw new UnsupportedOperationException();
}
/**
* Utility methode om een kopie van een java.sql.Timestamp te maken. Te gebruiken voor het defensieve kopieren van
* (mutable) Timestamp objecten in getters, setters en constructors. Kan omgaan met <code>null</code>.
*
* @param ts
* De te kopieren Timestamp
* @return Een kopie van de Timestamp
*/
public static Timestamp timestamp(final Timestamp ts) {
if (ts == null) {
return null;
}
final Timestamp kopie = new Timestamp(ts.getTime());
kopie.setNanos(ts.getNanos());
return kopie;
}
/**
* Utility methode om een kopie van een java.sql.Date te maken. Te gebruiken voor het defensieve kopieren van
* (mutable) Date objecten in getters, setters en constructors. Kan omgaan met <code>null</code>.
*
* @param date
* De te kopieren Timestamp
* @return Een kopie van de Timestamp
*/
public static Date sqlDate(final Date date) {
if (date == null) {
return null;
}
return new Date(date.getTime());
}
/**
* Utility methode om een kopie van een java.util.Date te maken. Te gebruiken voor het defensieve kopieren van
* (mutable) Date objecten in getters, setters en constructors. Kan omgaan met <code>null</code>.
*
* @param date
* De te kopieren Timestamp
* @return Een kopie van de Timestamp
*/
public static java.util.Date utilDate(final java.util.Date date) {
if (date == null) {
return null;
}
return new java.util.Date(date.getTime());
}
}
|
204606_2 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.util.common;
import java.sql.Date;
import java.sql.Timestamp;
/**
* Utility methodes voor het defensief kopieeren van Mutable waarden.
*/
public final class Kopieer {
private Kopieer() {
throw new UnsupportedOperationException();
}
/**
* Utility methode om een kopie van een java.sql.Timestamp te maken. Te gebruiken voor het defensieve kopieren van
* (mutable) Timestamp objecten in getters, setters en constructors. Kan omgaan met <code>null</code>.
*
* @param ts
* De te kopieren Timestamp
* @return Een kopie van de Timestamp
*/
public static Timestamp timestamp(final Timestamp ts) {
if (ts == null) {
return null;
}
final Timestamp kopie = new Timestamp(ts.getTime());
kopie.setNanos(ts.getNanos());
return kopie;
}
/**
* Utility methode om een kopie van een java.sql.Date te maken. Te gebruiken voor het defensieve kopieren van
* (mutable) Date objecten in getters, setters en constructors. Kan omgaan met <code>null</code>.
*
* @param date
* De te kopieren Timestamp
* @return Een kopie van de Timestamp
*/
public static Date sqlDate(final Date date) {
if (date == null) {
return null;
}
return new Date(date.getTime());
}
/**
* Utility methode om een kopie van een java.util.Date te maken. Te gebruiken voor het defensieve kopieren van
* (mutable) Date objecten in getters, setters en constructors. Kan omgaan met <code>null</code>.
*
* @param date
* De te kopieren Timestamp
* @return Een kopie van de Timestamp
*/
public static java.util.Date utilDate(final java.util.Date date) {
if (date == null) {
return null;
}
return new java.util.Date(date.getTime());
}
}
| MinBZK/OperatieBRP | 2016/migratie 2016-02-09/migr-util-common/src/main/java/nl/bzk/migratiebrp/util/common/Kopieer.java | 597 | /**
* Utility methode om een kopie van een java.sql.Timestamp te maken. Te gebruiken voor het defensieve kopieren van
* (mutable) Timestamp objecten in getters, setters en constructors. Kan omgaan met <code>null</code>.
*
* @param ts
* De te kopieren Timestamp
* @return Een kopie van de Timestamp
*/ | block_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.util.common;
import java.sql.Date;
import java.sql.Timestamp;
/**
* Utility methodes voor het defensief kopieeren van Mutable waarden.
*/
public final class Kopieer {
private Kopieer() {
throw new UnsupportedOperationException();
}
/**
* Utility methode om<SUF>*/
public static Timestamp timestamp(final Timestamp ts) {
if (ts == null) {
return null;
}
final Timestamp kopie = new Timestamp(ts.getTime());
kopie.setNanos(ts.getNanos());
return kopie;
}
/**
* Utility methode om een kopie van een java.sql.Date te maken. Te gebruiken voor het defensieve kopieren van
* (mutable) Date objecten in getters, setters en constructors. Kan omgaan met <code>null</code>.
*
* @param date
* De te kopieren Timestamp
* @return Een kopie van de Timestamp
*/
public static Date sqlDate(final Date date) {
if (date == null) {
return null;
}
return new Date(date.getTime());
}
/**
* Utility methode om een kopie van een java.util.Date te maken. Te gebruiken voor het defensieve kopieren van
* (mutable) Date objecten in getters, setters en constructors. Kan omgaan met <code>null</code>.
*
* @param date
* De te kopieren Timestamp
* @return Een kopie van de Timestamp
*/
public static java.util.Date utilDate(final java.util.Date date) {
if (date == null) {
return null;
}
return new java.util.Date(date.getTime());
}
}
|
204606_3 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.util.common;
import java.sql.Date;
import java.sql.Timestamp;
/**
* Utility methodes voor het defensief kopieeren van Mutable waarden.
*/
public final class Kopieer {
private Kopieer() {
throw new UnsupportedOperationException();
}
/**
* Utility methode om een kopie van een java.sql.Timestamp te maken. Te gebruiken voor het defensieve kopieren van
* (mutable) Timestamp objecten in getters, setters en constructors. Kan omgaan met <code>null</code>.
*
* @param ts
* De te kopieren Timestamp
* @return Een kopie van de Timestamp
*/
public static Timestamp timestamp(final Timestamp ts) {
if (ts == null) {
return null;
}
final Timestamp kopie = new Timestamp(ts.getTime());
kopie.setNanos(ts.getNanos());
return kopie;
}
/**
* Utility methode om een kopie van een java.sql.Date te maken. Te gebruiken voor het defensieve kopieren van
* (mutable) Date objecten in getters, setters en constructors. Kan omgaan met <code>null</code>.
*
* @param date
* De te kopieren Timestamp
* @return Een kopie van de Timestamp
*/
public static Date sqlDate(final Date date) {
if (date == null) {
return null;
}
return new Date(date.getTime());
}
/**
* Utility methode om een kopie van een java.util.Date te maken. Te gebruiken voor het defensieve kopieren van
* (mutable) Date objecten in getters, setters en constructors. Kan omgaan met <code>null</code>.
*
* @param date
* De te kopieren Timestamp
* @return Een kopie van de Timestamp
*/
public static java.util.Date utilDate(final java.util.Date date) {
if (date == null) {
return null;
}
return new java.util.Date(date.getTime());
}
}
| MinBZK/OperatieBRP | 2016/migratie 2016-02-09/migr-util-common/src/main/java/nl/bzk/migratiebrp/util/common/Kopieer.java | 597 | /**
* Utility methode om een kopie van een java.sql.Date te maken. Te gebruiken voor het defensieve kopieren van
* (mutable) Date objecten in getters, setters en constructors. Kan omgaan met <code>null</code>.
*
* @param date
* De te kopieren Timestamp
* @return Een kopie van de Timestamp
*/ | block_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.util.common;
import java.sql.Date;
import java.sql.Timestamp;
/**
* Utility methodes voor het defensief kopieeren van Mutable waarden.
*/
public final class Kopieer {
private Kopieer() {
throw new UnsupportedOperationException();
}
/**
* Utility methode om een kopie van een java.sql.Timestamp te maken. Te gebruiken voor het defensieve kopieren van
* (mutable) Timestamp objecten in getters, setters en constructors. Kan omgaan met <code>null</code>.
*
* @param ts
* De te kopieren Timestamp
* @return Een kopie van de Timestamp
*/
public static Timestamp timestamp(final Timestamp ts) {
if (ts == null) {
return null;
}
final Timestamp kopie = new Timestamp(ts.getTime());
kopie.setNanos(ts.getNanos());
return kopie;
}
/**
* Utility methode om<SUF>*/
public static Date sqlDate(final Date date) {
if (date == null) {
return null;
}
return new Date(date.getTime());
}
/**
* Utility methode om een kopie van een java.util.Date te maken. Te gebruiken voor het defensieve kopieren van
* (mutable) Date objecten in getters, setters en constructors. Kan omgaan met <code>null</code>.
*
* @param date
* De te kopieren Timestamp
* @return Een kopie van de Timestamp
*/
public static java.util.Date utilDate(final java.util.Date date) {
if (date == null) {
return null;
}
return new java.util.Date(date.getTime());
}
}
|
204606_4 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.util.common;
import java.sql.Date;
import java.sql.Timestamp;
/**
* Utility methodes voor het defensief kopieeren van Mutable waarden.
*/
public final class Kopieer {
private Kopieer() {
throw new UnsupportedOperationException();
}
/**
* Utility methode om een kopie van een java.sql.Timestamp te maken. Te gebruiken voor het defensieve kopieren van
* (mutable) Timestamp objecten in getters, setters en constructors. Kan omgaan met <code>null</code>.
*
* @param ts
* De te kopieren Timestamp
* @return Een kopie van de Timestamp
*/
public static Timestamp timestamp(final Timestamp ts) {
if (ts == null) {
return null;
}
final Timestamp kopie = new Timestamp(ts.getTime());
kopie.setNanos(ts.getNanos());
return kopie;
}
/**
* Utility methode om een kopie van een java.sql.Date te maken. Te gebruiken voor het defensieve kopieren van
* (mutable) Date objecten in getters, setters en constructors. Kan omgaan met <code>null</code>.
*
* @param date
* De te kopieren Timestamp
* @return Een kopie van de Timestamp
*/
public static Date sqlDate(final Date date) {
if (date == null) {
return null;
}
return new Date(date.getTime());
}
/**
* Utility methode om een kopie van een java.util.Date te maken. Te gebruiken voor het defensieve kopieren van
* (mutable) Date objecten in getters, setters en constructors. Kan omgaan met <code>null</code>.
*
* @param date
* De te kopieren Timestamp
* @return Een kopie van de Timestamp
*/
public static java.util.Date utilDate(final java.util.Date date) {
if (date == null) {
return null;
}
return new java.util.Date(date.getTime());
}
}
| MinBZK/OperatieBRP | 2016/migratie 2016-02-09/migr-util-common/src/main/java/nl/bzk/migratiebrp/util/common/Kopieer.java | 597 | /**
* Utility methode om een kopie van een java.util.Date te maken. Te gebruiken voor het defensieve kopieren van
* (mutable) Date objecten in getters, setters en constructors. Kan omgaan met <code>null</code>.
*
* @param date
* De te kopieren Timestamp
* @return Een kopie van de Timestamp
*/ | block_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.util.common;
import java.sql.Date;
import java.sql.Timestamp;
/**
* Utility methodes voor het defensief kopieeren van Mutable waarden.
*/
public final class Kopieer {
private Kopieer() {
throw new UnsupportedOperationException();
}
/**
* Utility methode om een kopie van een java.sql.Timestamp te maken. Te gebruiken voor het defensieve kopieren van
* (mutable) Timestamp objecten in getters, setters en constructors. Kan omgaan met <code>null</code>.
*
* @param ts
* De te kopieren Timestamp
* @return Een kopie van de Timestamp
*/
public static Timestamp timestamp(final Timestamp ts) {
if (ts == null) {
return null;
}
final Timestamp kopie = new Timestamp(ts.getTime());
kopie.setNanos(ts.getNanos());
return kopie;
}
/**
* Utility methode om een kopie van een java.sql.Date te maken. Te gebruiken voor het defensieve kopieren van
* (mutable) Date objecten in getters, setters en constructors. Kan omgaan met <code>null</code>.
*
* @param date
* De te kopieren Timestamp
* @return Een kopie van de Timestamp
*/
public static Date sqlDate(final Date date) {
if (date == null) {
return null;
}
return new Date(date.getTime());
}
/**
* Utility methode om<SUF>*/
public static java.util.Date utilDate(final java.util.Date date) {
if (date == null) {
return null;
}
return new java.util.Date(date.getTime());
}
}
|
204608_1 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.autorisatie;
import java.io.Serializable;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import javax.inject.Inject;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpBoolean;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpDatum;
import nl.bzk.migratiebrp.conversie.model.brp.groep.autorisatie.BrpPartijInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.tussen.TussenGroep;
import nl.bzk.migratiebrp.conversie.model.tussen.TussenStapel;
import nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.AbstractConverteerder;
import nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.Lo3AttribuutConverteerder;
import org.springframework.stereotype.Component;
/**
* PartijConverteerder.
*/
@Component
public class PartijConverteerder extends AbstractConverteerder {
@Inject
private Lo3AttribuutConverteerder lo3AttribuutConverteerder;
/**
* Converteer van Lo3 model naar Migratie model.
*
* @param stapel
* {@link Lo3Stapel} van {@link Lo3AutorisatieInhoud}
* @return {@link nl.bzk.migratiebrp.conversie.model.tussen.TussenStapel} van {@link BrpPartijInhoud}
*/
public final TussenStapel<BrpPartijInhoud> converteerPartijStapel(final Lo3Stapel<Lo3AutorisatieInhoud> stapel) {
final List<TussenGroep<BrpPartijInhoud>> groepen = new ArrayList<>();
// Aangezien de inhoud op datum is gesorteerd, is de eerste van de stapel de jongste en die hebben we nodig.
final Lo3Categorie<Lo3AutorisatieInhoud> bovensteCategorie = stapel.get(0);
final BrpDatum datumIngang = lo3AttribuutConverteerder.converteerDatum(bepaalOudsteIngangsdatum(stapel));
groepen.add(converteer(bovensteCategorie, datumIngang));
return new TussenStapel<>(groepen);
}
private TussenGroep<BrpPartijInhoud> converteer(final Lo3Categorie<Lo3AutorisatieInhoud> bovensteCategorie, final BrpDatum datumIngang) {
final BrpBoolean indVerstrekkingsbeperking =
lo3AttribuutConverteerder.converteerLo3IndicatieGeheimCode(bovensteCategorie.getInhoud().getIndicatieGeheimhouding());
final BrpPartijInhoud inhoud =
new BrpPartijInhoud(datumIngang, null, indVerstrekkingsbeperking.getWaarde(), !bovensteCategorie.getInhoud().isLeeg());
return new TussenGroep<>(inhoud, bovensteCategorie.getHistorie(), bovensteCategorie.getDocumentatie(), bovensteCategorie.getLo3Herkomst());
}
private Lo3Datum bepaalOudsteIngangsdatum(final Lo3Stapel<Lo3AutorisatieInhoud> stapel) {
// Lijst voor alle ingangsdatums binnen de stapel.
final List<Lo3Datum> ingangsdatumLijst = new ArrayList<>();
// Vul de lijst met alle ingangsdatums.
for (final Lo3Categorie<Lo3AutorisatieInhoud> inhoud : stapel) {
ingangsdatumLijst.add(inhoud.getInhoud().getDatumIngang());
}
// Sorteer de lijst op datum, de oudste bovenaan.
Collections.sort(ingangsdatumLijst, new DatumComparator());
// Geef de eerst datum uit de lijst terug.
return ingangsdatumLijst.get(0);
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = 1;
}
} else if (o2 == null) {
resultaat = -1;
} else {
resultaat = o1.compareTo(o2);
}
return resultaat;
}
}
}
| MinBZK/OperatieBRP | 2016/migratie 2016-02-09/migr-conversie-regels/src/main/java/nl/bzk/migratiebrp/conversie/regels/proces/lo3naarbrp/attributen/autorisatie/PartijConverteerder.java | 1,426 | /**
* Converteer van Lo3 model naar Migratie model.
*
* @param stapel
* {@link Lo3Stapel} van {@link Lo3AutorisatieInhoud}
* @return {@link nl.bzk.migratiebrp.conversie.model.tussen.TussenStapel} van {@link BrpPartijInhoud}
*/ | block_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.autorisatie;
import java.io.Serializable;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import javax.inject.Inject;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpBoolean;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpDatum;
import nl.bzk.migratiebrp.conversie.model.brp.groep.autorisatie.BrpPartijInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.tussen.TussenGroep;
import nl.bzk.migratiebrp.conversie.model.tussen.TussenStapel;
import nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.AbstractConverteerder;
import nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.Lo3AttribuutConverteerder;
import org.springframework.stereotype.Component;
/**
* PartijConverteerder.
*/
@Component
public class PartijConverteerder extends AbstractConverteerder {
@Inject
private Lo3AttribuutConverteerder lo3AttribuutConverteerder;
/**
* Converteer van Lo3<SUF>*/
public final TussenStapel<BrpPartijInhoud> converteerPartijStapel(final Lo3Stapel<Lo3AutorisatieInhoud> stapel) {
final List<TussenGroep<BrpPartijInhoud>> groepen = new ArrayList<>();
// Aangezien de inhoud op datum is gesorteerd, is de eerste van de stapel de jongste en die hebben we nodig.
final Lo3Categorie<Lo3AutorisatieInhoud> bovensteCategorie = stapel.get(0);
final BrpDatum datumIngang = lo3AttribuutConverteerder.converteerDatum(bepaalOudsteIngangsdatum(stapel));
groepen.add(converteer(bovensteCategorie, datumIngang));
return new TussenStapel<>(groepen);
}
private TussenGroep<BrpPartijInhoud> converteer(final Lo3Categorie<Lo3AutorisatieInhoud> bovensteCategorie, final BrpDatum datumIngang) {
final BrpBoolean indVerstrekkingsbeperking =
lo3AttribuutConverteerder.converteerLo3IndicatieGeheimCode(bovensteCategorie.getInhoud().getIndicatieGeheimhouding());
final BrpPartijInhoud inhoud =
new BrpPartijInhoud(datumIngang, null, indVerstrekkingsbeperking.getWaarde(), !bovensteCategorie.getInhoud().isLeeg());
return new TussenGroep<>(inhoud, bovensteCategorie.getHistorie(), bovensteCategorie.getDocumentatie(), bovensteCategorie.getLo3Herkomst());
}
private Lo3Datum bepaalOudsteIngangsdatum(final Lo3Stapel<Lo3AutorisatieInhoud> stapel) {
// Lijst voor alle ingangsdatums binnen de stapel.
final List<Lo3Datum> ingangsdatumLijst = new ArrayList<>();
// Vul de lijst met alle ingangsdatums.
for (final Lo3Categorie<Lo3AutorisatieInhoud> inhoud : stapel) {
ingangsdatumLijst.add(inhoud.getInhoud().getDatumIngang());
}
// Sorteer de lijst op datum, de oudste bovenaan.
Collections.sort(ingangsdatumLijst, new DatumComparator());
// Geef de eerst datum uit de lijst terug.
return ingangsdatumLijst.get(0);
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = 1;
}
} else if (o2 == null) {
resultaat = -1;
} else {
resultaat = o1.compareTo(o2);
}
return resultaat;
}
}
}
|
204608_2 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.autorisatie;
import java.io.Serializable;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import javax.inject.Inject;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpBoolean;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpDatum;
import nl.bzk.migratiebrp.conversie.model.brp.groep.autorisatie.BrpPartijInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.tussen.TussenGroep;
import nl.bzk.migratiebrp.conversie.model.tussen.TussenStapel;
import nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.AbstractConverteerder;
import nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.Lo3AttribuutConverteerder;
import org.springframework.stereotype.Component;
/**
* PartijConverteerder.
*/
@Component
public class PartijConverteerder extends AbstractConverteerder {
@Inject
private Lo3AttribuutConverteerder lo3AttribuutConverteerder;
/**
* Converteer van Lo3 model naar Migratie model.
*
* @param stapel
* {@link Lo3Stapel} van {@link Lo3AutorisatieInhoud}
* @return {@link nl.bzk.migratiebrp.conversie.model.tussen.TussenStapel} van {@link BrpPartijInhoud}
*/
public final TussenStapel<BrpPartijInhoud> converteerPartijStapel(final Lo3Stapel<Lo3AutorisatieInhoud> stapel) {
final List<TussenGroep<BrpPartijInhoud>> groepen = new ArrayList<>();
// Aangezien de inhoud op datum is gesorteerd, is de eerste van de stapel de jongste en die hebben we nodig.
final Lo3Categorie<Lo3AutorisatieInhoud> bovensteCategorie = stapel.get(0);
final BrpDatum datumIngang = lo3AttribuutConverteerder.converteerDatum(bepaalOudsteIngangsdatum(stapel));
groepen.add(converteer(bovensteCategorie, datumIngang));
return new TussenStapel<>(groepen);
}
private TussenGroep<BrpPartijInhoud> converteer(final Lo3Categorie<Lo3AutorisatieInhoud> bovensteCategorie, final BrpDatum datumIngang) {
final BrpBoolean indVerstrekkingsbeperking =
lo3AttribuutConverteerder.converteerLo3IndicatieGeheimCode(bovensteCategorie.getInhoud().getIndicatieGeheimhouding());
final BrpPartijInhoud inhoud =
new BrpPartijInhoud(datumIngang, null, indVerstrekkingsbeperking.getWaarde(), !bovensteCategorie.getInhoud().isLeeg());
return new TussenGroep<>(inhoud, bovensteCategorie.getHistorie(), bovensteCategorie.getDocumentatie(), bovensteCategorie.getLo3Herkomst());
}
private Lo3Datum bepaalOudsteIngangsdatum(final Lo3Stapel<Lo3AutorisatieInhoud> stapel) {
// Lijst voor alle ingangsdatums binnen de stapel.
final List<Lo3Datum> ingangsdatumLijst = new ArrayList<>();
// Vul de lijst met alle ingangsdatums.
for (final Lo3Categorie<Lo3AutorisatieInhoud> inhoud : stapel) {
ingangsdatumLijst.add(inhoud.getInhoud().getDatumIngang());
}
// Sorteer de lijst op datum, de oudste bovenaan.
Collections.sort(ingangsdatumLijst, new DatumComparator());
// Geef de eerst datum uit de lijst terug.
return ingangsdatumLijst.get(0);
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = 1;
}
} else if (o2 == null) {
resultaat = -1;
} else {
resultaat = o1.compareTo(o2);
}
return resultaat;
}
}
}
| MinBZK/OperatieBRP | 2016/migratie 2016-02-09/migr-conversie-regels/src/main/java/nl/bzk/migratiebrp/conversie/regels/proces/lo3naarbrp/attributen/autorisatie/PartijConverteerder.java | 1,426 | // Aangezien de inhoud op datum is gesorteerd, is de eerste van de stapel de jongste en die hebben we nodig.
| line_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.autorisatie;
import java.io.Serializable;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import javax.inject.Inject;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpBoolean;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpDatum;
import nl.bzk.migratiebrp.conversie.model.brp.groep.autorisatie.BrpPartijInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.tussen.TussenGroep;
import nl.bzk.migratiebrp.conversie.model.tussen.TussenStapel;
import nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.AbstractConverteerder;
import nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.Lo3AttribuutConverteerder;
import org.springframework.stereotype.Component;
/**
* PartijConverteerder.
*/
@Component
public class PartijConverteerder extends AbstractConverteerder {
@Inject
private Lo3AttribuutConverteerder lo3AttribuutConverteerder;
/**
* Converteer van Lo3 model naar Migratie model.
*
* @param stapel
* {@link Lo3Stapel} van {@link Lo3AutorisatieInhoud}
* @return {@link nl.bzk.migratiebrp.conversie.model.tussen.TussenStapel} van {@link BrpPartijInhoud}
*/
public final TussenStapel<BrpPartijInhoud> converteerPartijStapel(final Lo3Stapel<Lo3AutorisatieInhoud> stapel) {
final List<TussenGroep<BrpPartijInhoud>> groepen = new ArrayList<>();
// Aangezien de<SUF>
final Lo3Categorie<Lo3AutorisatieInhoud> bovensteCategorie = stapel.get(0);
final BrpDatum datumIngang = lo3AttribuutConverteerder.converteerDatum(bepaalOudsteIngangsdatum(stapel));
groepen.add(converteer(bovensteCategorie, datumIngang));
return new TussenStapel<>(groepen);
}
private TussenGroep<BrpPartijInhoud> converteer(final Lo3Categorie<Lo3AutorisatieInhoud> bovensteCategorie, final BrpDatum datumIngang) {
final BrpBoolean indVerstrekkingsbeperking =
lo3AttribuutConverteerder.converteerLo3IndicatieGeheimCode(bovensteCategorie.getInhoud().getIndicatieGeheimhouding());
final BrpPartijInhoud inhoud =
new BrpPartijInhoud(datumIngang, null, indVerstrekkingsbeperking.getWaarde(), !bovensteCategorie.getInhoud().isLeeg());
return new TussenGroep<>(inhoud, bovensteCategorie.getHistorie(), bovensteCategorie.getDocumentatie(), bovensteCategorie.getLo3Herkomst());
}
private Lo3Datum bepaalOudsteIngangsdatum(final Lo3Stapel<Lo3AutorisatieInhoud> stapel) {
// Lijst voor alle ingangsdatums binnen de stapel.
final List<Lo3Datum> ingangsdatumLijst = new ArrayList<>();
// Vul de lijst met alle ingangsdatums.
for (final Lo3Categorie<Lo3AutorisatieInhoud> inhoud : stapel) {
ingangsdatumLijst.add(inhoud.getInhoud().getDatumIngang());
}
// Sorteer de lijst op datum, de oudste bovenaan.
Collections.sort(ingangsdatumLijst, new DatumComparator());
// Geef de eerst datum uit de lijst terug.
return ingangsdatumLijst.get(0);
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = 1;
}
} else if (o2 == null) {
resultaat = -1;
} else {
resultaat = o1.compareTo(o2);
}
return resultaat;
}
}
}
|
204608_3 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.autorisatie;
import java.io.Serializable;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import javax.inject.Inject;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpBoolean;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpDatum;
import nl.bzk.migratiebrp.conversie.model.brp.groep.autorisatie.BrpPartijInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.tussen.TussenGroep;
import nl.bzk.migratiebrp.conversie.model.tussen.TussenStapel;
import nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.AbstractConverteerder;
import nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.Lo3AttribuutConverteerder;
import org.springframework.stereotype.Component;
/**
* PartijConverteerder.
*/
@Component
public class PartijConverteerder extends AbstractConverteerder {
@Inject
private Lo3AttribuutConverteerder lo3AttribuutConverteerder;
/**
* Converteer van Lo3 model naar Migratie model.
*
* @param stapel
* {@link Lo3Stapel} van {@link Lo3AutorisatieInhoud}
* @return {@link nl.bzk.migratiebrp.conversie.model.tussen.TussenStapel} van {@link BrpPartijInhoud}
*/
public final TussenStapel<BrpPartijInhoud> converteerPartijStapel(final Lo3Stapel<Lo3AutorisatieInhoud> stapel) {
final List<TussenGroep<BrpPartijInhoud>> groepen = new ArrayList<>();
// Aangezien de inhoud op datum is gesorteerd, is de eerste van de stapel de jongste en die hebben we nodig.
final Lo3Categorie<Lo3AutorisatieInhoud> bovensteCategorie = stapel.get(0);
final BrpDatum datumIngang = lo3AttribuutConverteerder.converteerDatum(bepaalOudsteIngangsdatum(stapel));
groepen.add(converteer(bovensteCategorie, datumIngang));
return new TussenStapel<>(groepen);
}
private TussenGroep<BrpPartijInhoud> converteer(final Lo3Categorie<Lo3AutorisatieInhoud> bovensteCategorie, final BrpDatum datumIngang) {
final BrpBoolean indVerstrekkingsbeperking =
lo3AttribuutConverteerder.converteerLo3IndicatieGeheimCode(bovensteCategorie.getInhoud().getIndicatieGeheimhouding());
final BrpPartijInhoud inhoud =
new BrpPartijInhoud(datumIngang, null, indVerstrekkingsbeperking.getWaarde(), !bovensteCategorie.getInhoud().isLeeg());
return new TussenGroep<>(inhoud, bovensteCategorie.getHistorie(), bovensteCategorie.getDocumentatie(), bovensteCategorie.getLo3Herkomst());
}
private Lo3Datum bepaalOudsteIngangsdatum(final Lo3Stapel<Lo3AutorisatieInhoud> stapel) {
// Lijst voor alle ingangsdatums binnen de stapel.
final List<Lo3Datum> ingangsdatumLijst = new ArrayList<>();
// Vul de lijst met alle ingangsdatums.
for (final Lo3Categorie<Lo3AutorisatieInhoud> inhoud : stapel) {
ingangsdatumLijst.add(inhoud.getInhoud().getDatumIngang());
}
// Sorteer de lijst op datum, de oudste bovenaan.
Collections.sort(ingangsdatumLijst, new DatumComparator());
// Geef de eerst datum uit de lijst terug.
return ingangsdatumLijst.get(0);
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = 1;
}
} else if (o2 == null) {
resultaat = -1;
} else {
resultaat = o1.compareTo(o2);
}
return resultaat;
}
}
}
| MinBZK/OperatieBRP | 2016/migratie 2016-02-09/migr-conversie-regels/src/main/java/nl/bzk/migratiebrp/conversie/regels/proces/lo3naarbrp/attributen/autorisatie/PartijConverteerder.java | 1,426 | // Lijst voor alle ingangsdatums binnen de stapel.
| line_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.autorisatie;
import java.io.Serializable;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import javax.inject.Inject;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpBoolean;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpDatum;
import nl.bzk.migratiebrp.conversie.model.brp.groep.autorisatie.BrpPartijInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.tussen.TussenGroep;
import nl.bzk.migratiebrp.conversie.model.tussen.TussenStapel;
import nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.AbstractConverteerder;
import nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.Lo3AttribuutConverteerder;
import org.springframework.stereotype.Component;
/**
* PartijConverteerder.
*/
@Component
public class PartijConverteerder extends AbstractConverteerder {
@Inject
private Lo3AttribuutConverteerder lo3AttribuutConverteerder;
/**
* Converteer van Lo3 model naar Migratie model.
*
* @param stapel
* {@link Lo3Stapel} van {@link Lo3AutorisatieInhoud}
* @return {@link nl.bzk.migratiebrp.conversie.model.tussen.TussenStapel} van {@link BrpPartijInhoud}
*/
public final TussenStapel<BrpPartijInhoud> converteerPartijStapel(final Lo3Stapel<Lo3AutorisatieInhoud> stapel) {
final List<TussenGroep<BrpPartijInhoud>> groepen = new ArrayList<>();
// Aangezien de inhoud op datum is gesorteerd, is de eerste van de stapel de jongste en die hebben we nodig.
final Lo3Categorie<Lo3AutorisatieInhoud> bovensteCategorie = stapel.get(0);
final BrpDatum datumIngang = lo3AttribuutConverteerder.converteerDatum(bepaalOudsteIngangsdatum(stapel));
groepen.add(converteer(bovensteCategorie, datumIngang));
return new TussenStapel<>(groepen);
}
private TussenGroep<BrpPartijInhoud> converteer(final Lo3Categorie<Lo3AutorisatieInhoud> bovensteCategorie, final BrpDatum datumIngang) {
final BrpBoolean indVerstrekkingsbeperking =
lo3AttribuutConverteerder.converteerLo3IndicatieGeheimCode(bovensteCategorie.getInhoud().getIndicatieGeheimhouding());
final BrpPartijInhoud inhoud =
new BrpPartijInhoud(datumIngang, null, indVerstrekkingsbeperking.getWaarde(), !bovensteCategorie.getInhoud().isLeeg());
return new TussenGroep<>(inhoud, bovensteCategorie.getHistorie(), bovensteCategorie.getDocumentatie(), bovensteCategorie.getLo3Herkomst());
}
private Lo3Datum bepaalOudsteIngangsdatum(final Lo3Stapel<Lo3AutorisatieInhoud> stapel) {
// Lijst voor<SUF>
final List<Lo3Datum> ingangsdatumLijst = new ArrayList<>();
// Vul de lijst met alle ingangsdatums.
for (final Lo3Categorie<Lo3AutorisatieInhoud> inhoud : stapel) {
ingangsdatumLijst.add(inhoud.getInhoud().getDatumIngang());
}
// Sorteer de lijst op datum, de oudste bovenaan.
Collections.sort(ingangsdatumLijst, new DatumComparator());
// Geef de eerst datum uit de lijst terug.
return ingangsdatumLijst.get(0);
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = 1;
}
} else if (o2 == null) {
resultaat = -1;
} else {
resultaat = o1.compareTo(o2);
}
return resultaat;
}
}
}
|
204608_4 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.autorisatie;
import java.io.Serializable;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import javax.inject.Inject;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpBoolean;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpDatum;
import nl.bzk.migratiebrp.conversie.model.brp.groep.autorisatie.BrpPartijInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.tussen.TussenGroep;
import nl.bzk.migratiebrp.conversie.model.tussen.TussenStapel;
import nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.AbstractConverteerder;
import nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.Lo3AttribuutConverteerder;
import org.springframework.stereotype.Component;
/**
* PartijConverteerder.
*/
@Component
public class PartijConverteerder extends AbstractConverteerder {
@Inject
private Lo3AttribuutConverteerder lo3AttribuutConverteerder;
/**
* Converteer van Lo3 model naar Migratie model.
*
* @param stapel
* {@link Lo3Stapel} van {@link Lo3AutorisatieInhoud}
* @return {@link nl.bzk.migratiebrp.conversie.model.tussen.TussenStapel} van {@link BrpPartijInhoud}
*/
public final TussenStapel<BrpPartijInhoud> converteerPartijStapel(final Lo3Stapel<Lo3AutorisatieInhoud> stapel) {
final List<TussenGroep<BrpPartijInhoud>> groepen = new ArrayList<>();
// Aangezien de inhoud op datum is gesorteerd, is de eerste van de stapel de jongste en die hebben we nodig.
final Lo3Categorie<Lo3AutorisatieInhoud> bovensteCategorie = stapel.get(0);
final BrpDatum datumIngang = lo3AttribuutConverteerder.converteerDatum(bepaalOudsteIngangsdatum(stapel));
groepen.add(converteer(bovensteCategorie, datumIngang));
return new TussenStapel<>(groepen);
}
private TussenGroep<BrpPartijInhoud> converteer(final Lo3Categorie<Lo3AutorisatieInhoud> bovensteCategorie, final BrpDatum datumIngang) {
final BrpBoolean indVerstrekkingsbeperking =
lo3AttribuutConverteerder.converteerLo3IndicatieGeheimCode(bovensteCategorie.getInhoud().getIndicatieGeheimhouding());
final BrpPartijInhoud inhoud =
new BrpPartijInhoud(datumIngang, null, indVerstrekkingsbeperking.getWaarde(), !bovensteCategorie.getInhoud().isLeeg());
return new TussenGroep<>(inhoud, bovensteCategorie.getHistorie(), bovensteCategorie.getDocumentatie(), bovensteCategorie.getLo3Herkomst());
}
private Lo3Datum bepaalOudsteIngangsdatum(final Lo3Stapel<Lo3AutorisatieInhoud> stapel) {
// Lijst voor alle ingangsdatums binnen de stapel.
final List<Lo3Datum> ingangsdatumLijst = new ArrayList<>();
// Vul de lijst met alle ingangsdatums.
for (final Lo3Categorie<Lo3AutorisatieInhoud> inhoud : stapel) {
ingangsdatumLijst.add(inhoud.getInhoud().getDatumIngang());
}
// Sorteer de lijst op datum, de oudste bovenaan.
Collections.sort(ingangsdatumLijst, new DatumComparator());
// Geef de eerst datum uit de lijst terug.
return ingangsdatumLijst.get(0);
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = 1;
}
} else if (o2 == null) {
resultaat = -1;
} else {
resultaat = o1.compareTo(o2);
}
return resultaat;
}
}
}
| MinBZK/OperatieBRP | 2016/migratie 2016-02-09/migr-conversie-regels/src/main/java/nl/bzk/migratiebrp/conversie/regels/proces/lo3naarbrp/attributen/autorisatie/PartijConverteerder.java | 1,426 | // Vul de lijst met alle ingangsdatums.
| line_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.autorisatie;
import java.io.Serializable;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import javax.inject.Inject;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpBoolean;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpDatum;
import nl.bzk.migratiebrp.conversie.model.brp.groep.autorisatie.BrpPartijInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.tussen.TussenGroep;
import nl.bzk.migratiebrp.conversie.model.tussen.TussenStapel;
import nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.AbstractConverteerder;
import nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.Lo3AttribuutConverteerder;
import org.springframework.stereotype.Component;
/**
* PartijConverteerder.
*/
@Component
public class PartijConverteerder extends AbstractConverteerder {
@Inject
private Lo3AttribuutConverteerder lo3AttribuutConverteerder;
/**
* Converteer van Lo3 model naar Migratie model.
*
* @param stapel
* {@link Lo3Stapel} van {@link Lo3AutorisatieInhoud}
* @return {@link nl.bzk.migratiebrp.conversie.model.tussen.TussenStapel} van {@link BrpPartijInhoud}
*/
public final TussenStapel<BrpPartijInhoud> converteerPartijStapel(final Lo3Stapel<Lo3AutorisatieInhoud> stapel) {
final List<TussenGroep<BrpPartijInhoud>> groepen = new ArrayList<>();
// Aangezien de inhoud op datum is gesorteerd, is de eerste van de stapel de jongste en die hebben we nodig.
final Lo3Categorie<Lo3AutorisatieInhoud> bovensteCategorie = stapel.get(0);
final BrpDatum datumIngang = lo3AttribuutConverteerder.converteerDatum(bepaalOudsteIngangsdatum(stapel));
groepen.add(converteer(bovensteCategorie, datumIngang));
return new TussenStapel<>(groepen);
}
private TussenGroep<BrpPartijInhoud> converteer(final Lo3Categorie<Lo3AutorisatieInhoud> bovensteCategorie, final BrpDatum datumIngang) {
final BrpBoolean indVerstrekkingsbeperking =
lo3AttribuutConverteerder.converteerLo3IndicatieGeheimCode(bovensteCategorie.getInhoud().getIndicatieGeheimhouding());
final BrpPartijInhoud inhoud =
new BrpPartijInhoud(datumIngang, null, indVerstrekkingsbeperking.getWaarde(), !bovensteCategorie.getInhoud().isLeeg());
return new TussenGroep<>(inhoud, bovensteCategorie.getHistorie(), bovensteCategorie.getDocumentatie(), bovensteCategorie.getLo3Herkomst());
}
private Lo3Datum bepaalOudsteIngangsdatum(final Lo3Stapel<Lo3AutorisatieInhoud> stapel) {
// Lijst voor alle ingangsdatums binnen de stapel.
final List<Lo3Datum> ingangsdatumLijst = new ArrayList<>();
// Vul de<SUF>
for (final Lo3Categorie<Lo3AutorisatieInhoud> inhoud : stapel) {
ingangsdatumLijst.add(inhoud.getInhoud().getDatumIngang());
}
// Sorteer de lijst op datum, de oudste bovenaan.
Collections.sort(ingangsdatumLijst, new DatumComparator());
// Geef de eerst datum uit de lijst terug.
return ingangsdatumLijst.get(0);
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = 1;
}
} else if (o2 == null) {
resultaat = -1;
} else {
resultaat = o1.compareTo(o2);
}
return resultaat;
}
}
}
|
204608_5 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.autorisatie;
import java.io.Serializable;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import javax.inject.Inject;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpBoolean;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpDatum;
import nl.bzk.migratiebrp.conversie.model.brp.groep.autorisatie.BrpPartijInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.tussen.TussenGroep;
import nl.bzk.migratiebrp.conversie.model.tussen.TussenStapel;
import nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.AbstractConverteerder;
import nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.Lo3AttribuutConverteerder;
import org.springframework.stereotype.Component;
/**
* PartijConverteerder.
*/
@Component
public class PartijConverteerder extends AbstractConverteerder {
@Inject
private Lo3AttribuutConverteerder lo3AttribuutConverteerder;
/**
* Converteer van Lo3 model naar Migratie model.
*
* @param stapel
* {@link Lo3Stapel} van {@link Lo3AutorisatieInhoud}
* @return {@link nl.bzk.migratiebrp.conversie.model.tussen.TussenStapel} van {@link BrpPartijInhoud}
*/
public final TussenStapel<BrpPartijInhoud> converteerPartijStapel(final Lo3Stapel<Lo3AutorisatieInhoud> stapel) {
final List<TussenGroep<BrpPartijInhoud>> groepen = new ArrayList<>();
// Aangezien de inhoud op datum is gesorteerd, is de eerste van de stapel de jongste en die hebben we nodig.
final Lo3Categorie<Lo3AutorisatieInhoud> bovensteCategorie = stapel.get(0);
final BrpDatum datumIngang = lo3AttribuutConverteerder.converteerDatum(bepaalOudsteIngangsdatum(stapel));
groepen.add(converteer(bovensteCategorie, datumIngang));
return new TussenStapel<>(groepen);
}
private TussenGroep<BrpPartijInhoud> converteer(final Lo3Categorie<Lo3AutorisatieInhoud> bovensteCategorie, final BrpDatum datumIngang) {
final BrpBoolean indVerstrekkingsbeperking =
lo3AttribuutConverteerder.converteerLo3IndicatieGeheimCode(bovensteCategorie.getInhoud().getIndicatieGeheimhouding());
final BrpPartijInhoud inhoud =
new BrpPartijInhoud(datumIngang, null, indVerstrekkingsbeperking.getWaarde(), !bovensteCategorie.getInhoud().isLeeg());
return new TussenGroep<>(inhoud, bovensteCategorie.getHistorie(), bovensteCategorie.getDocumentatie(), bovensteCategorie.getLo3Herkomst());
}
private Lo3Datum bepaalOudsteIngangsdatum(final Lo3Stapel<Lo3AutorisatieInhoud> stapel) {
// Lijst voor alle ingangsdatums binnen de stapel.
final List<Lo3Datum> ingangsdatumLijst = new ArrayList<>();
// Vul de lijst met alle ingangsdatums.
for (final Lo3Categorie<Lo3AutorisatieInhoud> inhoud : stapel) {
ingangsdatumLijst.add(inhoud.getInhoud().getDatumIngang());
}
// Sorteer de lijst op datum, de oudste bovenaan.
Collections.sort(ingangsdatumLijst, new DatumComparator());
// Geef de eerst datum uit de lijst terug.
return ingangsdatumLijst.get(0);
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = 1;
}
} else if (o2 == null) {
resultaat = -1;
} else {
resultaat = o1.compareTo(o2);
}
return resultaat;
}
}
}
| MinBZK/OperatieBRP | 2016/migratie 2016-02-09/migr-conversie-regels/src/main/java/nl/bzk/migratiebrp/conversie/regels/proces/lo3naarbrp/attributen/autorisatie/PartijConverteerder.java | 1,426 | // Sorteer de lijst op datum, de oudste bovenaan.
| line_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.autorisatie;
import java.io.Serializable;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import javax.inject.Inject;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpBoolean;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpDatum;
import nl.bzk.migratiebrp.conversie.model.brp.groep.autorisatie.BrpPartijInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.tussen.TussenGroep;
import nl.bzk.migratiebrp.conversie.model.tussen.TussenStapel;
import nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.AbstractConverteerder;
import nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.Lo3AttribuutConverteerder;
import org.springframework.stereotype.Component;
/**
* PartijConverteerder.
*/
@Component
public class PartijConverteerder extends AbstractConverteerder {
@Inject
private Lo3AttribuutConverteerder lo3AttribuutConverteerder;
/**
* Converteer van Lo3 model naar Migratie model.
*
* @param stapel
* {@link Lo3Stapel} van {@link Lo3AutorisatieInhoud}
* @return {@link nl.bzk.migratiebrp.conversie.model.tussen.TussenStapel} van {@link BrpPartijInhoud}
*/
public final TussenStapel<BrpPartijInhoud> converteerPartijStapel(final Lo3Stapel<Lo3AutorisatieInhoud> stapel) {
final List<TussenGroep<BrpPartijInhoud>> groepen = new ArrayList<>();
// Aangezien de inhoud op datum is gesorteerd, is de eerste van de stapel de jongste en die hebben we nodig.
final Lo3Categorie<Lo3AutorisatieInhoud> bovensteCategorie = stapel.get(0);
final BrpDatum datumIngang = lo3AttribuutConverteerder.converteerDatum(bepaalOudsteIngangsdatum(stapel));
groepen.add(converteer(bovensteCategorie, datumIngang));
return new TussenStapel<>(groepen);
}
private TussenGroep<BrpPartijInhoud> converteer(final Lo3Categorie<Lo3AutorisatieInhoud> bovensteCategorie, final BrpDatum datumIngang) {
final BrpBoolean indVerstrekkingsbeperking =
lo3AttribuutConverteerder.converteerLo3IndicatieGeheimCode(bovensteCategorie.getInhoud().getIndicatieGeheimhouding());
final BrpPartijInhoud inhoud =
new BrpPartijInhoud(datumIngang, null, indVerstrekkingsbeperking.getWaarde(), !bovensteCategorie.getInhoud().isLeeg());
return new TussenGroep<>(inhoud, bovensteCategorie.getHistorie(), bovensteCategorie.getDocumentatie(), bovensteCategorie.getLo3Herkomst());
}
private Lo3Datum bepaalOudsteIngangsdatum(final Lo3Stapel<Lo3AutorisatieInhoud> stapel) {
// Lijst voor alle ingangsdatums binnen de stapel.
final List<Lo3Datum> ingangsdatumLijst = new ArrayList<>();
// Vul de lijst met alle ingangsdatums.
for (final Lo3Categorie<Lo3AutorisatieInhoud> inhoud : stapel) {
ingangsdatumLijst.add(inhoud.getInhoud().getDatumIngang());
}
// Sorteer de<SUF>
Collections.sort(ingangsdatumLijst, new DatumComparator());
// Geef de eerst datum uit de lijst terug.
return ingangsdatumLijst.get(0);
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = 1;
}
} else if (o2 == null) {
resultaat = -1;
} else {
resultaat = o1.compareTo(o2);
}
return resultaat;
}
}
}
|
204608_6 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.autorisatie;
import java.io.Serializable;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import javax.inject.Inject;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpBoolean;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpDatum;
import nl.bzk.migratiebrp.conversie.model.brp.groep.autorisatie.BrpPartijInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.tussen.TussenGroep;
import nl.bzk.migratiebrp.conversie.model.tussen.TussenStapel;
import nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.AbstractConverteerder;
import nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.Lo3AttribuutConverteerder;
import org.springframework.stereotype.Component;
/**
* PartijConverteerder.
*/
@Component
public class PartijConverteerder extends AbstractConverteerder {
@Inject
private Lo3AttribuutConverteerder lo3AttribuutConverteerder;
/**
* Converteer van Lo3 model naar Migratie model.
*
* @param stapel
* {@link Lo3Stapel} van {@link Lo3AutorisatieInhoud}
* @return {@link nl.bzk.migratiebrp.conversie.model.tussen.TussenStapel} van {@link BrpPartijInhoud}
*/
public final TussenStapel<BrpPartijInhoud> converteerPartijStapel(final Lo3Stapel<Lo3AutorisatieInhoud> stapel) {
final List<TussenGroep<BrpPartijInhoud>> groepen = new ArrayList<>();
// Aangezien de inhoud op datum is gesorteerd, is de eerste van de stapel de jongste en die hebben we nodig.
final Lo3Categorie<Lo3AutorisatieInhoud> bovensteCategorie = stapel.get(0);
final BrpDatum datumIngang = lo3AttribuutConverteerder.converteerDatum(bepaalOudsteIngangsdatum(stapel));
groepen.add(converteer(bovensteCategorie, datumIngang));
return new TussenStapel<>(groepen);
}
private TussenGroep<BrpPartijInhoud> converteer(final Lo3Categorie<Lo3AutorisatieInhoud> bovensteCategorie, final BrpDatum datumIngang) {
final BrpBoolean indVerstrekkingsbeperking =
lo3AttribuutConverteerder.converteerLo3IndicatieGeheimCode(bovensteCategorie.getInhoud().getIndicatieGeheimhouding());
final BrpPartijInhoud inhoud =
new BrpPartijInhoud(datumIngang, null, indVerstrekkingsbeperking.getWaarde(), !bovensteCategorie.getInhoud().isLeeg());
return new TussenGroep<>(inhoud, bovensteCategorie.getHistorie(), bovensteCategorie.getDocumentatie(), bovensteCategorie.getLo3Herkomst());
}
private Lo3Datum bepaalOudsteIngangsdatum(final Lo3Stapel<Lo3AutorisatieInhoud> stapel) {
// Lijst voor alle ingangsdatums binnen de stapel.
final List<Lo3Datum> ingangsdatumLijst = new ArrayList<>();
// Vul de lijst met alle ingangsdatums.
for (final Lo3Categorie<Lo3AutorisatieInhoud> inhoud : stapel) {
ingangsdatumLijst.add(inhoud.getInhoud().getDatumIngang());
}
// Sorteer de lijst op datum, de oudste bovenaan.
Collections.sort(ingangsdatumLijst, new DatumComparator());
// Geef de eerst datum uit de lijst terug.
return ingangsdatumLijst.get(0);
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = 1;
}
} else if (o2 == null) {
resultaat = -1;
} else {
resultaat = o1.compareTo(o2);
}
return resultaat;
}
}
}
| MinBZK/OperatieBRP | 2016/migratie 2016-02-09/migr-conversie-regels/src/main/java/nl/bzk/migratiebrp/conversie/regels/proces/lo3naarbrp/attributen/autorisatie/PartijConverteerder.java | 1,426 | // Geef de eerst datum uit de lijst terug.
| line_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.autorisatie;
import java.io.Serializable;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import javax.inject.Inject;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpBoolean;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpDatum;
import nl.bzk.migratiebrp.conversie.model.brp.groep.autorisatie.BrpPartijInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.tussen.TussenGroep;
import nl.bzk.migratiebrp.conversie.model.tussen.TussenStapel;
import nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.AbstractConverteerder;
import nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.Lo3AttribuutConverteerder;
import org.springframework.stereotype.Component;
/**
* PartijConverteerder.
*/
@Component
public class PartijConverteerder extends AbstractConverteerder {
@Inject
private Lo3AttribuutConverteerder lo3AttribuutConverteerder;
/**
* Converteer van Lo3 model naar Migratie model.
*
* @param stapel
* {@link Lo3Stapel} van {@link Lo3AutorisatieInhoud}
* @return {@link nl.bzk.migratiebrp.conversie.model.tussen.TussenStapel} van {@link BrpPartijInhoud}
*/
public final TussenStapel<BrpPartijInhoud> converteerPartijStapel(final Lo3Stapel<Lo3AutorisatieInhoud> stapel) {
final List<TussenGroep<BrpPartijInhoud>> groepen = new ArrayList<>();
// Aangezien de inhoud op datum is gesorteerd, is de eerste van de stapel de jongste en die hebben we nodig.
final Lo3Categorie<Lo3AutorisatieInhoud> bovensteCategorie = stapel.get(0);
final BrpDatum datumIngang = lo3AttribuutConverteerder.converteerDatum(bepaalOudsteIngangsdatum(stapel));
groepen.add(converteer(bovensteCategorie, datumIngang));
return new TussenStapel<>(groepen);
}
private TussenGroep<BrpPartijInhoud> converteer(final Lo3Categorie<Lo3AutorisatieInhoud> bovensteCategorie, final BrpDatum datumIngang) {
final BrpBoolean indVerstrekkingsbeperking =
lo3AttribuutConverteerder.converteerLo3IndicatieGeheimCode(bovensteCategorie.getInhoud().getIndicatieGeheimhouding());
final BrpPartijInhoud inhoud =
new BrpPartijInhoud(datumIngang, null, indVerstrekkingsbeperking.getWaarde(), !bovensteCategorie.getInhoud().isLeeg());
return new TussenGroep<>(inhoud, bovensteCategorie.getHistorie(), bovensteCategorie.getDocumentatie(), bovensteCategorie.getLo3Herkomst());
}
private Lo3Datum bepaalOudsteIngangsdatum(final Lo3Stapel<Lo3AutorisatieInhoud> stapel) {
// Lijst voor alle ingangsdatums binnen de stapel.
final List<Lo3Datum> ingangsdatumLijst = new ArrayList<>();
// Vul de lijst met alle ingangsdatums.
for (final Lo3Categorie<Lo3AutorisatieInhoud> inhoud : stapel) {
ingangsdatumLijst.add(inhoud.getInhoud().getDatumIngang());
}
// Sorteer de lijst op datum, de oudste bovenaan.
Collections.sort(ingangsdatumLijst, new DatumComparator());
// Geef de<SUF>
return ingangsdatumLijst.get(0);
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = 1;
}
} else if (o2 == null) {
resultaat = -1;
} else {
resultaat = o1.compareTo(o2);
}
return resultaat;
}
}
}
|
204608_7 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.autorisatie;
import java.io.Serializable;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import javax.inject.Inject;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpBoolean;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpDatum;
import nl.bzk.migratiebrp.conversie.model.brp.groep.autorisatie.BrpPartijInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.tussen.TussenGroep;
import nl.bzk.migratiebrp.conversie.model.tussen.TussenStapel;
import nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.AbstractConverteerder;
import nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.Lo3AttribuutConverteerder;
import org.springframework.stereotype.Component;
/**
* PartijConverteerder.
*/
@Component
public class PartijConverteerder extends AbstractConverteerder {
@Inject
private Lo3AttribuutConverteerder lo3AttribuutConverteerder;
/**
* Converteer van Lo3 model naar Migratie model.
*
* @param stapel
* {@link Lo3Stapel} van {@link Lo3AutorisatieInhoud}
* @return {@link nl.bzk.migratiebrp.conversie.model.tussen.TussenStapel} van {@link BrpPartijInhoud}
*/
public final TussenStapel<BrpPartijInhoud> converteerPartijStapel(final Lo3Stapel<Lo3AutorisatieInhoud> stapel) {
final List<TussenGroep<BrpPartijInhoud>> groepen = new ArrayList<>();
// Aangezien de inhoud op datum is gesorteerd, is de eerste van de stapel de jongste en die hebben we nodig.
final Lo3Categorie<Lo3AutorisatieInhoud> bovensteCategorie = stapel.get(0);
final BrpDatum datumIngang = lo3AttribuutConverteerder.converteerDatum(bepaalOudsteIngangsdatum(stapel));
groepen.add(converteer(bovensteCategorie, datumIngang));
return new TussenStapel<>(groepen);
}
private TussenGroep<BrpPartijInhoud> converteer(final Lo3Categorie<Lo3AutorisatieInhoud> bovensteCategorie, final BrpDatum datumIngang) {
final BrpBoolean indVerstrekkingsbeperking =
lo3AttribuutConverteerder.converteerLo3IndicatieGeheimCode(bovensteCategorie.getInhoud().getIndicatieGeheimhouding());
final BrpPartijInhoud inhoud =
new BrpPartijInhoud(datumIngang, null, indVerstrekkingsbeperking.getWaarde(), !bovensteCategorie.getInhoud().isLeeg());
return new TussenGroep<>(inhoud, bovensteCategorie.getHistorie(), bovensteCategorie.getDocumentatie(), bovensteCategorie.getLo3Herkomst());
}
private Lo3Datum bepaalOudsteIngangsdatum(final Lo3Stapel<Lo3AutorisatieInhoud> stapel) {
// Lijst voor alle ingangsdatums binnen de stapel.
final List<Lo3Datum> ingangsdatumLijst = new ArrayList<>();
// Vul de lijst met alle ingangsdatums.
for (final Lo3Categorie<Lo3AutorisatieInhoud> inhoud : stapel) {
ingangsdatumLijst.add(inhoud.getInhoud().getDatumIngang());
}
// Sorteer de lijst op datum, de oudste bovenaan.
Collections.sort(ingangsdatumLijst, new DatumComparator());
// Geef de eerst datum uit de lijst terug.
return ingangsdatumLijst.get(0);
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = 1;
}
} else if (o2 == null) {
resultaat = -1;
} else {
resultaat = o1.compareTo(o2);
}
return resultaat;
}
}
}
| MinBZK/OperatieBRP | 2016/migratie 2016-02-09/migr-conversie-regels/src/main/java/nl/bzk/migratiebrp/conversie/regels/proces/lo3naarbrp/attributen/autorisatie/PartijConverteerder.java | 1,426 | /**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/ | block_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.autorisatie;
import java.io.Serializable;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import javax.inject.Inject;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpBoolean;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpDatum;
import nl.bzk.migratiebrp.conversie.model.brp.groep.autorisatie.BrpPartijInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.tussen.TussenGroep;
import nl.bzk.migratiebrp.conversie.model.tussen.TussenStapel;
import nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.AbstractConverteerder;
import nl.bzk.migratiebrp.conversie.regels.proces.lo3naarbrp.attributen.Lo3AttribuutConverteerder;
import org.springframework.stereotype.Component;
/**
* PartijConverteerder.
*/
@Component
public class PartijConverteerder extends AbstractConverteerder {
@Inject
private Lo3AttribuutConverteerder lo3AttribuutConverteerder;
/**
* Converteer van Lo3 model naar Migratie model.
*
* @param stapel
* {@link Lo3Stapel} van {@link Lo3AutorisatieInhoud}
* @return {@link nl.bzk.migratiebrp.conversie.model.tussen.TussenStapel} van {@link BrpPartijInhoud}
*/
public final TussenStapel<BrpPartijInhoud> converteerPartijStapel(final Lo3Stapel<Lo3AutorisatieInhoud> stapel) {
final List<TussenGroep<BrpPartijInhoud>> groepen = new ArrayList<>();
// Aangezien de inhoud op datum is gesorteerd, is de eerste van de stapel de jongste en die hebben we nodig.
final Lo3Categorie<Lo3AutorisatieInhoud> bovensteCategorie = stapel.get(0);
final BrpDatum datumIngang = lo3AttribuutConverteerder.converteerDatum(bepaalOudsteIngangsdatum(stapel));
groepen.add(converteer(bovensteCategorie, datumIngang));
return new TussenStapel<>(groepen);
}
private TussenGroep<BrpPartijInhoud> converteer(final Lo3Categorie<Lo3AutorisatieInhoud> bovensteCategorie, final BrpDatum datumIngang) {
final BrpBoolean indVerstrekkingsbeperking =
lo3AttribuutConverteerder.converteerLo3IndicatieGeheimCode(bovensteCategorie.getInhoud().getIndicatieGeheimhouding());
final BrpPartijInhoud inhoud =
new BrpPartijInhoud(datumIngang, null, indVerstrekkingsbeperking.getWaarde(), !bovensteCategorie.getInhoud().isLeeg());
return new TussenGroep<>(inhoud, bovensteCategorie.getHistorie(), bovensteCategorie.getDocumentatie(), bovensteCategorie.getLo3Herkomst());
}
private Lo3Datum bepaalOudsteIngangsdatum(final Lo3Stapel<Lo3AutorisatieInhoud> stapel) {
// Lijst voor alle ingangsdatums binnen de stapel.
final List<Lo3Datum> ingangsdatumLijst = new ArrayList<>();
// Vul de lijst met alle ingangsdatums.
for (final Lo3Categorie<Lo3AutorisatieInhoud> inhoud : stapel) {
ingangsdatumLijst.add(inhoud.getInhoud().getDatumIngang());
}
// Sorteer de lijst op datum, de oudste bovenaan.
Collections.sort(ingangsdatumLijst, new DatumComparator());
// Geef de eerst datum uit de lijst terug.
return ingangsdatumLijst.get(0);
}
/**
* Vergelijker voor Lo3Datums<SUF>*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = 1;
}
} else if (o2 == null) {
resultaat = -1;
} else {
resultaat = o1.compareTo(o2);
}
return resultaat;
}
}
}
|
204611_3 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.bericht.model.sync.impl;
import java.io.Serializable;
import java.math.BigInteger;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.bericht.model.sync.AbstractSyncBerichtZonderGerelateerdeInformatie;
import nl.bzk.migratiebrp.bericht.model.sync.generated.AutorisatieRecordType;
import nl.bzk.migratiebrp.bericht.model.sync.generated.AutorisatieType;
import nl.bzk.migratiebrp.bericht.model.sync.generated.ObjectFactory;
import nl.bzk.migratiebrp.bericht.model.sync.xml.SyncXml;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
/**
* Initiele vulling van autorisaties.
*/
public final class AutorisatieBericht extends AbstractSyncBerichtZonderGerelateerdeInformatie {
private static final long serialVersionUID = 1L;
private final AutorisatieType autorisatieType;
/* ************************************************************************************************************* */
/**
* Default constructor.
*/
public AutorisatieBericht() {
this(new AutorisatieType());
}
/**
* Deze constructor wordt gebruikt door de factory om op basis van een Jaxb element een bericht te maken.
*
* @param autorisatieType
* het autorisatieType type
*/
public AutorisatieBericht(final AutorisatieType autorisatieType) {
super("Autorisatie");
this.autorisatieType = autorisatieType;
}
/* ************************************************************************************************************* */
/**
* Geef de inhoud van het bericht als een Lo3Autorisatie object.
*
* @return Lo3Autorisatie object
*/
public Lo3Autorisatie getAutorisatie() {
final Integer afnemerCode = Integer.valueOf(autorisatieType.getAfnemerCode());
final List<Lo3Categorie<Lo3AutorisatieInhoud>> tabelRegels = new ArrayList<>();
final List<AutorisatieRecordType> autorisatieTabelRegels = autorisatieType.getAutorisatieTabelRegels();
Collections.sort(autorisatieTabelRegels, new AutorisatieDatumIngangDescendingComparator());
int index = 0;
for (final AutorisatieRecordType record : autorisatieTabelRegels) {
final Lo3AutorisatieInhoud inhoud = maakAutorisatieInhoud(afnemerCode, record);
final Lo3Datum datumIngang = inhoud.getDatumIngang();
final Lo3Herkomst herkomst = new Lo3Herkomst(index == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, index);
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
tabelRegels.add(new Lo3Categorie<>(inhoud, null, historie, herkomst));
index++;
}
return new Lo3Autorisatie(new Lo3Stapel<>(tabelRegels));
}
private Lo3AutorisatieInhoud maakAutorisatieInhoud(final Integer afnemerCode, final AutorisatieRecordType record) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
result.setAfnemersindicatie(afnemerCode);
result.setAfnemernaam(record.getAfnemerNaam());
result.setIndicatieGeheimhouding(SimpleParser.parseLo3IndicatieGeheimCode(String.valueOf(record.getGeheimhoudingInd())));
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(String.valueOf(record.getVerstrekkingsBeperking())));
result.setRubrieknummerSpontaan(record.getSpontaanRubrieken());
result.setVoorwaarderegelSpontaan(record.getSpontaanVoorwaarderegel());
result.setSleutelrubriek(record.getSleutelRubrieken());
result.setConditioneleVerstrekking(record.getConditioneleVerstrekking());
result.setMediumSpontaan(parseEnum(record.getSpontaanMedium()));
result.setRubrieknummerSelectie(record.getSelectieRubrieken());
result.setVoorwaarderegelSelectie(record.getSelectieVoorwaarderegel());
result.setSelectiesoort(record.getSelectieSoort());
result.setBerichtaanduiding(record.getBerichtAand());
result.setEersteSelectiedatum(parseLo3Datum(record.getEersteSelectieDatum()));
result.setSelectieperiode(record.getSelectiePeriode());
result.setMediumSelectie(parseEnum(record.getSelectieMedium()));
result.setRubrieknummerAdHoc(record.getAdHocRubrieken());
result.setVoorwaarderegelAdHoc(record.getAdHocVoorwaarderegel());
result.setPlaatsingsbevoegdheidPersoonslijst(record.getPlPlaatsingsBevoegdheid());
result.setAfnemersverstrekking(record.getAfnemersVerstrekkingen());
result.setAdresvraagBevoegdheid(record.getAdresVraagBevoegdheid());
result.setMediumAdHoc(parseEnum(record.getAdHocMedium()));
result.setRubrieknummerAdresgeorienteerd(record.getAdresRubrieken());
result.setVoorwaarderegelAdresgeorienteerd(record.getAdresVoorwaarderegel());
result.setMediumAdresgeorienteerd(parseEnum(record.getAdresMedium()));
result.setDatumIngang(parseLo3Datum(record.getTabelRegelStartDatum()));
result.setDatumEinde(parseLo3Datum(record.getTabelRegelEindDatum()));
return result;
}
/**
* Parse een Lo3Datum.
*
* @param waarde
* waarde
* @return Lo3Datum of null als de waarde null is
*/
private Lo3Datum parseLo3Datum(final BigInteger waarde) {
return waarde == null ? null : new Lo3Datum(waarde.intValue());
}
/**
* Parse een Enum.
*
* @param waarde
* waarde
* @return String of null als de waarde null is
*/
private String parseEnum(final Enum<?> waarde) {
return waarde == null ? null : waarde.name();
}
/* ************************************************************************************************************* */
@Override
public String format() {
return SyncXml.SINGLETON.elementToString(new ObjectFactory().createAutorisatie(autorisatieType));
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieDatumIngangDescendingComparator implements Comparator<AutorisatieRecordType>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final AutorisatieRecordType o1, final AutorisatieRecordType o2) {
final Lo3Datum o1DatumIngang =
SimpleParser.parseLo3Datum(o1.getTabelRegelEindDatum() != null ? o1.getTabelRegelStartDatum().toString() : null);
final Lo3Datum o2DatumIngang =
SimpleParser.parseLo3Datum(o2.getTabelRegelEindDatum() != null ? o2.getTabelRegelStartDatum().toString() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getTabelRegelEindDatum() != null ? o1.getTabelRegelEindDatum().toString() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getTabelRegelEindDatum() != null ? o2.getTabelRegelEindDatum().toString() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
| MinBZK/OperatieBRP | 2016/migratie 2016-02-09/migr-bericht-model/src/main/java/nl/bzk/migratiebrp/bericht/model/sync/impl/AutorisatieBericht.java | 2,558 | /**
* Deze constructor wordt gebruikt door de factory om op basis van een Jaxb element een bericht te maken.
*
* @param autorisatieType
* het autorisatieType type
*/ | block_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.bericht.model.sync.impl;
import java.io.Serializable;
import java.math.BigInteger;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.bericht.model.sync.AbstractSyncBerichtZonderGerelateerdeInformatie;
import nl.bzk.migratiebrp.bericht.model.sync.generated.AutorisatieRecordType;
import nl.bzk.migratiebrp.bericht.model.sync.generated.AutorisatieType;
import nl.bzk.migratiebrp.bericht.model.sync.generated.ObjectFactory;
import nl.bzk.migratiebrp.bericht.model.sync.xml.SyncXml;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
/**
* Initiele vulling van autorisaties.
*/
public final class AutorisatieBericht extends AbstractSyncBerichtZonderGerelateerdeInformatie {
private static final long serialVersionUID = 1L;
private final AutorisatieType autorisatieType;
/* ************************************************************************************************************* */
/**
* Default constructor.
*/
public AutorisatieBericht() {
this(new AutorisatieType());
}
/**
* Deze constructor wordt<SUF>*/
public AutorisatieBericht(final AutorisatieType autorisatieType) {
super("Autorisatie");
this.autorisatieType = autorisatieType;
}
/* ************************************************************************************************************* */
/**
* Geef de inhoud van het bericht als een Lo3Autorisatie object.
*
* @return Lo3Autorisatie object
*/
public Lo3Autorisatie getAutorisatie() {
final Integer afnemerCode = Integer.valueOf(autorisatieType.getAfnemerCode());
final List<Lo3Categorie<Lo3AutorisatieInhoud>> tabelRegels = new ArrayList<>();
final List<AutorisatieRecordType> autorisatieTabelRegels = autorisatieType.getAutorisatieTabelRegels();
Collections.sort(autorisatieTabelRegels, new AutorisatieDatumIngangDescendingComparator());
int index = 0;
for (final AutorisatieRecordType record : autorisatieTabelRegels) {
final Lo3AutorisatieInhoud inhoud = maakAutorisatieInhoud(afnemerCode, record);
final Lo3Datum datumIngang = inhoud.getDatumIngang();
final Lo3Herkomst herkomst = new Lo3Herkomst(index == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, index);
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
tabelRegels.add(new Lo3Categorie<>(inhoud, null, historie, herkomst));
index++;
}
return new Lo3Autorisatie(new Lo3Stapel<>(tabelRegels));
}
private Lo3AutorisatieInhoud maakAutorisatieInhoud(final Integer afnemerCode, final AutorisatieRecordType record) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
result.setAfnemersindicatie(afnemerCode);
result.setAfnemernaam(record.getAfnemerNaam());
result.setIndicatieGeheimhouding(SimpleParser.parseLo3IndicatieGeheimCode(String.valueOf(record.getGeheimhoudingInd())));
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(String.valueOf(record.getVerstrekkingsBeperking())));
result.setRubrieknummerSpontaan(record.getSpontaanRubrieken());
result.setVoorwaarderegelSpontaan(record.getSpontaanVoorwaarderegel());
result.setSleutelrubriek(record.getSleutelRubrieken());
result.setConditioneleVerstrekking(record.getConditioneleVerstrekking());
result.setMediumSpontaan(parseEnum(record.getSpontaanMedium()));
result.setRubrieknummerSelectie(record.getSelectieRubrieken());
result.setVoorwaarderegelSelectie(record.getSelectieVoorwaarderegel());
result.setSelectiesoort(record.getSelectieSoort());
result.setBerichtaanduiding(record.getBerichtAand());
result.setEersteSelectiedatum(parseLo3Datum(record.getEersteSelectieDatum()));
result.setSelectieperiode(record.getSelectiePeriode());
result.setMediumSelectie(parseEnum(record.getSelectieMedium()));
result.setRubrieknummerAdHoc(record.getAdHocRubrieken());
result.setVoorwaarderegelAdHoc(record.getAdHocVoorwaarderegel());
result.setPlaatsingsbevoegdheidPersoonslijst(record.getPlPlaatsingsBevoegdheid());
result.setAfnemersverstrekking(record.getAfnemersVerstrekkingen());
result.setAdresvraagBevoegdheid(record.getAdresVraagBevoegdheid());
result.setMediumAdHoc(parseEnum(record.getAdHocMedium()));
result.setRubrieknummerAdresgeorienteerd(record.getAdresRubrieken());
result.setVoorwaarderegelAdresgeorienteerd(record.getAdresVoorwaarderegel());
result.setMediumAdresgeorienteerd(parseEnum(record.getAdresMedium()));
result.setDatumIngang(parseLo3Datum(record.getTabelRegelStartDatum()));
result.setDatumEinde(parseLo3Datum(record.getTabelRegelEindDatum()));
return result;
}
/**
* Parse een Lo3Datum.
*
* @param waarde
* waarde
* @return Lo3Datum of null als de waarde null is
*/
private Lo3Datum parseLo3Datum(final BigInteger waarde) {
return waarde == null ? null : new Lo3Datum(waarde.intValue());
}
/**
* Parse een Enum.
*
* @param waarde
* waarde
* @return String of null als de waarde null is
*/
private String parseEnum(final Enum<?> waarde) {
return waarde == null ? null : waarde.name();
}
/* ************************************************************************************************************* */
@Override
public String format() {
return SyncXml.SINGLETON.elementToString(new ObjectFactory().createAutorisatie(autorisatieType));
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieDatumIngangDescendingComparator implements Comparator<AutorisatieRecordType>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final AutorisatieRecordType o1, final AutorisatieRecordType o2) {
final Lo3Datum o1DatumIngang =
SimpleParser.parseLo3Datum(o1.getTabelRegelEindDatum() != null ? o1.getTabelRegelStartDatum().toString() : null);
final Lo3Datum o2DatumIngang =
SimpleParser.parseLo3Datum(o2.getTabelRegelEindDatum() != null ? o2.getTabelRegelStartDatum().toString() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getTabelRegelEindDatum() != null ? o1.getTabelRegelEindDatum().toString() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getTabelRegelEindDatum() != null ? o2.getTabelRegelEindDatum().toString() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
|
204611_4 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.bericht.model.sync.impl;
import java.io.Serializable;
import java.math.BigInteger;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.bericht.model.sync.AbstractSyncBerichtZonderGerelateerdeInformatie;
import nl.bzk.migratiebrp.bericht.model.sync.generated.AutorisatieRecordType;
import nl.bzk.migratiebrp.bericht.model.sync.generated.AutorisatieType;
import nl.bzk.migratiebrp.bericht.model.sync.generated.ObjectFactory;
import nl.bzk.migratiebrp.bericht.model.sync.xml.SyncXml;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
/**
* Initiele vulling van autorisaties.
*/
public final class AutorisatieBericht extends AbstractSyncBerichtZonderGerelateerdeInformatie {
private static final long serialVersionUID = 1L;
private final AutorisatieType autorisatieType;
/* ************************************************************************************************************* */
/**
* Default constructor.
*/
public AutorisatieBericht() {
this(new AutorisatieType());
}
/**
* Deze constructor wordt gebruikt door de factory om op basis van een Jaxb element een bericht te maken.
*
* @param autorisatieType
* het autorisatieType type
*/
public AutorisatieBericht(final AutorisatieType autorisatieType) {
super("Autorisatie");
this.autorisatieType = autorisatieType;
}
/* ************************************************************************************************************* */
/**
* Geef de inhoud van het bericht als een Lo3Autorisatie object.
*
* @return Lo3Autorisatie object
*/
public Lo3Autorisatie getAutorisatie() {
final Integer afnemerCode = Integer.valueOf(autorisatieType.getAfnemerCode());
final List<Lo3Categorie<Lo3AutorisatieInhoud>> tabelRegels = new ArrayList<>();
final List<AutorisatieRecordType> autorisatieTabelRegels = autorisatieType.getAutorisatieTabelRegels();
Collections.sort(autorisatieTabelRegels, new AutorisatieDatumIngangDescendingComparator());
int index = 0;
for (final AutorisatieRecordType record : autorisatieTabelRegels) {
final Lo3AutorisatieInhoud inhoud = maakAutorisatieInhoud(afnemerCode, record);
final Lo3Datum datumIngang = inhoud.getDatumIngang();
final Lo3Herkomst herkomst = new Lo3Herkomst(index == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, index);
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
tabelRegels.add(new Lo3Categorie<>(inhoud, null, historie, herkomst));
index++;
}
return new Lo3Autorisatie(new Lo3Stapel<>(tabelRegels));
}
private Lo3AutorisatieInhoud maakAutorisatieInhoud(final Integer afnemerCode, final AutorisatieRecordType record) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
result.setAfnemersindicatie(afnemerCode);
result.setAfnemernaam(record.getAfnemerNaam());
result.setIndicatieGeheimhouding(SimpleParser.parseLo3IndicatieGeheimCode(String.valueOf(record.getGeheimhoudingInd())));
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(String.valueOf(record.getVerstrekkingsBeperking())));
result.setRubrieknummerSpontaan(record.getSpontaanRubrieken());
result.setVoorwaarderegelSpontaan(record.getSpontaanVoorwaarderegel());
result.setSleutelrubriek(record.getSleutelRubrieken());
result.setConditioneleVerstrekking(record.getConditioneleVerstrekking());
result.setMediumSpontaan(parseEnum(record.getSpontaanMedium()));
result.setRubrieknummerSelectie(record.getSelectieRubrieken());
result.setVoorwaarderegelSelectie(record.getSelectieVoorwaarderegel());
result.setSelectiesoort(record.getSelectieSoort());
result.setBerichtaanduiding(record.getBerichtAand());
result.setEersteSelectiedatum(parseLo3Datum(record.getEersteSelectieDatum()));
result.setSelectieperiode(record.getSelectiePeriode());
result.setMediumSelectie(parseEnum(record.getSelectieMedium()));
result.setRubrieknummerAdHoc(record.getAdHocRubrieken());
result.setVoorwaarderegelAdHoc(record.getAdHocVoorwaarderegel());
result.setPlaatsingsbevoegdheidPersoonslijst(record.getPlPlaatsingsBevoegdheid());
result.setAfnemersverstrekking(record.getAfnemersVerstrekkingen());
result.setAdresvraagBevoegdheid(record.getAdresVraagBevoegdheid());
result.setMediumAdHoc(parseEnum(record.getAdHocMedium()));
result.setRubrieknummerAdresgeorienteerd(record.getAdresRubrieken());
result.setVoorwaarderegelAdresgeorienteerd(record.getAdresVoorwaarderegel());
result.setMediumAdresgeorienteerd(parseEnum(record.getAdresMedium()));
result.setDatumIngang(parseLo3Datum(record.getTabelRegelStartDatum()));
result.setDatumEinde(parseLo3Datum(record.getTabelRegelEindDatum()));
return result;
}
/**
* Parse een Lo3Datum.
*
* @param waarde
* waarde
* @return Lo3Datum of null als de waarde null is
*/
private Lo3Datum parseLo3Datum(final BigInteger waarde) {
return waarde == null ? null : new Lo3Datum(waarde.intValue());
}
/**
* Parse een Enum.
*
* @param waarde
* waarde
* @return String of null als de waarde null is
*/
private String parseEnum(final Enum<?> waarde) {
return waarde == null ? null : waarde.name();
}
/* ************************************************************************************************************* */
@Override
public String format() {
return SyncXml.SINGLETON.elementToString(new ObjectFactory().createAutorisatie(autorisatieType));
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieDatumIngangDescendingComparator implements Comparator<AutorisatieRecordType>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final AutorisatieRecordType o1, final AutorisatieRecordType o2) {
final Lo3Datum o1DatumIngang =
SimpleParser.parseLo3Datum(o1.getTabelRegelEindDatum() != null ? o1.getTabelRegelStartDatum().toString() : null);
final Lo3Datum o2DatumIngang =
SimpleParser.parseLo3Datum(o2.getTabelRegelEindDatum() != null ? o2.getTabelRegelStartDatum().toString() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getTabelRegelEindDatum() != null ? o1.getTabelRegelEindDatum().toString() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getTabelRegelEindDatum() != null ? o2.getTabelRegelEindDatum().toString() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
| MinBZK/OperatieBRP | 2016/migratie 2016-02-09/migr-bericht-model/src/main/java/nl/bzk/migratiebrp/bericht/model/sync/impl/AutorisatieBericht.java | 2,558 | /**
* Geef de inhoud van het bericht als een Lo3Autorisatie object.
*
* @return Lo3Autorisatie object
*/ | block_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.bericht.model.sync.impl;
import java.io.Serializable;
import java.math.BigInteger;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.bericht.model.sync.AbstractSyncBerichtZonderGerelateerdeInformatie;
import nl.bzk.migratiebrp.bericht.model.sync.generated.AutorisatieRecordType;
import nl.bzk.migratiebrp.bericht.model.sync.generated.AutorisatieType;
import nl.bzk.migratiebrp.bericht.model.sync.generated.ObjectFactory;
import nl.bzk.migratiebrp.bericht.model.sync.xml.SyncXml;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
/**
* Initiele vulling van autorisaties.
*/
public final class AutorisatieBericht extends AbstractSyncBerichtZonderGerelateerdeInformatie {
private static final long serialVersionUID = 1L;
private final AutorisatieType autorisatieType;
/* ************************************************************************************************************* */
/**
* Default constructor.
*/
public AutorisatieBericht() {
this(new AutorisatieType());
}
/**
* Deze constructor wordt gebruikt door de factory om op basis van een Jaxb element een bericht te maken.
*
* @param autorisatieType
* het autorisatieType type
*/
public AutorisatieBericht(final AutorisatieType autorisatieType) {
super("Autorisatie");
this.autorisatieType = autorisatieType;
}
/* ************************************************************************************************************* */
/**
* Geef de inhoud<SUF>*/
public Lo3Autorisatie getAutorisatie() {
final Integer afnemerCode = Integer.valueOf(autorisatieType.getAfnemerCode());
final List<Lo3Categorie<Lo3AutorisatieInhoud>> tabelRegels = new ArrayList<>();
final List<AutorisatieRecordType> autorisatieTabelRegels = autorisatieType.getAutorisatieTabelRegels();
Collections.sort(autorisatieTabelRegels, new AutorisatieDatumIngangDescendingComparator());
int index = 0;
for (final AutorisatieRecordType record : autorisatieTabelRegels) {
final Lo3AutorisatieInhoud inhoud = maakAutorisatieInhoud(afnemerCode, record);
final Lo3Datum datumIngang = inhoud.getDatumIngang();
final Lo3Herkomst herkomst = new Lo3Herkomst(index == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, index);
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
tabelRegels.add(new Lo3Categorie<>(inhoud, null, historie, herkomst));
index++;
}
return new Lo3Autorisatie(new Lo3Stapel<>(tabelRegels));
}
private Lo3AutorisatieInhoud maakAutorisatieInhoud(final Integer afnemerCode, final AutorisatieRecordType record) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
result.setAfnemersindicatie(afnemerCode);
result.setAfnemernaam(record.getAfnemerNaam());
result.setIndicatieGeheimhouding(SimpleParser.parseLo3IndicatieGeheimCode(String.valueOf(record.getGeheimhoudingInd())));
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(String.valueOf(record.getVerstrekkingsBeperking())));
result.setRubrieknummerSpontaan(record.getSpontaanRubrieken());
result.setVoorwaarderegelSpontaan(record.getSpontaanVoorwaarderegel());
result.setSleutelrubriek(record.getSleutelRubrieken());
result.setConditioneleVerstrekking(record.getConditioneleVerstrekking());
result.setMediumSpontaan(parseEnum(record.getSpontaanMedium()));
result.setRubrieknummerSelectie(record.getSelectieRubrieken());
result.setVoorwaarderegelSelectie(record.getSelectieVoorwaarderegel());
result.setSelectiesoort(record.getSelectieSoort());
result.setBerichtaanduiding(record.getBerichtAand());
result.setEersteSelectiedatum(parseLo3Datum(record.getEersteSelectieDatum()));
result.setSelectieperiode(record.getSelectiePeriode());
result.setMediumSelectie(parseEnum(record.getSelectieMedium()));
result.setRubrieknummerAdHoc(record.getAdHocRubrieken());
result.setVoorwaarderegelAdHoc(record.getAdHocVoorwaarderegel());
result.setPlaatsingsbevoegdheidPersoonslijst(record.getPlPlaatsingsBevoegdheid());
result.setAfnemersverstrekking(record.getAfnemersVerstrekkingen());
result.setAdresvraagBevoegdheid(record.getAdresVraagBevoegdheid());
result.setMediumAdHoc(parseEnum(record.getAdHocMedium()));
result.setRubrieknummerAdresgeorienteerd(record.getAdresRubrieken());
result.setVoorwaarderegelAdresgeorienteerd(record.getAdresVoorwaarderegel());
result.setMediumAdresgeorienteerd(parseEnum(record.getAdresMedium()));
result.setDatumIngang(parseLo3Datum(record.getTabelRegelStartDatum()));
result.setDatumEinde(parseLo3Datum(record.getTabelRegelEindDatum()));
return result;
}
/**
* Parse een Lo3Datum.
*
* @param waarde
* waarde
* @return Lo3Datum of null als de waarde null is
*/
private Lo3Datum parseLo3Datum(final BigInteger waarde) {
return waarde == null ? null : new Lo3Datum(waarde.intValue());
}
/**
* Parse een Enum.
*
* @param waarde
* waarde
* @return String of null als de waarde null is
*/
private String parseEnum(final Enum<?> waarde) {
return waarde == null ? null : waarde.name();
}
/* ************************************************************************************************************* */
@Override
public String format() {
return SyncXml.SINGLETON.elementToString(new ObjectFactory().createAutorisatie(autorisatieType));
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieDatumIngangDescendingComparator implements Comparator<AutorisatieRecordType>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final AutorisatieRecordType o1, final AutorisatieRecordType o2) {
final Lo3Datum o1DatumIngang =
SimpleParser.parseLo3Datum(o1.getTabelRegelEindDatum() != null ? o1.getTabelRegelStartDatum().toString() : null);
final Lo3Datum o2DatumIngang =
SimpleParser.parseLo3Datum(o2.getTabelRegelEindDatum() != null ? o2.getTabelRegelStartDatum().toString() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getTabelRegelEindDatum() != null ? o1.getTabelRegelEindDatum().toString() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getTabelRegelEindDatum() != null ? o2.getTabelRegelEindDatum().toString() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
|
204611_5 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.bericht.model.sync.impl;
import java.io.Serializable;
import java.math.BigInteger;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.bericht.model.sync.AbstractSyncBerichtZonderGerelateerdeInformatie;
import nl.bzk.migratiebrp.bericht.model.sync.generated.AutorisatieRecordType;
import nl.bzk.migratiebrp.bericht.model.sync.generated.AutorisatieType;
import nl.bzk.migratiebrp.bericht.model.sync.generated.ObjectFactory;
import nl.bzk.migratiebrp.bericht.model.sync.xml.SyncXml;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
/**
* Initiele vulling van autorisaties.
*/
public final class AutorisatieBericht extends AbstractSyncBerichtZonderGerelateerdeInformatie {
private static final long serialVersionUID = 1L;
private final AutorisatieType autorisatieType;
/* ************************************************************************************************************* */
/**
* Default constructor.
*/
public AutorisatieBericht() {
this(new AutorisatieType());
}
/**
* Deze constructor wordt gebruikt door de factory om op basis van een Jaxb element een bericht te maken.
*
* @param autorisatieType
* het autorisatieType type
*/
public AutorisatieBericht(final AutorisatieType autorisatieType) {
super("Autorisatie");
this.autorisatieType = autorisatieType;
}
/* ************************************************************************************************************* */
/**
* Geef de inhoud van het bericht als een Lo3Autorisatie object.
*
* @return Lo3Autorisatie object
*/
public Lo3Autorisatie getAutorisatie() {
final Integer afnemerCode = Integer.valueOf(autorisatieType.getAfnemerCode());
final List<Lo3Categorie<Lo3AutorisatieInhoud>> tabelRegels = new ArrayList<>();
final List<AutorisatieRecordType> autorisatieTabelRegels = autorisatieType.getAutorisatieTabelRegels();
Collections.sort(autorisatieTabelRegels, new AutorisatieDatumIngangDescendingComparator());
int index = 0;
for (final AutorisatieRecordType record : autorisatieTabelRegels) {
final Lo3AutorisatieInhoud inhoud = maakAutorisatieInhoud(afnemerCode, record);
final Lo3Datum datumIngang = inhoud.getDatumIngang();
final Lo3Herkomst herkomst = new Lo3Herkomst(index == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, index);
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
tabelRegels.add(new Lo3Categorie<>(inhoud, null, historie, herkomst));
index++;
}
return new Lo3Autorisatie(new Lo3Stapel<>(tabelRegels));
}
private Lo3AutorisatieInhoud maakAutorisatieInhoud(final Integer afnemerCode, final AutorisatieRecordType record) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
result.setAfnemersindicatie(afnemerCode);
result.setAfnemernaam(record.getAfnemerNaam());
result.setIndicatieGeheimhouding(SimpleParser.parseLo3IndicatieGeheimCode(String.valueOf(record.getGeheimhoudingInd())));
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(String.valueOf(record.getVerstrekkingsBeperking())));
result.setRubrieknummerSpontaan(record.getSpontaanRubrieken());
result.setVoorwaarderegelSpontaan(record.getSpontaanVoorwaarderegel());
result.setSleutelrubriek(record.getSleutelRubrieken());
result.setConditioneleVerstrekking(record.getConditioneleVerstrekking());
result.setMediumSpontaan(parseEnum(record.getSpontaanMedium()));
result.setRubrieknummerSelectie(record.getSelectieRubrieken());
result.setVoorwaarderegelSelectie(record.getSelectieVoorwaarderegel());
result.setSelectiesoort(record.getSelectieSoort());
result.setBerichtaanduiding(record.getBerichtAand());
result.setEersteSelectiedatum(parseLo3Datum(record.getEersteSelectieDatum()));
result.setSelectieperiode(record.getSelectiePeriode());
result.setMediumSelectie(parseEnum(record.getSelectieMedium()));
result.setRubrieknummerAdHoc(record.getAdHocRubrieken());
result.setVoorwaarderegelAdHoc(record.getAdHocVoorwaarderegel());
result.setPlaatsingsbevoegdheidPersoonslijst(record.getPlPlaatsingsBevoegdheid());
result.setAfnemersverstrekking(record.getAfnemersVerstrekkingen());
result.setAdresvraagBevoegdheid(record.getAdresVraagBevoegdheid());
result.setMediumAdHoc(parseEnum(record.getAdHocMedium()));
result.setRubrieknummerAdresgeorienteerd(record.getAdresRubrieken());
result.setVoorwaarderegelAdresgeorienteerd(record.getAdresVoorwaarderegel());
result.setMediumAdresgeorienteerd(parseEnum(record.getAdresMedium()));
result.setDatumIngang(parseLo3Datum(record.getTabelRegelStartDatum()));
result.setDatumEinde(parseLo3Datum(record.getTabelRegelEindDatum()));
return result;
}
/**
* Parse een Lo3Datum.
*
* @param waarde
* waarde
* @return Lo3Datum of null als de waarde null is
*/
private Lo3Datum parseLo3Datum(final BigInteger waarde) {
return waarde == null ? null : new Lo3Datum(waarde.intValue());
}
/**
* Parse een Enum.
*
* @param waarde
* waarde
* @return String of null als de waarde null is
*/
private String parseEnum(final Enum<?> waarde) {
return waarde == null ? null : waarde.name();
}
/* ************************************************************************************************************* */
@Override
public String format() {
return SyncXml.SINGLETON.elementToString(new ObjectFactory().createAutorisatie(autorisatieType));
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieDatumIngangDescendingComparator implements Comparator<AutorisatieRecordType>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final AutorisatieRecordType o1, final AutorisatieRecordType o2) {
final Lo3Datum o1DatumIngang =
SimpleParser.parseLo3Datum(o1.getTabelRegelEindDatum() != null ? o1.getTabelRegelStartDatum().toString() : null);
final Lo3Datum o2DatumIngang =
SimpleParser.parseLo3Datum(o2.getTabelRegelEindDatum() != null ? o2.getTabelRegelStartDatum().toString() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getTabelRegelEindDatum() != null ? o1.getTabelRegelEindDatum().toString() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getTabelRegelEindDatum() != null ? o2.getTabelRegelEindDatum().toString() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
| MinBZK/OperatieBRP | 2016/migratie 2016-02-09/migr-bericht-model/src/main/java/nl/bzk/migratiebrp/bericht/model/sync/impl/AutorisatieBericht.java | 2,558 | /**
* Parse een Lo3Datum.
*
* @param waarde
* waarde
* @return Lo3Datum of null als de waarde null is
*/ | block_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.bericht.model.sync.impl;
import java.io.Serializable;
import java.math.BigInteger;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.bericht.model.sync.AbstractSyncBerichtZonderGerelateerdeInformatie;
import nl.bzk.migratiebrp.bericht.model.sync.generated.AutorisatieRecordType;
import nl.bzk.migratiebrp.bericht.model.sync.generated.AutorisatieType;
import nl.bzk.migratiebrp.bericht.model.sync.generated.ObjectFactory;
import nl.bzk.migratiebrp.bericht.model.sync.xml.SyncXml;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
/**
* Initiele vulling van autorisaties.
*/
public final class AutorisatieBericht extends AbstractSyncBerichtZonderGerelateerdeInformatie {
private static final long serialVersionUID = 1L;
private final AutorisatieType autorisatieType;
/* ************************************************************************************************************* */
/**
* Default constructor.
*/
public AutorisatieBericht() {
this(new AutorisatieType());
}
/**
* Deze constructor wordt gebruikt door de factory om op basis van een Jaxb element een bericht te maken.
*
* @param autorisatieType
* het autorisatieType type
*/
public AutorisatieBericht(final AutorisatieType autorisatieType) {
super("Autorisatie");
this.autorisatieType = autorisatieType;
}
/* ************************************************************************************************************* */
/**
* Geef de inhoud van het bericht als een Lo3Autorisatie object.
*
* @return Lo3Autorisatie object
*/
public Lo3Autorisatie getAutorisatie() {
final Integer afnemerCode = Integer.valueOf(autorisatieType.getAfnemerCode());
final List<Lo3Categorie<Lo3AutorisatieInhoud>> tabelRegels = new ArrayList<>();
final List<AutorisatieRecordType> autorisatieTabelRegels = autorisatieType.getAutorisatieTabelRegels();
Collections.sort(autorisatieTabelRegels, new AutorisatieDatumIngangDescendingComparator());
int index = 0;
for (final AutorisatieRecordType record : autorisatieTabelRegels) {
final Lo3AutorisatieInhoud inhoud = maakAutorisatieInhoud(afnemerCode, record);
final Lo3Datum datumIngang = inhoud.getDatumIngang();
final Lo3Herkomst herkomst = new Lo3Herkomst(index == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, index);
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
tabelRegels.add(new Lo3Categorie<>(inhoud, null, historie, herkomst));
index++;
}
return new Lo3Autorisatie(new Lo3Stapel<>(tabelRegels));
}
private Lo3AutorisatieInhoud maakAutorisatieInhoud(final Integer afnemerCode, final AutorisatieRecordType record) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
result.setAfnemersindicatie(afnemerCode);
result.setAfnemernaam(record.getAfnemerNaam());
result.setIndicatieGeheimhouding(SimpleParser.parseLo3IndicatieGeheimCode(String.valueOf(record.getGeheimhoudingInd())));
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(String.valueOf(record.getVerstrekkingsBeperking())));
result.setRubrieknummerSpontaan(record.getSpontaanRubrieken());
result.setVoorwaarderegelSpontaan(record.getSpontaanVoorwaarderegel());
result.setSleutelrubriek(record.getSleutelRubrieken());
result.setConditioneleVerstrekking(record.getConditioneleVerstrekking());
result.setMediumSpontaan(parseEnum(record.getSpontaanMedium()));
result.setRubrieknummerSelectie(record.getSelectieRubrieken());
result.setVoorwaarderegelSelectie(record.getSelectieVoorwaarderegel());
result.setSelectiesoort(record.getSelectieSoort());
result.setBerichtaanduiding(record.getBerichtAand());
result.setEersteSelectiedatum(parseLo3Datum(record.getEersteSelectieDatum()));
result.setSelectieperiode(record.getSelectiePeriode());
result.setMediumSelectie(parseEnum(record.getSelectieMedium()));
result.setRubrieknummerAdHoc(record.getAdHocRubrieken());
result.setVoorwaarderegelAdHoc(record.getAdHocVoorwaarderegel());
result.setPlaatsingsbevoegdheidPersoonslijst(record.getPlPlaatsingsBevoegdheid());
result.setAfnemersverstrekking(record.getAfnemersVerstrekkingen());
result.setAdresvraagBevoegdheid(record.getAdresVraagBevoegdheid());
result.setMediumAdHoc(parseEnum(record.getAdHocMedium()));
result.setRubrieknummerAdresgeorienteerd(record.getAdresRubrieken());
result.setVoorwaarderegelAdresgeorienteerd(record.getAdresVoorwaarderegel());
result.setMediumAdresgeorienteerd(parseEnum(record.getAdresMedium()));
result.setDatumIngang(parseLo3Datum(record.getTabelRegelStartDatum()));
result.setDatumEinde(parseLo3Datum(record.getTabelRegelEindDatum()));
return result;
}
/**
* Parse een Lo3Datum.
<SUF>*/
private Lo3Datum parseLo3Datum(final BigInteger waarde) {
return waarde == null ? null : new Lo3Datum(waarde.intValue());
}
/**
* Parse een Enum.
*
* @param waarde
* waarde
* @return String of null als de waarde null is
*/
private String parseEnum(final Enum<?> waarde) {
return waarde == null ? null : waarde.name();
}
/* ************************************************************************************************************* */
@Override
public String format() {
return SyncXml.SINGLETON.elementToString(new ObjectFactory().createAutorisatie(autorisatieType));
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieDatumIngangDescendingComparator implements Comparator<AutorisatieRecordType>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final AutorisatieRecordType o1, final AutorisatieRecordType o2) {
final Lo3Datum o1DatumIngang =
SimpleParser.parseLo3Datum(o1.getTabelRegelEindDatum() != null ? o1.getTabelRegelStartDatum().toString() : null);
final Lo3Datum o2DatumIngang =
SimpleParser.parseLo3Datum(o2.getTabelRegelEindDatum() != null ? o2.getTabelRegelStartDatum().toString() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getTabelRegelEindDatum() != null ? o1.getTabelRegelEindDatum().toString() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getTabelRegelEindDatum() != null ? o2.getTabelRegelEindDatum().toString() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
|
204611_6 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.bericht.model.sync.impl;
import java.io.Serializable;
import java.math.BigInteger;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.bericht.model.sync.AbstractSyncBerichtZonderGerelateerdeInformatie;
import nl.bzk.migratiebrp.bericht.model.sync.generated.AutorisatieRecordType;
import nl.bzk.migratiebrp.bericht.model.sync.generated.AutorisatieType;
import nl.bzk.migratiebrp.bericht.model.sync.generated.ObjectFactory;
import nl.bzk.migratiebrp.bericht.model.sync.xml.SyncXml;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
/**
* Initiele vulling van autorisaties.
*/
public final class AutorisatieBericht extends AbstractSyncBerichtZonderGerelateerdeInformatie {
private static final long serialVersionUID = 1L;
private final AutorisatieType autorisatieType;
/* ************************************************************************************************************* */
/**
* Default constructor.
*/
public AutorisatieBericht() {
this(new AutorisatieType());
}
/**
* Deze constructor wordt gebruikt door de factory om op basis van een Jaxb element een bericht te maken.
*
* @param autorisatieType
* het autorisatieType type
*/
public AutorisatieBericht(final AutorisatieType autorisatieType) {
super("Autorisatie");
this.autorisatieType = autorisatieType;
}
/* ************************************************************************************************************* */
/**
* Geef de inhoud van het bericht als een Lo3Autorisatie object.
*
* @return Lo3Autorisatie object
*/
public Lo3Autorisatie getAutorisatie() {
final Integer afnemerCode = Integer.valueOf(autorisatieType.getAfnemerCode());
final List<Lo3Categorie<Lo3AutorisatieInhoud>> tabelRegels = new ArrayList<>();
final List<AutorisatieRecordType> autorisatieTabelRegels = autorisatieType.getAutorisatieTabelRegels();
Collections.sort(autorisatieTabelRegels, new AutorisatieDatumIngangDescendingComparator());
int index = 0;
for (final AutorisatieRecordType record : autorisatieTabelRegels) {
final Lo3AutorisatieInhoud inhoud = maakAutorisatieInhoud(afnemerCode, record);
final Lo3Datum datumIngang = inhoud.getDatumIngang();
final Lo3Herkomst herkomst = new Lo3Herkomst(index == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, index);
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
tabelRegels.add(new Lo3Categorie<>(inhoud, null, historie, herkomst));
index++;
}
return new Lo3Autorisatie(new Lo3Stapel<>(tabelRegels));
}
private Lo3AutorisatieInhoud maakAutorisatieInhoud(final Integer afnemerCode, final AutorisatieRecordType record) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
result.setAfnemersindicatie(afnemerCode);
result.setAfnemernaam(record.getAfnemerNaam());
result.setIndicatieGeheimhouding(SimpleParser.parseLo3IndicatieGeheimCode(String.valueOf(record.getGeheimhoudingInd())));
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(String.valueOf(record.getVerstrekkingsBeperking())));
result.setRubrieknummerSpontaan(record.getSpontaanRubrieken());
result.setVoorwaarderegelSpontaan(record.getSpontaanVoorwaarderegel());
result.setSleutelrubriek(record.getSleutelRubrieken());
result.setConditioneleVerstrekking(record.getConditioneleVerstrekking());
result.setMediumSpontaan(parseEnum(record.getSpontaanMedium()));
result.setRubrieknummerSelectie(record.getSelectieRubrieken());
result.setVoorwaarderegelSelectie(record.getSelectieVoorwaarderegel());
result.setSelectiesoort(record.getSelectieSoort());
result.setBerichtaanduiding(record.getBerichtAand());
result.setEersteSelectiedatum(parseLo3Datum(record.getEersteSelectieDatum()));
result.setSelectieperiode(record.getSelectiePeriode());
result.setMediumSelectie(parseEnum(record.getSelectieMedium()));
result.setRubrieknummerAdHoc(record.getAdHocRubrieken());
result.setVoorwaarderegelAdHoc(record.getAdHocVoorwaarderegel());
result.setPlaatsingsbevoegdheidPersoonslijst(record.getPlPlaatsingsBevoegdheid());
result.setAfnemersverstrekking(record.getAfnemersVerstrekkingen());
result.setAdresvraagBevoegdheid(record.getAdresVraagBevoegdheid());
result.setMediumAdHoc(parseEnum(record.getAdHocMedium()));
result.setRubrieknummerAdresgeorienteerd(record.getAdresRubrieken());
result.setVoorwaarderegelAdresgeorienteerd(record.getAdresVoorwaarderegel());
result.setMediumAdresgeorienteerd(parseEnum(record.getAdresMedium()));
result.setDatumIngang(parseLo3Datum(record.getTabelRegelStartDatum()));
result.setDatumEinde(parseLo3Datum(record.getTabelRegelEindDatum()));
return result;
}
/**
* Parse een Lo3Datum.
*
* @param waarde
* waarde
* @return Lo3Datum of null als de waarde null is
*/
private Lo3Datum parseLo3Datum(final BigInteger waarde) {
return waarde == null ? null : new Lo3Datum(waarde.intValue());
}
/**
* Parse een Enum.
*
* @param waarde
* waarde
* @return String of null als de waarde null is
*/
private String parseEnum(final Enum<?> waarde) {
return waarde == null ? null : waarde.name();
}
/* ************************************************************************************************************* */
@Override
public String format() {
return SyncXml.SINGLETON.elementToString(new ObjectFactory().createAutorisatie(autorisatieType));
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieDatumIngangDescendingComparator implements Comparator<AutorisatieRecordType>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final AutorisatieRecordType o1, final AutorisatieRecordType o2) {
final Lo3Datum o1DatumIngang =
SimpleParser.parseLo3Datum(o1.getTabelRegelEindDatum() != null ? o1.getTabelRegelStartDatum().toString() : null);
final Lo3Datum o2DatumIngang =
SimpleParser.parseLo3Datum(o2.getTabelRegelEindDatum() != null ? o2.getTabelRegelStartDatum().toString() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getTabelRegelEindDatum() != null ? o1.getTabelRegelEindDatum().toString() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getTabelRegelEindDatum() != null ? o2.getTabelRegelEindDatum().toString() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
| MinBZK/OperatieBRP | 2016/migratie 2016-02-09/migr-bericht-model/src/main/java/nl/bzk/migratiebrp/bericht/model/sync/impl/AutorisatieBericht.java | 2,558 | /**
* Parse een Enum.
*
* @param waarde
* waarde
* @return String of null als de waarde null is
*/ | block_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.bericht.model.sync.impl;
import java.io.Serializable;
import java.math.BigInteger;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.bericht.model.sync.AbstractSyncBerichtZonderGerelateerdeInformatie;
import nl.bzk.migratiebrp.bericht.model.sync.generated.AutorisatieRecordType;
import nl.bzk.migratiebrp.bericht.model.sync.generated.AutorisatieType;
import nl.bzk.migratiebrp.bericht.model.sync.generated.ObjectFactory;
import nl.bzk.migratiebrp.bericht.model.sync.xml.SyncXml;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
/**
* Initiele vulling van autorisaties.
*/
public final class AutorisatieBericht extends AbstractSyncBerichtZonderGerelateerdeInformatie {
private static final long serialVersionUID = 1L;
private final AutorisatieType autorisatieType;
/* ************************************************************************************************************* */
/**
* Default constructor.
*/
public AutorisatieBericht() {
this(new AutorisatieType());
}
/**
* Deze constructor wordt gebruikt door de factory om op basis van een Jaxb element een bericht te maken.
*
* @param autorisatieType
* het autorisatieType type
*/
public AutorisatieBericht(final AutorisatieType autorisatieType) {
super("Autorisatie");
this.autorisatieType = autorisatieType;
}
/* ************************************************************************************************************* */
/**
* Geef de inhoud van het bericht als een Lo3Autorisatie object.
*
* @return Lo3Autorisatie object
*/
public Lo3Autorisatie getAutorisatie() {
final Integer afnemerCode = Integer.valueOf(autorisatieType.getAfnemerCode());
final List<Lo3Categorie<Lo3AutorisatieInhoud>> tabelRegels = new ArrayList<>();
final List<AutorisatieRecordType> autorisatieTabelRegels = autorisatieType.getAutorisatieTabelRegels();
Collections.sort(autorisatieTabelRegels, new AutorisatieDatumIngangDescendingComparator());
int index = 0;
for (final AutorisatieRecordType record : autorisatieTabelRegels) {
final Lo3AutorisatieInhoud inhoud = maakAutorisatieInhoud(afnemerCode, record);
final Lo3Datum datumIngang = inhoud.getDatumIngang();
final Lo3Herkomst herkomst = new Lo3Herkomst(index == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, index);
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
tabelRegels.add(new Lo3Categorie<>(inhoud, null, historie, herkomst));
index++;
}
return new Lo3Autorisatie(new Lo3Stapel<>(tabelRegels));
}
private Lo3AutorisatieInhoud maakAutorisatieInhoud(final Integer afnemerCode, final AutorisatieRecordType record) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
result.setAfnemersindicatie(afnemerCode);
result.setAfnemernaam(record.getAfnemerNaam());
result.setIndicatieGeheimhouding(SimpleParser.parseLo3IndicatieGeheimCode(String.valueOf(record.getGeheimhoudingInd())));
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(String.valueOf(record.getVerstrekkingsBeperking())));
result.setRubrieknummerSpontaan(record.getSpontaanRubrieken());
result.setVoorwaarderegelSpontaan(record.getSpontaanVoorwaarderegel());
result.setSleutelrubriek(record.getSleutelRubrieken());
result.setConditioneleVerstrekking(record.getConditioneleVerstrekking());
result.setMediumSpontaan(parseEnum(record.getSpontaanMedium()));
result.setRubrieknummerSelectie(record.getSelectieRubrieken());
result.setVoorwaarderegelSelectie(record.getSelectieVoorwaarderegel());
result.setSelectiesoort(record.getSelectieSoort());
result.setBerichtaanduiding(record.getBerichtAand());
result.setEersteSelectiedatum(parseLo3Datum(record.getEersteSelectieDatum()));
result.setSelectieperiode(record.getSelectiePeriode());
result.setMediumSelectie(parseEnum(record.getSelectieMedium()));
result.setRubrieknummerAdHoc(record.getAdHocRubrieken());
result.setVoorwaarderegelAdHoc(record.getAdHocVoorwaarderegel());
result.setPlaatsingsbevoegdheidPersoonslijst(record.getPlPlaatsingsBevoegdheid());
result.setAfnemersverstrekking(record.getAfnemersVerstrekkingen());
result.setAdresvraagBevoegdheid(record.getAdresVraagBevoegdheid());
result.setMediumAdHoc(parseEnum(record.getAdHocMedium()));
result.setRubrieknummerAdresgeorienteerd(record.getAdresRubrieken());
result.setVoorwaarderegelAdresgeorienteerd(record.getAdresVoorwaarderegel());
result.setMediumAdresgeorienteerd(parseEnum(record.getAdresMedium()));
result.setDatumIngang(parseLo3Datum(record.getTabelRegelStartDatum()));
result.setDatumEinde(parseLo3Datum(record.getTabelRegelEindDatum()));
return result;
}
/**
* Parse een Lo3Datum.
*
* @param waarde
* waarde
* @return Lo3Datum of null als de waarde null is
*/
private Lo3Datum parseLo3Datum(final BigInteger waarde) {
return waarde == null ? null : new Lo3Datum(waarde.intValue());
}
/**
* Parse een Enum.
<SUF>*/
private String parseEnum(final Enum<?> waarde) {
return waarde == null ? null : waarde.name();
}
/* ************************************************************************************************************* */
@Override
public String format() {
return SyncXml.SINGLETON.elementToString(new ObjectFactory().createAutorisatie(autorisatieType));
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieDatumIngangDescendingComparator implements Comparator<AutorisatieRecordType>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final AutorisatieRecordType o1, final AutorisatieRecordType o2) {
final Lo3Datum o1DatumIngang =
SimpleParser.parseLo3Datum(o1.getTabelRegelEindDatum() != null ? o1.getTabelRegelStartDatum().toString() : null);
final Lo3Datum o2DatumIngang =
SimpleParser.parseLo3Datum(o2.getTabelRegelEindDatum() != null ? o2.getTabelRegelStartDatum().toString() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getTabelRegelEindDatum() != null ? o1.getTabelRegelEindDatum().toString() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getTabelRegelEindDatum() != null ? o2.getTabelRegelEindDatum().toString() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
|
204611_7 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.bericht.model.sync.impl;
import java.io.Serializable;
import java.math.BigInteger;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.bericht.model.sync.AbstractSyncBerichtZonderGerelateerdeInformatie;
import nl.bzk.migratiebrp.bericht.model.sync.generated.AutorisatieRecordType;
import nl.bzk.migratiebrp.bericht.model.sync.generated.AutorisatieType;
import nl.bzk.migratiebrp.bericht.model.sync.generated.ObjectFactory;
import nl.bzk.migratiebrp.bericht.model.sync.xml.SyncXml;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
/**
* Initiele vulling van autorisaties.
*/
public final class AutorisatieBericht extends AbstractSyncBerichtZonderGerelateerdeInformatie {
private static final long serialVersionUID = 1L;
private final AutorisatieType autorisatieType;
/* ************************************************************************************************************* */
/**
* Default constructor.
*/
public AutorisatieBericht() {
this(new AutorisatieType());
}
/**
* Deze constructor wordt gebruikt door de factory om op basis van een Jaxb element een bericht te maken.
*
* @param autorisatieType
* het autorisatieType type
*/
public AutorisatieBericht(final AutorisatieType autorisatieType) {
super("Autorisatie");
this.autorisatieType = autorisatieType;
}
/* ************************************************************************************************************* */
/**
* Geef de inhoud van het bericht als een Lo3Autorisatie object.
*
* @return Lo3Autorisatie object
*/
public Lo3Autorisatie getAutorisatie() {
final Integer afnemerCode = Integer.valueOf(autorisatieType.getAfnemerCode());
final List<Lo3Categorie<Lo3AutorisatieInhoud>> tabelRegels = new ArrayList<>();
final List<AutorisatieRecordType> autorisatieTabelRegels = autorisatieType.getAutorisatieTabelRegels();
Collections.sort(autorisatieTabelRegels, new AutorisatieDatumIngangDescendingComparator());
int index = 0;
for (final AutorisatieRecordType record : autorisatieTabelRegels) {
final Lo3AutorisatieInhoud inhoud = maakAutorisatieInhoud(afnemerCode, record);
final Lo3Datum datumIngang = inhoud.getDatumIngang();
final Lo3Herkomst herkomst = new Lo3Herkomst(index == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, index);
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
tabelRegels.add(new Lo3Categorie<>(inhoud, null, historie, herkomst));
index++;
}
return new Lo3Autorisatie(new Lo3Stapel<>(tabelRegels));
}
private Lo3AutorisatieInhoud maakAutorisatieInhoud(final Integer afnemerCode, final AutorisatieRecordType record) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
result.setAfnemersindicatie(afnemerCode);
result.setAfnemernaam(record.getAfnemerNaam());
result.setIndicatieGeheimhouding(SimpleParser.parseLo3IndicatieGeheimCode(String.valueOf(record.getGeheimhoudingInd())));
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(String.valueOf(record.getVerstrekkingsBeperking())));
result.setRubrieknummerSpontaan(record.getSpontaanRubrieken());
result.setVoorwaarderegelSpontaan(record.getSpontaanVoorwaarderegel());
result.setSleutelrubriek(record.getSleutelRubrieken());
result.setConditioneleVerstrekking(record.getConditioneleVerstrekking());
result.setMediumSpontaan(parseEnum(record.getSpontaanMedium()));
result.setRubrieknummerSelectie(record.getSelectieRubrieken());
result.setVoorwaarderegelSelectie(record.getSelectieVoorwaarderegel());
result.setSelectiesoort(record.getSelectieSoort());
result.setBerichtaanduiding(record.getBerichtAand());
result.setEersteSelectiedatum(parseLo3Datum(record.getEersteSelectieDatum()));
result.setSelectieperiode(record.getSelectiePeriode());
result.setMediumSelectie(parseEnum(record.getSelectieMedium()));
result.setRubrieknummerAdHoc(record.getAdHocRubrieken());
result.setVoorwaarderegelAdHoc(record.getAdHocVoorwaarderegel());
result.setPlaatsingsbevoegdheidPersoonslijst(record.getPlPlaatsingsBevoegdheid());
result.setAfnemersverstrekking(record.getAfnemersVerstrekkingen());
result.setAdresvraagBevoegdheid(record.getAdresVraagBevoegdheid());
result.setMediumAdHoc(parseEnum(record.getAdHocMedium()));
result.setRubrieknummerAdresgeorienteerd(record.getAdresRubrieken());
result.setVoorwaarderegelAdresgeorienteerd(record.getAdresVoorwaarderegel());
result.setMediumAdresgeorienteerd(parseEnum(record.getAdresMedium()));
result.setDatumIngang(parseLo3Datum(record.getTabelRegelStartDatum()));
result.setDatumEinde(parseLo3Datum(record.getTabelRegelEindDatum()));
return result;
}
/**
* Parse een Lo3Datum.
*
* @param waarde
* waarde
* @return Lo3Datum of null als de waarde null is
*/
private Lo3Datum parseLo3Datum(final BigInteger waarde) {
return waarde == null ? null : new Lo3Datum(waarde.intValue());
}
/**
* Parse een Enum.
*
* @param waarde
* waarde
* @return String of null als de waarde null is
*/
private String parseEnum(final Enum<?> waarde) {
return waarde == null ? null : waarde.name();
}
/* ************************************************************************************************************* */
@Override
public String format() {
return SyncXml.SINGLETON.elementToString(new ObjectFactory().createAutorisatie(autorisatieType));
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieDatumIngangDescendingComparator implements Comparator<AutorisatieRecordType>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final AutorisatieRecordType o1, final AutorisatieRecordType o2) {
final Lo3Datum o1DatumIngang =
SimpleParser.parseLo3Datum(o1.getTabelRegelEindDatum() != null ? o1.getTabelRegelStartDatum().toString() : null);
final Lo3Datum o2DatumIngang =
SimpleParser.parseLo3Datum(o2.getTabelRegelEindDatum() != null ? o2.getTabelRegelStartDatum().toString() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getTabelRegelEindDatum() != null ? o1.getTabelRegelEindDatum().toString() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getTabelRegelEindDatum() != null ? o2.getTabelRegelEindDatum().toString() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
| MinBZK/OperatieBRP | 2016/migratie 2016-02-09/migr-bericht-model/src/main/java/nl/bzk/migratiebrp/bericht/model/sync/impl/AutorisatieBericht.java | 2,558 | /**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/ | block_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.bericht.model.sync.impl;
import java.io.Serializable;
import java.math.BigInteger;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.bericht.model.sync.AbstractSyncBerichtZonderGerelateerdeInformatie;
import nl.bzk.migratiebrp.bericht.model.sync.generated.AutorisatieRecordType;
import nl.bzk.migratiebrp.bericht.model.sync.generated.AutorisatieType;
import nl.bzk.migratiebrp.bericht.model.sync.generated.ObjectFactory;
import nl.bzk.migratiebrp.bericht.model.sync.xml.SyncXml;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
/**
* Initiele vulling van autorisaties.
*/
public final class AutorisatieBericht extends AbstractSyncBerichtZonderGerelateerdeInformatie {
private static final long serialVersionUID = 1L;
private final AutorisatieType autorisatieType;
/* ************************************************************************************************************* */
/**
* Default constructor.
*/
public AutorisatieBericht() {
this(new AutorisatieType());
}
/**
* Deze constructor wordt gebruikt door de factory om op basis van een Jaxb element een bericht te maken.
*
* @param autorisatieType
* het autorisatieType type
*/
public AutorisatieBericht(final AutorisatieType autorisatieType) {
super("Autorisatie");
this.autorisatieType = autorisatieType;
}
/* ************************************************************************************************************* */
/**
* Geef de inhoud van het bericht als een Lo3Autorisatie object.
*
* @return Lo3Autorisatie object
*/
public Lo3Autorisatie getAutorisatie() {
final Integer afnemerCode = Integer.valueOf(autorisatieType.getAfnemerCode());
final List<Lo3Categorie<Lo3AutorisatieInhoud>> tabelRegels = new ArrayList<>();
final List<AutorisatieRecordType> autorisatieTabelRegels = autorisatieType.getAutorisatieTabelRegels();
Collections.sort(autorisatieTabelRegels, new AutorisatieDatumIngangDescendingComparator());
int index = 0;
for (final AutorisatieRecordType record : autorisatieTabelRegels) {
final Lo3AutorisatieInhoud inhoud = maakAutorisatieInhoud(afnemerCode, record);
final Lo3Datum datumIngang = inhoud.getDatumIngang();
final Lo3Herkomst herkomst = new Lo3Herkomst(index == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, index);
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
tabelRegels.add(new Lo3Categorie<>(inhoud, null, historie, herkomst));
index++;
}
return new Lo3Autorisatie(new Lo3Stapel<>(tabelRegels));
}
private Lo3AutorisatieInhoud maakAutorisatieInhoud(final Integer afnemerCode, final AutorisatieRecordType record) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
result.setAfnemersindicatie(afnemerCode);
result.setAfnemernaam(record.getAfnemerNaam());
result.setIndicatieGeheimhouding(SimpleParser.parseLo3IndicatieGeheimCode(String.valueOf(record.getGeheimhoudingInd())));
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(String.valueOf(record.getVerstrekkingsBeperking())));
result.setRubrieknummerSpontaan(record.getSpontaanRubrieken());
result.setVoorwaarderegelSpontaan(record.getSpontaanVoorwaarderegel());
result.setSleutelrubriek(record.getSleutelRubrieken());
result.setConditioneleVerstrekking(record.getConditioneleVerstrekking());
result.setMediumSpontaan(parseEnum(record.getSpontaanMedium()));
result.setRubrieknummerSelectie(record.getSelectieRubrieken());
result.setVoorwaarderegelSelectie(record.getSelectieVoorwaarderegel());
result.setSelectiesoort(record.getSelectieSoort());
result.setBerichtaanduiding(record.getBerichtAand());
result.setEersteSelectiedatum(parseLo3Datum(record.getEersteSelectieDatum()));
result.setSelectieperiode(record.getSelectiePeriode());
result.setMediumSelectie(parseEnum(record.getSelectieMedium()));
result.setRubrieknummerAdHoc(record.getAdHocRubrieken());
result.setVoorwaarderegelAdHoc(record.getAdHocVoorwaarderegel());
result.setPlaatsingsbevoegdheidPersoonslijst(record.getPlPlaatsingsBevoegdheid());
result.setAfnemersverstrekking(record.getAfnemersVerstrekkingen());
result.setAdresvraagBevoegdheid(record.getAdresVraagBevoegdheid());
result.setMediumAdHoc(parseEnum(record.getAdHocMedium()));
result.setRubrieknummerAdresgeorienteerd(record.getAdresRubrieken());
result.setVoorwaarderegelAdresgeorienteerd(record.getAdresVoorwaarderegel());
result.setMediumAdresgeorienteerd(parseEnum(record.getAdresMedium()));
result.setDatumIngang(parseLo3Datum(record.getTabelRegelStartDatum()));
result.setDatumEinde(parseLo3Datum(record.getTabelRegelEindDatum()));
return result;
}
/**
* Parse een Lo3Datum.
*
* @param waarde
* waarde
* @return Lo3Datum of null als de waarde null is
*/
private Lo3Datum parseLo3Datum(final BigInteger waarde) {
return waarde == null ? null : new Lo3Datum(waarde.intValue());
}
/**
* Parse een Enum.
*
* @param waarde
* waarde
* @return String of null als de waarde null is
*/
private String parseEnum(final Enum<?> waarde) {
return waarde == null ? null : waarde.name();
}
/* ************************************************************************************************************* */
@Override
public String format() {
return SyncXml.SINGLETON.elementToString(new ObjectFactory().createAutorisatie(autorisatieType));
}
/**
* Aanname: hoeft niet<SUF>*/
private static class AutorisatieDatumIngangDescendingComparator implements Comparator<AutorisatieRecordType>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final AutorisatieRecordType o1, final AutorisatieRecordType o2) {
final Lo3Datum o1DatumIngang =
SimpleParser.parseLo3Datum(o1.getTabelRegelEindDatum() != null ? o1.getTabelRegelStartDatum().toString() : null);
final Lo3Datum o2DatumIngang =
SimpleParser.parseLo3Datum(o2.getTabelRegelEindDatum() != null ? o2.getTabelRegelStartDatum().toString() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getTabelRegelEindDatum() != null ? o1.getTabelRegelEindDatum().toString() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getTabelRegelEindDatum() != null ? o2.getTabelRegelEindDatum().toString() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
|
204611_8 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.bericht.model.sync.impl;
import java.io.Serializable;
import java.math.BigInteger;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.bericht.model.sync.AbstractSyncBerichtZonderGerelateerdeInformatie;
import nl.bzk.migratiebrp.bericht.model.sync.generated.AutorisatieRecordType;
import nl.bzk.migratiebrp.bericht.model.sync.generated.AutorisatieType;
import nl.bzk.migratiebrp.bericht.model.sync.generated.ObjectFactory;
import nl.bzk.migratiebrp.bericht.model.sync.xml.SyncXml;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
/**
* Initiele vulling van autorisaties.
*/
public final class AutorisatieBericht extends AbstractSyncBerichtZonderGerelateerdeInformatie {
private static final long serialVersionUID = 1L;
private final AutorisatieType autorisatieType;
/* ************************************************************************************************************* */
/**
* Default constructor.
*/
public AutorisatieBericht() {
this(new AutorisatieType());
}
/**
* Deze constructor wordt gebruikt door de factory om op basis van een Jaxb element een bericht te maken.
*
* @param autorisatieType
* het autorisatieType type
*/
public AutorisatieBericht(final AutorisatieType autorisatieType) {
super("Autorisatie");
this.autorisatieType = autorisatieType;
}
/* ************************************************************************************************************* */
/**
* Geef de inhoud van het bericht als een Lo3Autorisatie object.
*
* @return Lo3Autorisatie object
*/
public Lo3Autorisatie getAutorisatie() {
final Integer afnemerCode = Integer.valueOf(autorisatieType.getAfnemerCode());
final List<Lo3Categorie<Lo3AutorisatieInhoud>> tabelRegels = new ArrayList<>();
final List<AutorisatieRecordType> autorisatieTabelRegels = autorisatieType.getAutorisatieTabelRegels();
Collections.sort(autorisatieTabelRegels, new AutorisatieDatumIngangDescendingComparator());
int index = 0;
for (final AutorisatieRecordType record : autorisatieTabelRegels) {
final Lo3AutorisatieInhoud inhoud = maakAutorisatieInhoud(afnemerCode, record);
final Lo3Datum datumIngang = inhoud.getDatumIngang();
final Lo3Herkomst herkomst = new Lo3Herkomst(index == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, index);
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
tabelRegels.add(new Lo3Categorie<>(inhoud, null, historie, herkomst));
index++;
}
return new Lo3Autorisatie(new Lo3Stapel<>(tabelRegels));
}
private Lo3AutorisatieInhoud maakAutorisatieInhoud(final Integer afnemerCode, final AutorisatieRecordType record) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
result.setAfnemersindicatie(afnemerCode);
result.setAfnemernaam(record.getAfnemerNaam());
result.setIndicatieGeheimhouding(SimpleParser.parseLo3IndicatieGeheimCode(String.valueOf(record.getGeheimhoudingInd())));
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(String.valueOf(record.getVerstrekkingsBeperking())));
result.setRubrieknummerSpontaan(record.getSpontaanRubrieken());
result.setVoorwaarderegelSpontaan(record.getSpontaanVoorwaarderegel());
result.setSleutelrubriek(record.getSleutelRubrieken());
result.setConditioneleVerstrekking(record.getConditioneleVerstrekking());
result.setMediumSpontaan(parseEnum(record.getSpontaanMedium()));
result.setRubrieknummerSelectie(record.getSelectieRubrieken());
result.setVoorwaarderegelSelectie(record.getSelectieVoorwaarderegel());
result.setSelectiesoort(record.getSelectieSoort());
result.setBerichtaanduiding(record.getBerichtAand());
result.setEersteSelectiedatum(parseLo3Datum(record.getEersteSelectieDatum()));
result.setSelectieperiode(record.getSelectiePeriode());
result.setMediumSelectie(parseEnum(record.getSelectieMedium()));
result.setRubrieknummerAdHoc(record.getAdHocRubrieken());
result.setVoorwaarderegelAdHoc(record.getAdHocVoorwaarderegel());
result.setPlaatsingsbevoegdheidPersoonslijst(record.getPlPlaatsingsBevoegdheid());
result.setAfnemersverstrekking(record.getAfnemersVerstrekkingen());
result.setAdresvraagBevoegdheid(record.getAdresVraagBevoegdheid());
result.setMediumAdHoc(parseEnum(record.getAdHocMedium()));
result.setRubrieknummerAdresgeorienteerd(record.getAdresRubrieken());
result.setVoorwaarderegelAdresgeorienteerd(record.getAdresVoorwaarderegel());
result.setMediumAdresgeorienteerd(parseEnum(record.getAdresMedium()));
result.setDatumIngang(parseLo3Datum(record.getTabelRegelStartDatum()));
result.setDatumEinde(parseLo3Datum(record.getTabelRegelEindDatum()));
return result;
}
/**
* Parse een Lo3Datum.
*
* @param waarde
* waarde
* @return Lo3Datum of null als de waarde null is
*/
private Lo3Datum parseLo3Datum(final BigInteger waarde) {
return waarde == null ? null : new Lo3Datum(waarde.intValue());
}
/**
* Parse een Enum.
*
* @param waarde
* waarde
* @return String of null als de waarde null is
*/
private String parseEnum(final Enum<?> waarde) {
return waarde == null ? null : waarde.name();
}
/* ************************************************************************************************************* */
@Override
public String format() {
return SyncXml.SINGLETON.elementToString(new ObjectFactory().createAutorisatie(autorisatieType));
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieDatumIngangDescendingComparator implements Comparator<AutorisatieRecordType>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final AutorisatieRecordType o1, final AutorisatieRecordType o2) {
final Lo3Datum o1DatumIngang =
SimpleParser.parseLo3Datum(o1.getTabelRegelEindDatum() != null ? o1.getTabelRegelStartDatum().toString() : null);
final Lo3Datum o2DatumIngang =
SimpleParser.parseLo3Datum(o2.getTabelRegelEindDatum() != null ? o2.getTabelRegelStartDatum().toString() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getTabelRegelEindDatum() != null ? o1.getTabelRegelEindDatum().toString() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getTabelRegelEindDatum() != null ? o2.getTabelRegelEindDatum().toString() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
| MinBZK/OperatieBRP | 2016/migratie 2016-02-09/migr-bericht-model/src/main/java/nl/bzk/migratiebrp/bericht/model/sync/impl/AutorisatieBericht.java | 2,558 | // Initieel vergelijken op 99.99 Einddatum.
| line_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.bericht.model.sync.impl;
import java.io.Serializable;
import java.math.BigInteger;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.bericht.model.sync.AbstractSyncBerichtZonderGerelateerdeInformatie;
import nl.bzk.migratiebrp.bericht.model.sync.generated.AutorisatieRecordType;
import nl.bzk.migratiebrp.bericht.model.sync.generated.AutorisatieType;
import nl.bzk.migratiebrp.bericht.model.sync.generated.ObjectFactory;
import nl.bzk.migratiebrp.bericht.model.sync.xml.SyncXml;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
/**
* Initiele vulling van autorisaties.
*/
public final class AutorisatieBericht extends AbstractSyncBerichtZonderGerelateerdeInformatie {
private static final long serialVersionUID = 1L;
private final AutorisatieType autorisatieType;
/* ************************************************************************************************************* */
/**
* Default constructor.
*/
public AutorisatieBericht() {
this(new AutorisatieType());
}
/**
* Deze constructor wordt gebruikt door de factory om op basis van een Jaxb element een bericht te maken.
*
* @param autorisatieType
* het autorisatieType type
*/
public AutorisatieBericht(final AutorisatieType autorisatieType) {
super("Autorisatie");
this.autorisatieType = autorisatieType;
}
/* ************************************************************************************************************* */
/**
* Geef de inhoud van het bericht als een Lo3Autorisatie object.
*
* @return Lo3Autorisatie object
*/
public Lo3Autorisatie getAutorisatie() {
final Integer afnemerCode = Integer.valueOf(autorisatieType.getAfnemerCode());
final List<Lo3Categorie<Lo3AutorisatieInhoud>> tabelRegels = new ArrayList<>();
final List<AutorisatieRecordType> autorisatieTabelRegels = autorisatieType.getAutorisatieTabelRegels();
Collections.sort(autorisatieTabelRegels, new AutorisatieDatumIngangDescendingComparator());
int index = 0;
for (final AutorisatieRecordType record : autorisatieTabelRegels) {
final Lo3AutorisatieInhoud inhoud = maakAutorisatieInhoud(afnemerCode, record);
final Lo3Datum datumIngang = inhoud.getDatumIngang();
final Lo3Herkomst herkomst = new Lo3Herkomst(index == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, index);
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
tabelRegels.add(new Lo3Categorie<>(inhoud, null, historie, herkomst));
index++;
}
return new Lo3Autorisatie(new Lo3Stapel<>(tabelRegels));
}
private Lo3AutorisatieInhoud maakAutorisatieInhoud(final Integer afnemerCode, final AutorisatieRecordType record) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
result.setAfnemersindicatie(afnemerCode);
result.setAfnemernaam(record.getAfnemerNaam());
result.setIndicatieGeheimhouding(SimpleParser.parseLo3IndicatieGeheimCode(String.valueOf(record.getGeheimhoudingInd())));
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(String.valueOf(record.getVerstrekkingsBeperking())));
result.setRubrieknummerSpontaan(record.getSpontaanRubrieken());
result.setVoorwaarderegelSpontaan(record.getSpontaanVoorwaarderegel());
result.setSleutelrubriek(record.getSleutelRubrieken());
result.setConditioneleVerstrekking(record.getConditioneleVerstrekking());
result.setMediumSpontaan(parseEnum(record.getSpontaanMedium()));
result.setRubrieknummerSelectie(record.getSelectieRubrieken());
result.setVoorwaarderegelSelectie(record.getSelectieVoorwaarderegel());
result.setSelectiesoort(record.getSelectieSoort());
result.setBerichtaanduiding(record.getBerichtAand());
result.setEersteSelectiedatum(parseLo3Datum(record.getEersteSelectieDatum()));
result.setSelectieperiode(record.getSelectiePeriode());
result.setMediumSelectie(parseEnum(record.getSelectieMedium()));
result.setRubrieknummerAdHoc(record.getAdHocRubrieken());
result.setVoorwaarderegelAdHoc(record.getAdHocVoorwaarderegel());
result.setPlaatsingsbevoegdheidPersoonslijst(record.getPlPlaatsingsBevoegdheid());
result.setAfnemersverstrekking(record.getAfnemersVerstrekkingen());
result.setAdresvraagBevoegdheid(record.getAdresVraagBevoegdheid());
result.setMediumAdHoc(parseEnum(record.getAdHocMedium()));
result.setRubrieknummerAdresgeorienteerd(record.getAdresRubrieken());
result.setVoorwaarderegelAdresgeorienteerd(record.getAdresVoorwaarderegel());
result.setMediumAdresgeorienteerd(parseEnum(record.getAdresMedium()));
result.setDatumIngang(parseLo3Datum(record.getTabelRegelStartDatum()));
result.setDatumEinde(parseLo3Datum(record.getTabelRegelEindDatum()));
return result;
}
/**
* Parse een Lo3Datum.
*
* @param waarde
* waarde
* @return Lo3Datum of null als de waarde null is
*/
private Lo3Datum parseLo3Datum(final BigInteger waarde) {
return waarde == null ? null : new Lo3Datum(waarde.intValue());
}
/**
* Parse een Enum.
*
* @param waarde
* waarde
* @return String of null als de waarde null is
*/
private String parseEnum(final Enum<?> waarde) {
return waarde == null ? null : waarde.name();
}
/* ************************************************************************************************************* */
@Override
public String format() {
return SyncXml.SINGLETON.elementToString(new ObjectFactory().createAutorisatie(autorisatieType));
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieDatumIngangDescendingComparator implements Comparator<AutorisatieRecordType>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final AutorisatieRecordType o1, final AutorisatieRecordType o2) {
final Lo3Datum o1DatumIngang =
SimpleParser.parseLo3Datum(o1.getTabelRegelEindDatum() != null ? o1.getTabelRegelStartDatum().toString() : null);
final Lo3Datum o2DatumIngang =
SimpleParser.parseLo3Datum(o2.getTabelRegelEindDatum() != null ? o2.getTabelRegelStartDatum().toString() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getTabelRegelEindDatum() != null ? o1.getTabelRegelEindDatum().toString() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getTabelRegelEindDatum() != null ? o2.getTabelRegelEindDatum().toString() : null);
// Initieel vergelijken<SUF>
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
|
204611_9 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.bericht.model.sync.impl;
import java.io.Serializable;
import java.math.BigInteger;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.bericht.model.sync.AbstractSyncBerichtZonderGerelateerdeInformatie;
import nl.bzk.migratiebrp.bericht.model.sync.generated.AutorisatieRecordType;
import nl.bzk.migratiebrp.bericht.model.sync.generated.AutorisatieType;
import nl.bzk.migratiebrp.bericht.model.sync.generated.ObjectFactory;
import nl.bzk.migratiebrp.bericht.model.sync.xml.SyncXml;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
/**
* Initiele vulling van autorisaties.
*/
public final class AutorisatieBericht extends AbstractSyncBerichtZonderGerelateerdeInformatie {
private static final long serialVersionUID = 1L;
private final AutorisatieType autorisatieType;
/* ************************************************************************************************************* */
/**
* Default constructor.
*/
public AutorisatieBericht() {
this(new AutorisatieType());
}
/**
* Deze constructor wordt gebruikt door de factory om op basis van een Jaxb element een bericht te maken.
*
* @param autorisatieType
* het autorisatieType type
*/
public AutorisatieBericht(final AutorisatieType autorisatieType) {
super("Autorisatie");
this.autorisatieType = autorisatieType;
}
/* ************************************************************************************************************* */
/**
* Geef de inhoud van het bericht als een Lo3Autorisatie object.
*
* @return Lo3Autorisatie object
*/
public Lo3Autorisatie getAutorisatie() {
final Integer afnemerCode = Integer.valueOf(autorisatieType.getAfnemerCode());
final List<Lo3Categorie<Lo3AutorisatieInhoud>> tabelRegels = new ArrayList<>();
final List<AutorisatieRecordType> autorisatieTabelRegels = autorisatieType.getAutorisatieTabelRegels();
Collections.sort(autorisatieTabelRegels, new AutorisatieDatumIngangDescendingComparator());
int index = 0;
for (final AutorisatieRecordType record : autorisatieTabelRegels) {
final Lo3AutorisatieInhoud inhoud = maakAutorisatieInhoud(afnemerCode, record);
final Lo3Datum datumIngang = inhoud.getDatumIngang();
final Lo3Herkomst herkomst = new Lo3Herkomst(index == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, index);
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
tabelRegels.add(new Lo3Categorie<>(inhoud, null, historie, herkomst));
index++;
}
return new Lo3Autorisatie(new Lo3Stapel<>(tabelRegels));
}
private Lo3AutorisatieInhoud maakAutorisatieInhoud(final Integer afnemerCode, final AutorisatieRecordType record) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
result.setAfnemersindicatie(afnemerCode);
result.setAfnemernaam(record.getAfnemerNaam());
result.setIndicatieGeheimhouding(SimpleParser.parseLo3IndicatieGeheimCode(String.valueOf(record.getGeheimhoudingInd())));
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(String.valueOf(record.getVerstrekkingsBeperking())));
result.setRubrieknummerSpontaan(record.getSpontaanRubrieken());
result.setVoorwaarderegelSpontaan(record.getSpontaanVoorwaarderegel());
result.setSleutelrubriek(record.getSleutelRubrieken());
result.setConditioneleVerstrekking(record.getConditioneleVerstrekking());
result.setMediumSpontaan(parseEnum(record.getSpontaanMedium()));
result.setRubrieknummerSelectie(record.getSelectieRubrieken());
result.setVoorwaarderegelSelectie(record.getSelectieVoorwaarderegel());
result.setSelectiesoort(record.getSelectieSoort());
result.setBerichtaanduiding(record.getBerichtAand());
result.setEersteSelectiedatum(parseLo3Datum(record.getEersteSelectieDatum()));
result.setSelectieperiode(record.getSelectiePeriode());
result.setMediumSelectie(parseEnum(record.getSelectieMedium()));
result.setRubrieknummerAdHoc(record.getAdHocRubrieken());
result.setVoorwaarderegelAdHoc(record.getAdHocVoorwaarderegel());
result.setPlaatsingsbevoegdheidPersoonslijst(record.getPlPlaatsingsBevoegdheid());
result.setAfnemersverstrekking(record.getAfnemersVerstrekkingen());
result.setAdresvraagBevoegdheid(record.getAdresVraagBevoegdheid());
result.setMediumAdHoc(parseEnum(record.getAdHocMedium()));
result.setRubrieknummerAdresgeorienteerd(record.getAdresRubrieken());
result.setVoorwaarderegelAdresgeorienteerd(record.getAdresVoorwaarderegel());
result.setMediumAdresgeorienteerd(parseEnum(record.getAdresMedium()));
result.setDatumIngang(parseLo3Datum(record.getTabelRegelStartDatum()));
result.setDatumEinde(parseLo3Datum(record.getTabelRegelEindDatum()));
return result;
}
/**
* Parse een Lo3Datum.
*
* @param waarde
* waarde
* @return Lo3Datum of null als de waarde null is
*/
private Lo3Datum parseLo3Datum(final BigInteger waarde) {
return waarde == null ? null : new Lo3Datum(waarde.intValue());
}
/**
* Parse een Enum.
*
* @param waarde
* waarde
* @return String of null als de waarde null is
*/
private String parseEnum(final Enum<?> waarde) {
return waarde == null ? null : waarde.name();
}
/* ************************************************************************************************************* */
@Override
public String format() {
return SyncXml.SINGLETON.elementToString(new ObjectFactory().createAutorisatie(autorisatieType));
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieDatumIngangDescendingComparator implements Comparator<AutorisatieRecordType>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final AutorisatieRecordType o1, final AutorisatieRecordType o2) {
final Lo3Datum o1DatumIngang =
SimpleParser.parseLo3Datum(o1.getTabelRegelEindDatum() != null ? o1.getTabelRegelStartDatum().toString() : null);
final Lo3Datum o2DatumIngang =
SimpleParser.parseLo3Datum(o2.getTabelRegelEindDatum() != null ? o2.getTabelRegelStartDatum().toString() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getTabelRegelEindDatum() != null ? o1.getTabelRegelEindDatum().toString() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getTabelRegelEindDatum() != null ? o2.getTabelRegelEindDatum().toString() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
| MinBZK/OperatieBRP | 2016/migratie 2016-02-09/migr-bericht-model/src/main/java/nl/bzk/migratiebrp/bericht/model/sync/impl/AutorisatieBericht.java | 2,558 | // Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
| line_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.bericht.model.sync.impl;
import java.io.Serializable;
import java.math.BigInteger;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.bericht.model.sync.AbstractSyncBerichtZonderGerelateerdeInformatie;
import nl.bzk.migratiebrp.bericht.model.sync.generated.AutorisatieRecordType;
import nl.bzk.migratiebrp.bericht.model.sync.generated.AutorisatieType;
import nl.bzk.migratiebrp.bericht.model.sync.generated.ObjectFactory;
import nl.bzk.migratiebrp.bericht.model.sync.xml.SyncXml;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
/**
* Initiele vulling van autorisaties.
*/
public final class AutorisatieBericht extends AbstractSyncBerichtZonderGerelateerdeInformatie {
private static final long serialVersionUID = 1L;
private final AutorisatieType autorisatieType;
/* ************************************************************************************************************* */
/**
* Default constructor.
*/
public AutorisatieBericht() {
this(new AutorisatieType());
}
/**
* Deze constructor wordt gebruikt door de factory om op basis van een Jaxb element een bericht te maken.
*
* @param autorisatieType
* het autorisatieType type
*/
public AutorisatieBericht(final AutorisatieType autorisatieType) {
super("Autorisatie");
this.autorisatieType = autorisatieType;
}
/* ************************************************************************************************************* */
/**
* Geef de inhoud van het bericht als een Lo3Autorisatie object.
*
* @return Lo3Autorisatie object
*/
public Lo3Autorisatie getAutorisatie() {
final Integer afnemerCode = Integer.valueOf(autorisatieType.getAfnemerCode());
final List<Lo3Categorie<Lo3AutorisatieInhoud>> tabelRegels = new ArrayList<>();
final List<AutorisatieRecordType> autorisatieTabelRegels = autorisatieType.getAutorisatieTabelRegels();
Collections.sort(autorisatieTabelRegels, new AutorisatieDatumIngangDescendingComparator());
int index = 0;
for (final AutorisatieRecordType record : autorisatieTabelRegels) {
final Lo3AutorisatieInhoud inhoud = maakAutorisatieInhoud(afnemerCode, record);
final Lo3Datum datumIngang = inhoud.getDatumIngang();
final Lo3Herkomst herkomst = new Lo3Herkomst(index == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, index);
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
tabelRegels.add(new Lo3Categorie<>(inhoud, null, historie, herkomst));
index++;
}
return new Lo3Autorisatie(new Lo3Stapel<>(tabelRegels));
}
private Lo3AutorisatieInhoud maakAutorisatieInhoud(final Integer afnemerCode, final AutorisatieRecordType record) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
result.setAfnemersindicatie(afnemerCode);
result.setAfnemernaam(record.getAfnemerNaam());
result.setIndicatieGeheimhouding(SimpleParser.parseLo3IndicatieGeheimCode(String.valueOf(record.getGeheimhoudingInd())));
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(String.valueOf(record.getVerstrekkingsBeperking())));
result.setRubrieknummerSpontaan(record.getSpontaanRubrieken());
result.setVoorwaarderegelSpontaan(record.getSpontaanVoorwaarderegel());
result.setSleutelrubriek(record.getSleutelRubrieken());
result.setConditioneleVerstrekking(record.getConditioneleVerstrekking());
result.setMediumSpontaan(parseEnum(record.getSpontaanMedium()));
result.setRubrieknummerSelectie(record.getSelectieRubrieken());
result.setVoorwaarderegelSelectie(record.getSelectieVoorwaarderegel());
result.setSelectiesoort(record.getSelectieSoort());
result.setBerichtaanduiding(record.getBerichtAand());
result.setEersteSelectiedatum(parseLo3Datum(record.getEersteSelectieDatum()));
result.setSelectieperiode(record.getSelectiePeriode());
result.setMediumSelectie(parseEnum(record.getSelectieMedium()));
result.setRubrieknummerAdHoc(record.getAdHocRubrieken());
result.setVoorwaarderegelAdHoc(record.getAdHocVoorwaarderegel());
result.setPlaatsingsbevoegdheidPersoonslijst(record.getPlPlaatsingsBevoegdheid());
result.setAfnemersverstrekking(record.getAfnemersVerstrekkingen());
result.setAdresvraagBevoegdheid(record.getAdresVraagBevoegdheid());
result.setMediumAdHoc(parseEnum(record.getAdHocMedium()));
result.setRubrieknummerAdresgeorienteerd(record.getAdresRubrieken());
result.setVoorwaarderegelAdresgeorienteerd(record.getAdresVoorwaarderegel());
result.setMediumAdresgeorienteerd(parseEnum(record.getAdresMedium()));
result.setDatumIngang(parseLo3Datum(record.getTabelRegelStartDatum()));
result.setDatumEinde(parseLo3Datum(record.getTabelRegelEindDatum()));
return result;
}
/**
* Parse een Lo3Datum.
*
* @param waarde
* waarde
* @return Lo3Datum of null als de waarde null is
*/
private Lo3Datum parseLo3Datum(final BigInteger waarde) {
return waarde == null ? null : new Lo3Datum(waarde.intValue());
}
/**
* Parse een Enum.
*
* @param waarde
* waarde
* @return String of null als de waarde null is
*/
private String parseEnum(final Enum<?> waarde) {
return waarde == null ? null : waarde.name();
}
/* ************************************************************************************************************* */
@Override
public String format() {
return SyncXml.SINGLETON.elementToString(new ObjectFactory().createAutorisatie(autorisatieType));
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieDatumIngangDescendingComparator implements Comparator<AutorisatieRecordType>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final AutorisatieRecordType o1, final AutorisatieRecordType o2) {
final Lo3Datum o1DatumIngang =
SimpleParser.parseLo3Datum(o1.getTabelRegelEindDatum() != null ? o1.getTabelRegelStartDatum().toString() : null);
final Lo3Datum o2DatumIngang =
SimpleParser.parseLo3Datum(o2.getTabelRegelEindDatum() != null ? o2.getTabelRegelStartDatum().toString() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getTabelRegelEindDatum() != null ? o1.getTabelRegelEindDatum().toString() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getTabelRegelEindDatum() != null ? o2.getTabelRegelEindDatum().toString() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken<SUF>
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
|
204611_10 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.bericht.model.sync.impl;
import java.io.Serializable;
import java.math.BigInteger;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.bericht.model.sync.AbstractSyncBerichtZonderGerelateerdeInformatie;
import nl.bzk.migratiebrp.bericht.model.sync.generated.AutorisatieRecordType;
import nl.bzk.migratiebrp.bericht.model.sync.generated.AutorisatieType;
import nl.bzk.migratiebrp.bericht.model.sync.generated.ObjectFactory;
import nl.bzk.migratiebrp.bericht.model.sync.xml.SyncXml;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
/**
* Initiele vulling van autorisaties.
*/
public final class AutorisatieBericht extends AbstractSyncBerichtZonderGerelateerdeInformatie {
private static final long serialVersionUID = 1L;
private final AutorisatieType autorisatieType;
/* ************************************************************************************************************* */
/**
* Default constructor.
*/
public AutorisatieBericht() {
this(new AutorisatieType());
}
/**
* Deze constructor wordt gebruikt door de factory om op basis van een Jaxb element een bericht te maken.
*
* @param autorisatieType
* het autorisatieType type
*/
public AutorisatieBericht(final AutorisatieType autorisatieType) {
super("Autorisatie");
this.autorisatieType = autorisatieType;
}
/* ************************************************************************************************************* */
/**
* Geef de inhoud van het bericht als een Lo3Autorisatie object.
*
* @return Lo3Autorisatie object
*/
public Lo3Autorisatie getAutorisatie() {
final Integer afnemerCode = Integer.valueOf(autorisatieType.getAfnemerCode());
final List<Lo3Categorie<Lo3AutorisatieInhoud>> tabelRegels = new ArrayList<>();
final List<AutorisatieRecordType> autorisatieTabelRegels = autorisatieType.getAutorisatieTabelRegels();
Collections.sort(autorisatieTabelRegels, new AutorisatieDatumIngangDescendingComparator());
int index = 0;
for (final AutorisatieRecordType record : autorisatieTabelRegels) {
final Lo3AutorisatieInhoud inhoud = maakAutorisatieInhoud(afnemerCode, record);
final Lo3Datum datumIngang = inhoud.getDatumIngang();
final Lo3Herkomst herkomst = new Lo3Herkomst(index == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, index);
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
tabelRegels.add(new Lo3Categorie<>(inhoud, null, historie, herkomst));
index++;
}
return new Lo3Autorisatie(new Lo3Stapel<>(tabelRegels));
}
private Lo3AutorisatieInhoud maakAutorisatieInhoud(final Integer afnemerCode, final AutorisatieRecordType record) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
result.setAfnemersindicatie(afnemerCode);
result.setAfnemernaam(record.getAfnemerNaam());
result.setIndicatieGeheimhouding(SimpleParser.parseLo3IndicatieGeheimCode(String.valueOf(record.getGeheimhoudingInd())));
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(String.valueOf(record.getVerstrekkingsBeperking())));
result.setRubrieknummerSpontaan(record.getSpontaanRubrieken());
result.setVoorwaarderegelSpontaan(record.getSpontaanVoorwaarderegel());
result.setSleutelrubriek(record.getSleutelRubrieken());
result.setConditioneleVerstrekking(record.getConditioneleVerstrekking());
result.setMediumSpontaan(parseEnum(record.getSpontaanMedium()));
result.setRubrieknummerSelectie(record.getSelectieRubrieken());
result.setVoorwaarderegelSelectie(record.getSelectieVoorwaarderegel());
result.setSelectiesoort(record.getSelectieSoort());
result.setBerichtaanduiding(record.getBerichtAand());
result.setEersteSelectiedatum(parseLo3Datum(record.getEersteSelectieDatum()));
result.setSelectieperiode(record.getSelectiePeriode());
result.setMediumSelectie(parseEnum(record.getSelectieMedium()));
result.setRubrieknummerAdHoc(record.getAdHocRubrieken());
result.setVoorwaarderegelAdHoc(record.getAdHocVoorwaarderegel());
result.setPlaatsingsbevoegdheidPersoonslijst(record.getPlPlaatsingsBevoegdheid());
result.setAfnemersverstrekking(record.getAfnemersVerstrekkingen());
result.setAdresvraagBevoegdheid(record.getAdresVraagBevoegdheid());
result.setMediumAdHoc(parseEnum(record.getAdHocMedium()));
result.setRubrieknummerAdresgeorienteerd(record.getAdresRubrieken());
result.setVoorwaarderegelAdresgeorienteerd(record.getAdresVoorwaarderegel());
result.setMediumAdresgeorienteerd(parseEnum(record.getAdresMedium()));
result.setDatumIngang(parseLo3Datum(record.getTabelRegelStartDatum()));
result.setDatumEinde(parseLo3Datum(record.getTabelRegelEindDatum()));
return result;
}
/**
* Parse een Lo3Datum.
*
* @param waarde
* waarde
* @return Lo3Datum of null als de waarde null is
*/
private Lo3Datum parseLo3Datum(final BigInteger waarde) {
return waarde == null ? null : new Lo3Datum(waarde.intValue());
}
/**
* Parse een Enum.
*
* @param waarde
* waarde
* @return String of null als de waarde null is
*/
private String parseEnum(final Enum<?> waarde) {
return waarde == null ? null : waarde.name();
}
/* ************************************************************************************************************* */
@Override
public String format() {
return SyncXml.SINGLETON.elementToString(new ObjectFactory().createAutorisatie(autorisatieType));
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieDatumIngangDescendingComparator implements Comparator<AutorisatieRecordType>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final AutorisatieRecordType o1, final AutorisatieRecordType o2) {
final Lo3Datum o1DatumIngang =
SimpleParser.parseLo3Datum(o1.getTabelRegelEindDatum() != null ? o1.getTabelRegelStartDatum().toString() : null);
final Lo3Datum o2DatumIngang =
SimpleParser.parseLo3Datum(o2.getTabelRegelEindDatum() != null ? o2.getTabelRegelStartDatum().toString() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getTabelRegelEindDatum() != null ? o1.getTabelRegelEindDatum().toString() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getTabelRegelEindDatum() != null ? o2.getTabelRegelEindDatum().toString() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
| MinBZK/OperatieBRP | 2016/migratie 2016-02-09/migr-bericht-model/src/main/java/nl/bzk/migratiebrp/bericht/model/sync/impl/AutorisatieBericht.java | 2,558 | /**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/ | block_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.bericht.model.sync.impl;
import java.io.Serializable;
import java.math.BigInteger;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.bericht.model.sync.AbstractSyncBerichtZonderGerelateerdeInformatie;
import nl.bzk.migratiebrp.bericht.model.sync.generated.AutorisatieRecordType;
import nl.bzk.migratiebrp.bericht.model.sync.generated.AutorisatieType;
import nl.bzk.migratiebrp.bericht.model.sync.generated.ObjectFactory;
import nl.bzk.migratiebrp.bericht.model.sync.xml.SyncXml;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
/**
* Initiele vulling van autorisaties.
*/
public final class AutorisatieBericht extends AbstractSyncBerichtZonderGerelateerdeInformatie {
private static final long serialVersionUID = 1L;
private final AutorisatieType autorisatieType;
/* ************************************************************************************************************* */
/**
* Default constructor.
*/
public AutorisatieBericht() {
this(new AutorisatieType());
}
/**
* Deze constructor wordt gebruikt door de factory om op basis van een Jaxb element een bericht te maken.
*
* @param autorisatieType
* het autorisatieType type
*/
public AutorisatieBericht(final AutorisatieType autorisatieType) {
super("Autorisatie");
this.autorisatieType = autorisatieType;
}
/* ************************************************************************************************************* */
/**
* Geef de inhoud van het bericht als een Lo3Autorisatie object.
*
* @return Lo3Autorisatie object
*/
public Lo3Autorisatie getAutorisatie() {
final Integer afnemerCode = Integer.valueOf(autorisatieType.getAfnemerCode());
final List<Lo3Categorie<Lo3AutorisatieInhoud>> tabelRegels = new ArrayList<>();
final List<AutorisatieRecordType> autorisatieTabelRegels = autorisatieType.getAutorisatieTabelRegels();
Collections.sort(autorisatieTabelRegels, new AutorisatieDatumIngangDescendingComparator());
int index = 0;
for (final AutorisatieRecordType record : autorisatieTabelRegels) {
final Lo3AutorisatieInhoud inhoud = maakAutorisatieInhoud(afnemerCode, record);
final Lo3Datum datumIngang = inhoud.getDatumIngang();
final Lo3Herkomst herkomst = new Lo3Herkomst(index == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, index);
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
tabelRegels.add(new Lo3Categorie<>(inhoud, null, historie, herkomst));
index++;
}
return new Lo3Autorisatie(new Lo3Stapel<>(tabelRegels));
}
private Lo3AutorisatieInhoud maakAutorisatieInhoud(final Integer afnemerCode, final AutorisatieRecordType record) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
result.setAfnemersindicatie(afnemerCode);
result.setAfnemernaam(record.getAfnemerNaam());
result.setIndicatieGeheimhouding(SimpleParser.parseLo3IndicatieGeheimCode(String.valueOf(record.getGeheimhoudingInd())));
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(String.valueOf(record.getVerstrekkingsBeperking())));
result.setRubrieknummerSpontaan(record.getSpontaanRubrieken());
result.setVoorwaarderegelSpontaan(record.getSpontaanVoorwaarderegel());
result.setSleutelrubriek(record.getSleutelRubrieken());
result.setConditioneleVerstrekking(record.getConditioneleVerstrekking());
result.setMediumSpontaan(parseEnum(record.getSpontaanMedium()));
result.setRubrieknummerSelectie(record.getSelectieRubrieken());
result.setVoorwaarderegelSelectie(record.getSelectieVoorwaarderegel());
result.setSelectiesoort(record.getSelectieSoort());
result.setBerichtaanduiding(record.getBerichtAand());
result.setEersteSelectiedatum(parseLo3Datum(record.getEersteSelectieDatum()));
result.setSelectieperiode(record.getSelectiePeriode());
result.setMediumSelectie(parseEnum(record.getSelectieMedium()));
result.setRubrieknummerAdHoc(record.getAdHocRubrieken());
result.setVoorwaarderegelAdHoc(record.getAdHocVoorwaarderegel());
result.setPlaatsingsbevoegdheidPersoonslijst(record.getPlPlaatsingsBevoegdheid());
result.setAfnemersverstrekking(record.getAfnemersVerstrekkingen());
result.setAdresvraagBevoegdheid(record.getAdresVraagBevoegdheid());
result.setMediumAdHoc(parseEnum(record.getAdHocMedium()));
result.setRubrieknummerAdresgeorienteerd(record.getAdresRubrieken());
result.setVoorwaarderegelAdresgeorienteerd(record.getAdresVoorwaarderegel());
result.setMediumAdresgeorienteerd(parseEnum(record.getAdresMedium()));
result.setDatumIngang(parseLo3Datum(record.getTabelRegelStartDatum()));
result.setDatumEinde(parseLo3Datum(record.getTabelRegelEindDatum()));
return result;
}
/**
* Parse een Lo3Datum.
*
* @param waarde
* waarde
* @return Lo3Datum of null als de waarde null is
*/
private Lo3Datum parseLo3Datum(final BigInteger waarde) {
return waarde == null ? null : new Lo3Datum(waarde.intValue());
}
/**
* Parse een Enum.
*
* @param waarde
* waarde
* @return String of null als de waarde null is
*/
private String parseEnum(final Enum<?> waarde) {
return waarde == null ? null : waarde.name();
}
/* ************************************************************************************************************* */
@Override
public String format() {
return SyncXml.SINGLETON.elementToString(new ObjectFactory().createAutorisatie(autorisatieType));
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieDatumIngangDescendingComparator implements Comparator<AutorisatieRecordType>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final AutorisatieRecordType o1, final AutorisatieRecordType o2) {
final Lo3Datum o1DatumIngang =
SimpleParser.parseLo3Datum(o1.getTabelRegelEindDatum() != null ? o1.getTabelRegelStartDatum().toString() : null);
final Lo3Datum o2DatumIngang =
SimpleParser.parseLo3Datum(o2.getTabelRegelEindDatum() != null ? o2.getTabelRegelStartDatum().toString() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getTabelRegelEindDatum() != null ? o1.getTabelRegelEindDatum().toString() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getTabelRegelEindDatum() != null ? o2.getTabelRegelEindDatum().toString() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums<SUF>*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
|
204616_1 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.beheer.webapp.configuratie;
import java.io.IOException;
import java.io.LineNumberReader;
import java.sql.Connection;
import java.sql.SQLException;
import java.sql.Statement;
import java.util.ArrayList;
import java.util.List;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import org.springframework.core.io.Resource;
import org.springframework.core.io.support.EncodedResource;
import org.springframework.jdbc.datasource.init.CannotReadScriptException;
import org.springframework.jdbc.datasource.init.DatabasePopulator;
import org.springframework.jdbc.datasource.init.ScriptException;
import org.springframework.util.Assert;
import org.springframework.util.StringUtils;
/**
* Orginele resource populator split de sql statements, maar kan niet omgaan met splitten van functions in postgres.
*/
public class PostgresqlResourceDatabasePopulator implements DatabasePopulator {
private static final Logger LOG = LoggerFactory.getLogger();
private List<Resource> scripts = new ArrayList<>();
private String sqlScriptEncoding = null;
@Override
public void populate(Connection connection) throws ScriptException {
Assert.notNull(connection, "Connection must not be null");
for (Resource script : scripts) {
LOG.info("Bezig om " + script.getFilename() + " te verwerken");
EncodedResource encodedScript = new EncodedResource(script, this.sqlScriptEncoding);
final StringBuilder sqlScript = new StringBuilder();
try (LineNumberReader lnr = new LineNumberReader(encodedScript.getReader())) {
String line;
do {
line = lnr.readLine();
if (line != null) {
sqlScript.append(line);
sqlScript.append("\n");
}
} while (line != null);
} catch (final IOException ioe) {
throw new CannotReadScriptException(encodedScript, ioe);
}
try {
final Statement statement = connection.createStatement();
statement.execute(sqlScript.toString());
} catch (SQLException e) {
e.printStackTrace();
}
LOG.info(script.getFilename() + " verwerkt");
}
}
/**
* Add a script to execute to initialize or clean up the database.
* @param script the path to an SQL script (never {@code null})
*/
public void addScript(Resource script) {
Assert.notNull(script, "Script must not be null");
scripts.add(script);
}
/**
* Specify the encoding for the configured SQL scripts, if different from the
* platform encoding.
* @param sqlScriptEncoding the encoding used in scripts; may be {@code null}
* or empty to indicate platform encoding
* @see #addScript(Resource)
*/
public void setSqlScriptEncoding(String sqlScriptEncoding) {
this.sqlScriptEncoding = StringUtils.hasText(sqlScriptEncoding) ? sqlScriptEncoding : null;
}
}
| EdwinSmink/OperatieBRP | 02 Software/01 Broncode/operatiebrp-code-145.3/brp/beheer/beheer-api/src/test/java/nl/bzk/brp/beheer/webapp/configuratie/PostgresqlResourceDatabasePopulator.java | 829 | /**
* Orginele resource populator split de sql statements, maar kan niet omgaan met splitten van functions in postgres.
*/ | block_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.beheer.webapp.configuratie;
import java.io.IOException;
import java.io.LineNumberReader;
import java.sql.Connection;
import java.sql.SQLException;
import java.sql.Statement;
import java.util.ArrayList;
import java.util.List;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import org.springframework.core.io.Resource;
import org.springframework.core.io.support.EncodedResource;
import org.springframework.jdbc.datasource.init.CannotReadScriptException;
import org.springframework.jdbc.datasource.init.DatabasePopulator;
import org.springframework.jdbc.datasource.init.ScriptException;
import org.springframework.util.Assert;
import org.springframework.util.StringUtils;
/**
* Orginele resource populator<SUF>*/
public class PostgresqlResourceDatabasePopulator implements DatabasePopulator {
private static final Logger LOG = LoggerFactory.getLogger();
private List<Resource> scripts = new ArrayList<>();
private String sqlScriptEncoding = null;
@Override
public void populate(Connection connection) throws ScriptException {
Assert.notNull(connection, "Connection must not be null");
for (Resource script : scripts) {
LOG.info("Bezig om " + script.getFilename() + " te verwerken");
EncodedResource encodedScript = new EncodedResource(script, this.sqlScriptEncoding);
final StringBuilder sqlScript = new StringBuilder();
try (LineNumberReader lnr = new LineNumberReader(encodedScript.getReader())) {
String line;
do {
line = lnr.readLine();
if (line != null) {
sqlScript.append(line);
sqlScript.append("\n");
}
} while (line != null);
} catch (final IOException ioe) {
throw new CannotReadScriptException(encodedScript, ioe);
}
try {
final Statement statement = connection.createStatement();
statement.execute(sqlScript.toString());
} catch (SQLException e) {
e.printStackTrace();
}
LOG.info(script.getFilename() + " verwerkt");
}
}
/**
* Add a script to execute to initialize or clean up the database.
* @param script the path to an SQL script (never {@code null})
*/
public void addScript(Resource script) {
Assert.notNull(script, "Script must not be null");
scripts.add(script);
}
/**
* Specify the encoding for the configured SQL scripts, if different from the
* platform encoding.
* @param sqlScriptEncoding the encoding used in scripts; may be {@code null}
* or empty to indicate platform encoding
* @see #addScript(Resource)
*/
public void setSqlScriptEncoding(String sqlScriptEncoding) {
this.sqlScriptEncoding = StringUtils.hasText(sqlScriptEncoding) ? sqlScriptEncoding : null;
}
}
|
204617_1 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<String, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final String afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
inhoudLijst.sort(new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]);
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(
SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST - offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
| EdwinSmink/OperatieBRP | 02 Software/01 Broncode/operatiebrp-code-145.3/migratie/migr-test-common/src/main/java/nl/bzk/migratiebrp/test/common/autorisatie/CsvAutorisatieReader.java | 4,028 | /**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/ | block_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv<SUF>*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<String, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final String afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
inhoudLijst.sort(new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]);
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(
SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST - offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
|
204617_2 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<String, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final String afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
inhoudLijst.sort(new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]);
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(
SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST - offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
| EdwinSmink/OperatieBRP | 02 Software/01 Broncode/operatiebrp-code-145.3/migratie/migr-test-common/src/main/java/nl/bzk/migratiebrp/test/common/autorisatie/CsvAutorisatieReader.java | 4,028 | // Read CSV to map (key=afnemer, value=regels) | line_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV<SUF>
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<String, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final String afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
inhoudLijst.sort(new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]);
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(
SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST - offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
|
204617_3 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<String, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final String afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
inhoudLijst.sort(new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]);
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(
SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST - offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
| EdwinSmink/OperatieBRP | 02 Software/01 Broncode/operatiebrp-code-145.3/migratie/migr-test-common/src/main/java/nl/bzk/migratiebrp/test/common/autorisatie/CsvAutorisatieReader.java | 4,028 | // Eerste regel negeren i.v.m. headers. | line_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<String, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel<SUF>
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final String afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
inhoudLijst.sort(new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]);
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(
SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST - offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
|
204617_7 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<String, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final String afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
inhoudLijst.sort(new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]);
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(
SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST - offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
| EdwinSmink/OperatieBRP | 02 Software/01 Broncode/operatiebrp-code-145.3/migratie/migr-test-common/src/main/java/nl/bzk/migratiebrp/test/common/autorisatie/CsvAutorisatieReader.java | 4,028 | // "95.12 Indicatie geheimhouding" | line_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<String, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final String afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
inhoudLijst.sort(new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]);
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie<SUF>
result.setIndicatieGeheimhouding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(
SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST - offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
|
204617_12 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<String, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final String afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
inhoudLijst.sort(new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]);
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(
SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST - offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
| EdwinSmink/OperatieBRP | 02 Software/01 Broncode/operatiebrp-code-145.3/migratie/migr-test-common/src/main/java/nl/bzk/migratiebrp/test/common/autorisatie/CsvAutorisatieReader.java | 4,028 | // "95.50 Rubrieknummer selectie" | line_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<String, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final String afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
inhoudLijst.sort(new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]);
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer<SUF>
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(
SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST - offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
|
204617_13 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<String, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final String afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
inhoudLijst.sort(new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]);
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(
SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST - offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
| EdwinSmink/OperatieBRP | 02 Software/01 Broncode/operatiebrp-code-145.3/migratie/migr-test-common/src/main/java/nl/bzk/migratiebrp/test/common/autorisatie/CsvAutorisatieReader.java | 4,028 | // "95.51 Voorwaarderegel selectie" | line_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<String, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final String afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
inhoudLijst.sort(new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]);
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel<SUF>
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(
SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST - offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
|
204617_14 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<String, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final String afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
inhoudLijst.sort(new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]);
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(
SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST - offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
| EdwinSmink/OperatieBRP | 02 Software/01 Broncode/operatiebrp-code-145.3/migratie/migr-test-common/src/main/java/nl/bzk/migratiebrp/test/common/autorisatie/CsvAutorisatieReader.java | 4,028 | // "95.54 Eerste selectiedatum" | line_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<String, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final String afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
inhoudLijst.sort(new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]);
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste<SUF>
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(
SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST - offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
|
204617_18 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<String, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final String afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
inhoudLijst.sort(new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]);
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(
SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST - offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
| EdwinSmink/OperatieBRP | 02 Software/01 Broncode/operatiebrp-code-145.3/migratie/migr-test-common/src/main/java/nl/bzk/migratiebrp/test/common/autorisatie/CsvAutorisatieReader.java | 4,028 | // "95.62 Plaatsingsbevoegdheid persoonslijst" | line_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<String, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final String afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
inhoudLijst.sort(new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]);
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid<SUF>
result.setPlaatsingsbevoegdheidPersoonslijst(
SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST - offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
|
204617_24 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<String, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final String afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
inhoudLijst.sort(new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]);
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(
SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST - offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
| EdwinSmink/OperatieBRP | 02 Software/01 Broncode/operatiebrp-code-145.3/migratie/migr-test-common/src/main/java/nl/bzk/migratiebrp/test/common/autorisatie/CsvAutorisatieReader.java | 4,028 | /**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/ | block_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<String, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final String afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
inhoudLijst.sort(new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]);
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(
SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST - offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet<SUF>*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
|
204617_25 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<String, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final String afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
inhoudLijst.sort(new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]);
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(
SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST - offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
| EdwinSmink/OperatieBRP | 02 Software/01 Broncode/operatiebrp-code-145.3/migratie/migr-test-common/src/main/java/nl/bzk/migratiebrp/test/common/autorisatie/CsvAutorisatieReader.java | 4,028 | // Initieel vergelijken op 99.99 Einddatum. | line_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<String, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final String afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
inhoudLijst.sort(new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]);
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(
SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST - offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken<SUF>
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
|
204617_26 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<String, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final String afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
inhoudLijst.sort(new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]);
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(
SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST - offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
| EdwinSmink/OperatieBRP | 02 Software/01 Broncode/operatiebrp-code-145.3/migratie/migr-test-common/src/main/java/nl/bzk/migratiebrp/test/common/autorisatie/CsvAutorisatieReader.java | 4,028 | // Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum. | line_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<String, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final String afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
inhoudLijst.sort(new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]);
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(
SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST - offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken<SUF>
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
|
204617_27 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<String, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final String afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
inhoudLijst.sort(new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]);
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(
SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST - offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
| EdwinSmink/OperatieBRP | 02 Software/01 Broncode/operatiebrp-code-145.3/migratie/migr-test-common/src/main/java/nl/bzk/migratiebrp/test/common/autorisatie/CsvAutorisatieReader.java | 4,028 | /**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/ | block_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<String, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final String afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
inhoudLijst.sort(new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]);
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(
SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST - offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums<SUF>*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
|
204618_2 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.bevraging.dataaccess;
import java.util.List;
/**
* Repository die met bestanden kan omgaan.
*/
public interface BestandRepository {
/**
* Schrijft de regels weg.
* @param name de naam van het bestand waarheen de regels gaan
* @param regels de regels om weg te schrijven
*/
void schrijfRegels(String name, List<String> regels);
}
| MinBZK/OperatieBRP | 2016/brp 2016-02-09/utils/performance-test-runner/src/main/java/nl/bzk/brp/bevraging/dataaccess/BestandRepository.java | 195 | /**
* Schrijft de regels weg.
* @param name de naam van het bestand waarheen de regels gaan
* @param regels de regels om weg te schrijven
*/ | block_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.brp.bevraging.dataaccess;
import java.util.List;
/**
* Repository die met bestanden kan omgaan.
*/
public interface BestandRepository {
/**
* Schrijft de regels<SUF>*/
void schrijfRegels(String name, List<String> regels);
}
|
204619_1 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import nl.bzk.migratiebrp.util.common.logging.Logger;
import nl.bzk.migratiebrp.util.common.logging.LoggerFactory;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<Integer, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final Integer afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<Lo3AutorisatieInhoud>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
Collections.sort(inhoudLijst, new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]));
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseLo3IndicatieGeheimCode(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST
- offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
| MinBZK/OperatieBRP | 2016/migratie 2016-02-09/migr-test-common/src/main/java/nl/bzk/migratiebrp/test/common/autorisatie/CsvAutorisatieReader.java | 4,169 | /**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/ | block_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import nl.bzk.migratiebrp.util.common.logging.Logger;
import nl.bzk.migratiebrp.util.common.logging.LoggerFactory;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv<SUF>*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<Integer, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final Integer afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<Lo3AutorisatieInhoud>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
Collections.sort(inhoudLijst, new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]));
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseLo3IndicatieGeheimCode(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST
- offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
|
204619_2 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import nl.bzk.migratiebrp.util.common.logging.Logger;
import nl.bzk.migratiebrp.util.common.logging.LoggerFactory;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<Integer, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final Integer afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<Lo3AutorisatieInhoud>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
Collections.sort(inhoudLijst, new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]));
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseLo3IndicatieGeheimCode(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST
- offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
| MinBZK/OperatieBRP | 2016/migratie 2016-02-09/migr-test-common/src/main/java/nl/bzk/migratiebrp/test/common/autorisatie/CsvAutorisatieReader.java | 4,169 | // Read CSV to map (key=afnemer, value=regels)
| line_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import nl.bzk.migratiebrp.util.common.logging.Logger;
import nl.bzk.migratiebrp.util.common.logging.LoggerFactory;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV<SUF>
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<Integer, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final Integer afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<Lo3AutorisatieInhoud>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
Collections.sort(inhoudLijst, new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]));
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseLo3IndicatieGeheimCode(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST
- offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
|
204619_12 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import nl.bzk.migratiebrp.util.common.logging.Logger;
import nl.bzk.migratiebrp.util.common.logging.LoggerFactory;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<Integer, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final Integer afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<Lo3AutorisatieInhoud>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
Collections.sort(inhoudLijst, new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]));
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseLo3IndicatieGeheimCode(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST
- offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
| MinBZK/OperatieBRP | 2016/migratie 2016-02-09/migr-test-common/src/main/java/nl/bzk/migratiebrp/test/common/autorisatie/CsvAutorisatieReader.java | 4,169 | // "95.50 Rubrieknummer selectie"
| line_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import nl.bzk.migratiebrp.util.common.logging.Logger;
import nl.bzk.migratiebrp.util.common.logging.LoggerFactory;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<Integer, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final Integer afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<Lo3AutorisatieInhoud>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
Collections.sort(inhoudLijst, new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]));
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseLo3IndicatieGeheimCode(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer<SUF>
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST
- offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
|
204619_13 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import nl.bzk.migratiebrp.util.common.logging.Logger;
import nl.bzk.migratiebrp.util.common.logging.LoggerFactory;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<Integer, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final Integer afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<Lo3AutorisatieInhoud>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
Collections.sort(inhoudLijst, new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]));
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseLo3IndicatieGeheimCode(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST
- offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
| MinBZK/OperatieBRP | 2016/migratie 2016-02-09/migr-test-common/src/main/java/nl/bzk/migratiebrp/test/common/autorisatie/CsvAutorisatieReader.java | 4,169 | // "95.51 Voorwaarderegel selectie"
| line_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import nl.bzk.migratiebrp.util.common.logging.Logger;
import nl.bzk.migratiebrp.util.common.logging.LoggerFactory;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<Integer, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final Integer afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<Lo3AutorisatieInhoud>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
Collections.sort(inhoudLijst, new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]));
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseLo3IndicatieGeheimCode(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel<SUF>
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST
- offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
|
204619_14 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import nl.bzk.migratiebrp.util.common.logging.Logger;
import nl.bzk.migratiebrp.util.common.logging.LoggerFactory;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<Integer, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final Integer afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<Lo3AutorisatieInhoud>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
Collections.sort(inhoudLijst, new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]));
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseLo3IndicatieGeheimCode(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST
- offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
| MinBZK/OperatieBRP | 2016/migratie 2016-02-09/migr-test-common/src/main/java/nl/bzk/migratiebrp/test/common/autorisatie/CsvAutorisatieReader.java | 4,169 | // "95.54 Eerste selectiedatum"
| line_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import nl.bzk.migratiebrp.util.common.logging.Logger;
import nl.bzk.migratiebrp.util.common.logging.LoggerFactory;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<Integer, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final Integer afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<Lo3AutorisatieInhoud>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
Collections.sort(inhoudLijst, new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]));
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseLo3IndicatieGeheimCode(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste<SUF>
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST
- offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
|
204619_18 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import nl.bzk.migratiebrp.util.common.logging.Logger;
import nl.bzk.migratiebrp.util.common.logging.LoggerFactory;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<Integer, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final Integer afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<Lo3AutorisatieInhoud>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
Collections.sort(inhoudLijst, new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]));
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseLo3IndicatieGeheimCode(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST
- offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
| MinBZK/OperatieBRP | 2016/migratie 2016-02-09/migr-test-common/src/main/java/nl/bzk/migratiebrp/test/common/autorisatie/CsvAutorisatieReader.java | 4,169 | // "95.62 Plaatsingsbevoegdheid persoonslijst"
| line_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import nl.bzk.migratiebrp.util.common.logging.Logger;
import nl.bzk.migratiebrp.util.common.logging.LoggerFactory;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<Integer, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final Integer afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<Lo3AutorisatieInhoud>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
Collections.sort(inhoudLijst, new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]));
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseLo3IndicatieGeheimCode(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid<SUF>
result.setPlaatsingsbevoegdheidPersoonslijst(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST
- offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
|
204619_24 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import nl.bzk.migratiebrp.util.common.logging.Logger;
import nl.bzk.migratiebrp.util.common.logging.LoggerFactory;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<Integer, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final Integer afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<Lo3AutorisatieInhoud>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
Collections.sort(inhoudLijst, new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]));
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseLo3IndicatieGeheimCode(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST
- offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
| MinBZK/OperatieBRP | 2016/migratie 2016-02-09/migr-test-common/src/main/java/nl/bzk/migratiebrp/test/common/autorisatie/CsvAutorisatieReader.java | 4,169 | /**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/ | block_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import nl.bzk.migratiebrp.util.common.logging.Logger;
import nl.bzk.migratiebrp.util.common.logging.LoggerFactory;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<Integer, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final Integer afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<Lo3AutorisatieInhoud>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
Collections.sort(inhoudLijst, new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]));
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseLo3IndicatieGeheimCode(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST
- offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet<SUF>*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
|
204619_25 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import nl.bzk.migratiebrp.util.common.logging.Logger;
import nl.bzk.migratiebrp.util.common.logging.LoggerFactory;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<Integer, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final Integer afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<Lo3AutorisatieInhoud>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
Collections.sort(inhoudLijst, new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]));
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseLo3IndicatieGeheimCode(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST
- offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
| MinBZK/OperatieBRP | 2016/migratie 2016-02-09/migr-test-common/src/main/java/nl/bzk/migratiebrp/test/common/autorisatie/CsvAutorisatieReader.java | 4,169 | // Initieel vergelijken op 99.99 Einddatum.
| line_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import nl.bzk.migratiebrp.util.common.logging.Logger;
import nl.bzk.migratiebrp.util.common.logging.LoggerFactory;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<Integer, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final Integer afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<Lo3AutorisatieInhoud>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
Collections.sort(inhoudLijst, new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]));
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseLo3IndicatieGeheimCode(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST
- offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken<SUF>
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
|
204619_26 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import nl.bzk.migratiebrp.util.common.logging.Logger;
import nl.bzk.migratiebrp.util.common.logging.LoggerFactory;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<Integer, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final Integer afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<Lo3AutorisatieInhoud>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
Collections.sort(inhoudLijst, new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]));
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseLo3IndicatieGeheimCode(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST
- offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
| MinBZK/OperatieBRP | 2016/migratie 2016-02-09/migr-test-common/src/main/java/nl/bzk/migratiebrp/test/common/autorisatie/CsvAutorisatieReader.java | 4,169 | // Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
| line_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import nl.bzk.migratiebrp.util.common.logging.Logger;
import nl.bzk.migratiebrp.util.common.logging.LoggerFactory;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<Integer, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final Integer afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<Lo3AutorisatieInhoud>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
Collections.sort(inhoudLijst, new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]));
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseLo3IndicatieGeheimCode(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST
- offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken<SUF>
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
|
204619_27 | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import nl.bzk.migratiebrp.util.common.logging.Logger;
import nl.bzk.migratiebrp.util.common.logging.LoggerFactory;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<Integer, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final Integer afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<Lo3AutorisatieInhoud>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
Collections.sort(inhoudLijst, new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]));
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseLo3IndicatieGeheimCode(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST
- offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
| MinBZK/OperatieBRP | 2016/migratie 2016-02-09/migr-test-common/src/main/java/nl/bzk/migratiebrp/test/common/autorisatie/CsvAutorisatieReader.java | 4,169 | /**
* Vergelijker voor Lo3Datums die kan omgaan met null waarden.
*/ | block_comment | nl | /**
* This file is copyright 2017 State of the Netherlands (Ministry of Interior Affairs and Kingdom Relations).
* It is made available under the terms of the GNU Affero General Public License, version 3 as published by the Free Software Foundation.
* The project of which this file is part, may be found at https://github.com/MinBZK/operatieBRP.
*/
package nl.bzk.migratiebrp.test.common.autorisatie;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.TreeMap;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.SimpleParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Categorie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Historie;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3Autorisatie;
import nl.bzk.migratiebrp.conversie.model.lo3.autorisatie.Lo3AutorisatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3Herkomst;
import nl.bzk.migratiebrp.test.common.util.AutorisatieCsvConstants;
import nl.bzk.migratiebrp.util.common.logging.Logger;
import nl.bzk.migratiebrp.util.common.logging.LoggerFactory;
import org.mozilla.universalchardet.UniversalDetector;
/**
* Autorisatie reader obv CSV bestand (structuur agentschap BPR).
*/
public final class CsvAutorisatieReader implements AutorisatieReader {
private static final int AANTAL_VELDEN_IN_LO_39 = 29;
private static final int AANTAL_VELDEN_IN_LO_38 = 35;
private static final int DETECTION_BUFFER = 4096;
private static final char QUOTED_START = '"';
private static final String QUOTED_END = "\",";
private static final String SEPARATOR = ",";
private static final Logger LOG = LoggerFactory.getLogger();
@Override
public List<Lo3Autorisatie> read(final InputStream inputstream) throws IOException {
final BufferedInputStream input = new BufferedInputStream(inputstream);
if (!input.markSupported()) {
throw new IllegalArgumentException("BufferedInputStream does not support mark?!");
}
input.mark(DETECTION_BUFFER);
// Detect encoding
final byte[] detectionBuffer = new byte[DETECTION_BUFFER];
final int length = input.read(detectionBuffer, 0, DETECTION_BUFFER);
final String encoding = detectEncoding(detectionBuffer, length);
input.reset();
LOG.debug("File encoding detected: " + encoding);
// Read CSV to map (key=afnemer, value=regels)
final BufferedReader reader = new BufferedReader(new InputStreamReader(input, Charset.forName(encoding)));
return read(reader);
}
private List<Lo3Autorisatie> read(final BufferedReader reader) throws IOException {
final Map<Integer, List<Lo3AutorisatieInhoud>> collector = new TreeMap<>();
// Eerste regel negeren i.v.m. headers.
reader.readLine();
String line = reader.readLine();
int index = 0;
while (line != null && !"".equals(line)) {
final Lo3AutorisatieInhoud autorisatie = parseCsv(line, ++index);
if (autorisatie != null) {
final Integer afnemersindicatie = autorisatie.getAfnemersindicatie();
if (!collector.containsKey(afnemersindicatie)) {
collector.put(afnemersindicatie, new ArrayList<Lo3AutorisatieInhoud>());
}
collector.get(afnemersindicatie).add(autorisatie);
}
line = reader.readLine();
}
for (final List<Lo3AutorisatieInhoud> inhoudLijst : collector.values()) {
Collections.sort(inhoudLijst, new AutorisatieInhoudDatumIngangDescendingComparator());
}
// Transform map to result
final List<Lo3Autorisatie> result = new ArrayList<>();
for (final List<Lo3AutorisatieInhoud> value : collector.values()) {
final List<Lo3Categorie<Lo3AutorisatieInhoud>> categorieen = new ArrayList<>();
for (int i = 0; i < value.size(); i++) {
final Lo3Herkomst herkomst = new Lo3Herkomst(i == 0 ? Lo3CategorieEnum.CATEGORIE_35 : Lo3CategorieEnum.CATEGORIE_85, 0, i);
final Lo3AutorisatieInhoud lo3Autorisatie = value.get(i);
final Lo3Datum datumIngang = lo3Autorisatie.getDatumIngang();
final Lo3Historie historie = new Lo3Historie(null, datumIngang, datumIngang);
categorieen.add(new Lo3Categorie<>(lo3Autorisatie, null, historie, herkomst));
}
result.add(new Lo3Autorisatie(new Lo3Stapel<>(categorieen)));
}
return result;
}
private Lo3AutorisatieInhoud parseCsv(final String line, final int index) {
final String[] values = splitCsvLine(line);
if (values.length != AANTAL_VELDEN_IN_LO_38 && values.length != AANTAL_VELDEN_IN_LO_39) {
LOG.error("Regel {} bevat niet de verwachte hoeveelheid waarden, maar {}", index, values.length);
return null;
}
return readInhoud(values);
}
private Lo3AutorisatieInhoud readInhoud(final String[] values) {
final Lo3AutorisatieInhoud result = new Lo3AutorisatieInhoud();
// "95.10 Afnemersindicatie"
result.setAfnemersindicatie(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_AFNEMERSINDICATIE]));
// "95.20 Afnemernaam"
result.setAfnemernaam(values[AutorisatieCsvConstants.KOLOM_AFNEMERNAAM]);
// "99.98 Datum ingang"
result.setDatumIngang(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_INGANG]));
// "99.99 Datum einde"
result.setDatumEinde(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_DATUM_EINDE]));
// "95.12 Indicatie geheimhouding"
result.setIndicatieGeheimhouding(SimpleParser.parseLo3IndicatieGeheimCode(values[AutorisatieCsvConstants.KOLOM_INDICATIE_GEHEIMHOUDING]));
// "95.13 Verstrekkingsbeperking"
result.setVerstrekkingsbeperking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_VERSTREKKINGSBEPERKING]));
int offset;
if (values.length == AANTAL_VELDEN_IN_LO_38) {
// "95.30 Straatnaam"
// "95.31 Huisnummer"
// "95.32 Huisletter"
// "95.33 Huisnummertoevoeging"
// "95.35 Postcode"
// "95.36 Gemeente"
offset = 0;
} else {
offset = AANTAL_VELDEN_IN_LO_38 - AANTAL_VELDEN_IN_LO_39;
}
// "95.40 Rubrieknummer spontaan"
result.setRubrieknummerSpontaan(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SPONTAAN - offset]);
// "95.41 Voorwaarderegel spontaan"
result.setVoorwaarderegelSpontaan(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SPONTAAN - offset]);
// "95.42 Sleutelrubriek"
result.setSleutelrubriek(values[AutorisatieCsvConstants.KOLOM_SLEUTEL_RUBRIEK - offset]);
// "95.43 Conditionele verstrekking"
result.setConditioneleVerstrekking(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_CONDITIONELE_VERSTREKKING - offset]));
// "95.44 Medium spontaan"
result.setMediumSpontaan(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SPONTAAN - offset]);
// "95.50 Rubrieknummer selectie"
result.setRubrieknummerSelectie(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_SELECTIE - offset]);
// "95.51 Voorwaarderegel selectie"
result.setVoorwaarderegelSelectie(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_SELECTIE - offset]);
// "95.52 Selectiesoort"
result.setSelectiesoort(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIESOORT - offset]));
// "95.53 Berichtaanduiding"
result.setBerichtaanduiding(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_BERICHTAANDUIDING - offset]));
// "95.54 Eerste selectiedatum"
result.setEersteSelectiedatum(SimpleParser.parseLo3Datum(values[AutorisatieCsvConstants.KOLOM_EERSTE_SELECTIEDATUM - offset]));
// "95.55 Selectieperiode"
result.setSelectieperiode(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_SELECTIEPERIODE - offset]));
// "95.56 Medium selectie"
result.setMediumSelectie(values[AutorisatieCsvConstants.KOLOM_MEDIUM_SELECTIE - offset]);
// "95.60 Rubrieknummer ad hoc"
result.setRubrieknummerAdHoc(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_AD_HOC - offset]);
// "95.61 Voorwaarderegel ad hoc"
result.setVoorwaarderegelAdHoc(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_AD_HOC - offset]);
// "95.62 Plaatsingsbevoegdheid persoonslijst"
result.setPlaatsingsbevoegdheidPersoonslijst(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_PLAATSINGSBEVOEGDHEID_PERSOONSLIJST
- offset]));
// "95.63 Afnemersverstrekking"
result.setAfnemersverstrekking(values[AutorisatieCsvConstants.KOLOM_AFNEMERSVERSTREKKING - offset]);
// "95.66 Adresvraag bevoegdheid"
result.setAdresvraagBevoegdheid(SimpleParser.parseInteger(values[AutorisatieCsvConstants.KOLOM_ADRESVRAAG_BEVOEGDHEID - offset]));
// "95.67 Medium ad hoc"
result.setMediumAdHoc(values[AutorisatieCsvConstants.KOLOM_MEDIUM_AD_HOC - offset]);
// "95.70 Rubrieknummer adresgeoriënteerd"
result.setRubrieknummerAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_RUBRIEKNUMMER_ADRESGEORIENTEERD - offset]);
// "95.71 Voorwaarderegel adresgeoriënteerd"
result.setVoorwaarderegelAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_VOORWAARDEREGEL_ADRESGEORIENTEERD - offset]);
// "95.73 Medium adresgeoriënteerd"
result.setMediumAdresgeorienteerd(values[AutorisatieCsvConstants.KOLOM_MEDIUM_ADRESGEORIENTEERD - offset]);
return result;
}
private String[] splitCsvLine(final String line) {
final List<String> values = new ArrayList<>();
int index = 0;
while (index < line.length()) {
final boolean startsWithQuote = line.charAt(index) == QUOTED_START;
if (startsWithQuote) {
int end = line.indexOf(QUOTED_END, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index + 1, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 2;
} else {
int end = line.indexOf(SEPARATOR, index);
if (end == -1) {
end = line.length() - 1;
}
final String value = line.substring(index, end);
if (!"".equals(value)) {
values.add(value);
} else {
values.add(null);
}
index = end + 1;
}
}
if (line.endsWith(SEPARATOR)) {
values.add(null);
}
return values.toArray(new String[values.size()]);
}
private String detectEncoding(final byte[] data, final int length) {
final UniversalDetector detector = new UniversalDetector(null);
detector.handleData(data, 0, length);
detector.dataEnd();
final String encoding = detector.getDetectedCharset();
detector.reset();
return encoding == null ? "UTF-8" : encoding;
}
/**
* Aanname: hoeft niet te sorteren over afnemers heen; alleen binnen een afnemer voor de versies.
*/
private static class AutorisatieInhoudDatumIngangDescendingComparator implements Comparator<Lo3AutorisatieInhoud>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3AutorisatieInhoud o1, final Lo3AutorisatieInhoud o2) {
final Lo3Datum o1DatumIngang = SimpleParser.parseLo3Datum(o1.getDatumIngang() != null ? o1.getDatumIngang().getWaarde() : null);
final Lo3Datum o2DatumIngang = SimpleParser.parseLo3Datum(o2.getDatumIngang() != null ? o2.getDatumIngang().getWaarde() : null);
final Lo3Datum o1DatumEinde = SimpleParser.parseLo3Datum(o1.getDatumEinde() != null ? o1.getDatumEinde().getWaarde() : null);
final Lo3Datum o2DatumEinde = SimpleParser.parseLo3Datum(o2.getDatumEinde() != null ? o2.getDatumEinde().getWaarde() : null);
// Initieel vergelijken op 99.99 Einddatum.
int resultaat = new DatumComparator().compare(o1DatumEinde, o2DatumEinde);
// Indien vergelijken op 99.99 Einddatum gelijk resultaat geeft, extra vergelijken op 99.98 Ingangsdatum.
if (resultaat == 0) {
resultaat = new DatumComparator().compare(o1DatumIngang, o2DatumIngang);
}
return resultaat;
}
}
/**
* Vergelijker voor Lo3Datums<SUF>*/
private static class DatumComparator implements Comparator<Lo3Datum>, Serializable {
private static final long serialVersionUID = 1L;
@Override
public int compare(final Lo3Datum o1, final Lo3Datum o2) {
final int resultaat;
if (o1 == null) {
if (o2 == null) {
resultaat = 0;
} else {
resultaat = -1;
}
} else if (o2 == null) {
resultaat = 1;
} else {
resultaat = o2.compareTo(o1);
}
return resultaat;
}
}
}
|
204690_43 | /*
* Copyright 2014 Martin Steiger
*
* The contents of this file is dual-licensed under 2
* alternative Open Source/Free licenses: LGPL 2.1 or later and
* Apache License 2.0. (starting with JNA version 4.0.0).
*
* You can freely decide which license you want to apply to
* the project.
*
* You may obtain a copy of the LGPL License at:
*
* http://www.gnu.org/licenses/licenses.html
*
* A copy is also included in the downloadable source code package
* containing JNA, in file "LGPL2.1".
*
* You may obtain a copy of the Apache License at:
*
* http://www.apache.org/licenses/
*
* A copy is also included in the downloadable source code package
* containing JNA, in file "AL2.0".
*/
package com.sun.jna.platform.win32;
import com.sun.jna.platform.EnumUtils;
/**
* A conversion of HighLevelMonitorConfigurationAPI.h
* @author Martin Steiger
*/
public interface HighLevelMonitorConfigurationAPI
{
/**
* Monitor capabilities - retrieved by GetMonitorCapabilities
*/
enum MC_CAPS implements FlagEnum
{
/**
* The monitor does not support any monitor settings.
*/
MC_CAPS_NONE (0x00000000),
/**
* The monitor supports the GetMonitorTechnologyType function.
*/
MC_CAPS_MONITOR_TECHNOLOGY_TYPE (0x00000001),
/**
* The monitor supports the GetMonitorBrightness and SetMonitorBrightness functions.
*/
MC_CAPS_BRIGHTNESS (0x00000002),
/**
* The monitor supports the GetMonitorContrast and SetMonitorContrast functions.
*/
MC_CAPS_CONTRAST (0x00000004),
/**
* The monitor supports the GetMonitorColorTemperature and SetMonitorColorTemperature functions.
*/
MC_CAPS_COLOR_TEMPERATURE (0x00000008),
/**
* The monitor supports the GetMonitorRedGreenOrBlueGain and SetMonitorRedGreenOrBlueGain functions.
*/
MC_CAPS_RED_GREEN_BLUE_GAIN (0x00000010),
/**
* The monitor supports the GetMonitorRedGreenOrBlueDrive and SetMonitorRedGreenOrBlueDrive functions.
*/
MC_CAPS_RED_GREEN_BLUE_DRIVE (0x00000020),
/**
* The monitor supports the DegaussMonitor function.
*/
MC_CAPS_DEGAUSS (0x00000040),
/**
* The monitor supports the GetMonitorDisplayAreaPosition and SetMonitorDisplayAreaPosition functions.
*/
MC_CAPS_DISPLAY_AREA_POSITION (0x00000080),
/**
* The monitor supports the GetMonitorDisplayAreaSize and SetMonitorDisplayAreaSize functions.
*/
MC_CAPS_DISPLAY_AREA_SIZE (0x00000100),
/**
* The monitor supports the RestoreMonitorFactoryDefaults function.
*/
MC_CAPS_RESTORE_FACTORY_DEFAULTS (0x00000400),
/**
* The monitor supports the RestoreMonitorFactoryColorDefaults function.
*/
MC_CAPS_RESTORE_FACTORY_COLOR_DEFAULTS (0x00000800),
/**
* If this flag is present, calling the RestoreMonitorFactoryDefaults function enables all of
* the monitor settings used by the high-level monitor configuration functions. For more
* information, see the Remarks section in RestoreMonitorFactoryDefaults.
*/
MC_RESTORE_FACTORY_DEFAULTS_ENABLES_MONITOR_SETTINGS (0x00001000);
private int flag;
MC_CAPS(int flag)
{
this.flag = flag;
}
@Override
public int getFlag()
{
return flag;
}
}
/**
* Monitor capabilities - retrieved by GetMonitorCapabilities
*/
enum MC_SUPPORTED_COLOR_TEMPERATURE implements FlagEnum
{
/**
* No color temperatures are supported.
*/
MC_SUPPORTED_COLOR_TEMPERATURE_NONE (0x00000000),
/**
* The monitor supports 4,000 kelvins (K) color temperature.
*/
MC_SUPPORTED_COLOR_TEMPERATURE_4000K (0x00000001),
/**
* The monitor supports 5,000 K color temperature.
*/
MC_SUPPORTED_COLOR_TEMPERATURE_5000K (0x00000002),
/**
* The monitor supports 6,500 K color temperature.
*/
MC_SUPPORTED_COLOR_TEMPERATURE_6500K (0x00000004),
/**
* The monitor supports 7,500 K color temperature.
*/
MC_SUPPORTED_COLOR_TEMPERATURE_7500K (0x00000008),
/**
* The monitor supports 8,200 K color temperature.
*/
MC_SUPPORTED_COLOR_TEMPERATURE_8200K (0x00000010),
/**
* The monitor supports 9,300 K color temperature.
*/
MC_SUPPORTED_COLOR_TEMPERATURE_9300K (0x00000020),
/**
* The monitor supports 10,000 K color temperature.
*/
MC_SUPPORTED_COLOR_TEMPERATURE_10000K (0x00000040),
/**
* The monitor supports 11,500 K color temperature.
*/
MC_SUPPORTED_COLOR_TEMPERATURE_11500K (0x00000080);
private int flag;
MC_SUPPORTED_COLOR_TEMPERATURE(int flag)
{
this.flag = flag;
}
@Override
public int getFlag()
{
return flag;
}
}
// ******************************************************************************
// Enumerations
// ******************************************************************************
/**
* Identifies monitor display technologies.
*/
public enum MC_DISPLAY_TECHNOLOGY_TYPE
{
/**
* Shadow-mask cathode ray tube (CRT).
*/
MC_SHADOW_MASK_CATHODE_RAY_TUBE,
/**
* Aperture-grill CRT.
*/
MC_APERTURE_GRILL_CATHODE_RAY_TUBE,
/**
* Thin-film transistor (TFT) display.
*/
MC_THIN_FILM_TRANSISTOR,
/**
* Liquid crystal on silicon (LCOS) display.
*/
MC_LIQUID_CRYSTAL_ON_SILICON,
/**
* Plasma display.
*/
MC_PLASMA,
/**
* Organic light emitting diode (LED) display.
*/
MC_ORGANIC_LIGHT_EMITTING_DIODE,
/**
* Electroluminescent display.
*/
MC_ELECTROLUMINESCENT,
/**
* Microelectromechanical display.
*/
MC_MICROELECTROMECHANICAL,
/**
* Field emission device (FED) display.
*/
MC_FIELD_EMISSION_DEVICE;
/**
* Defines a Reference to the enum
*/
public static class ByReference extends com.sun.jna.ptr.ByReference {
/**
* Create an uninitialized reference
*/
public ByReference() {
super(4);
getPointer().setInt(0, EnumUtils.UNINITIALIZED);
}
/**
* Instantiates a new reference.
* @param value the value
*/
public ByReference(MC_DISPLAY_TECHNOLOGY_TYPE value) {
super(4);
setValue(value);
}
/**
* Sets the value.
* @param value the new value
*/
public void setValue(MC_DISPLAY_TECHNOLOGY_TYPE value) {
getPointer().setInt(0, EnumUtils.toInteger(value));
}
/**
* Gets the value.
* @return the value
*/
public MC_DISPLAY_TECHNOLOGY_TYPE getValue() {
return EnumUtils.fromInteger(getPointer().getInt(0), MC_DISPLAY_TECHNOLOGY_TYPE.class);
}
}
}
/**
* Specifies whether to set or get a monitor's red, green, or blue drive.
*/
public enum MC_DRIVE_TYPE
{
/**
* Red drive
*/
MC_RED_DRIVE,
/**
* Green drive
*/
MC_GREEN_DRIVE,
/**
* Blue drive
*/
MC_BLUE_DRIVE
}
/**
* Specifies whether to get or set a monitor's red, green, or blue gain.
*/
public enum MC_GAIN_TYPE
{
/**
* Red gain
*/
MC_RED_GAIN,
/**
* Green gain
*/
MC_GREEN_GAIN,
/**
* Blue gain
*/
MC_BLUE_GAIN
}
/**
* Specifies whether to get or set the vertical or horizontal position of a monitor's display area.
*/
public enum MC_POSITION_TYPE
{
/**
* Horizontal position
*/
MC_HORIZONTAL_POSITION,
/**
* Vertical position
*/
MC_VERTICAL_POSITION
}
/**
* Specifies whether to get or set the width or height of a monitor's display area.
*/
public enum MC_SIZE_TYPE
{
/**
* Width
*/
MC_WIDTH,
/**
* Height
*/
MC_HEIGHT
}
/**
* Describes a monitor's color temperature.
*/
public enum MC_COLOR_TEMPERATURE
{
/**
* Unknown temperature.
*/
MC_COLOR_TEMPERATURE_UNKNOWN,
/**
* 4,000 kelvins (K).
*/
MC_COLOR_TEMPERATURE_4000K,
/**
* 5,000 kelvins (K).
*/
MC_COLOR_TEMPERATURE_5000K,
/**
* 6,500 kelvins (K).
*/
MC_COLOR_TEMPERATURE_6500K,
/**
* 7,500 kelvins (K).
*/
MC_COLOR_TEMPERATURE_7500K,
/**
* 8,200 kelvins (K).
*/
MC_COLOR_TEMPERATURE_8200K,
/**
* 9,300 kelvins (K).
*/
MC_COLOR_TEMPERATURE_9300K,
/**
* 10,000 kelvins (K).
*/
MC_COLOR_TEMPERATURE_10000K,
/**
* 11,500 kelvins (K).
*/
MC_COLOR_TEMPERATURE_11500K;
/**
* Defines a Reference to the enum
*/
public static class ByReference extends com.sun.jna.ptr.ByReference {
/**
* Create an uninitialized reference
*/
public ByReference() {
super(4);
getPointer().setInt(0, EnumUtils.UNINITIALIZED);
}
/**
* Instantiates a new reference.
* @param value the value
*/
public ByReference(MC_COLOR_TEMPERATURE value) {
super(4);
setValue(value);
}
/**
* Sets the value.
* @param value the new value
*/
public void setValue(MC_COLOR_TEMPERATURE value) {
getPointer().setInt(0, EnumUtils.toInteger(value));
}
/**
* Gets the value.
* @return the value
*/
public MC_COLOR_TEMPERATURE getValue() {
return EnumUtils.fromInteger(getPointer().getInt(0), MC_COLOR_TEMPERATURE.class);
}
}
}
}
| java-native-access/jna | contrib/platform/src/com/sun/jna/platform/win32/HighLevelMonitorConfigurationAPI.java | 3,058 | /**
* Green drive
*/ | block_comment | nl | /*
* Copyright 2014 Martin Steiger
*
* The contents of this file is dual-licensed under 2
* alternative Open Source/Free licenses: LGPL 2.1 or later and
* Apache License 2.0. (starting with JNA version 4.0.0).
*
* You can freely decide which license you want to apply to
* the project.
*
* You may obtain a copy of the LGPL License at:
*
* http://www.gnu.org/licenses/licenses.html
*
* A copy is also included in the downloadable source code package
* containing JNA, in file "LGPL2.1".
*
* You may obtain a copy of the Apache License at:
*
* http://www.apache.org/licenses/
*
* A copy is also included in the downloadable source code package
* containing JNA, in file "AL2.0".
*/
package com.sun.jna.platform.win32;
import com.sun.jna.platform.EnumUtils;
/**
* A conversion of HighLevelMonitorConfigurationAPI.h
* @author Martin Steiger
*/
public interface HighLevelMonitorConfigurationAPI
{
/**
* Monitor capabilities - retrieved by GetMonitorCapabilities
*/
enum MC_CAPS implements FlagEnum
{
/**
* The monitor does not support any monitor settings.
*/
MC_CAPS_NONE (0x00000000),
/**
* The monitor supports the GetMonitorTechnologyType function.
*/
MC_CAPS_MONITOR_TECHNOLOGY_TYPE (0x00000001),
/**
* The monitor supports the GetMonitorBrightness and SetMonitorBrightness functions.
*/
MC_CAPS_BRIGHTNESS (0x00000002),
/**
* The monitor supports the GetMonitorContrast and SetMonitorContrast functions.
*/
MC_CAPS_CONTRAST (0x00000004),
/**
* The monitor supports the GetMonitorColorTemperature and SetMonitorColorTemperature functions.
*/
MC_CAPS_COLOR_TEMPERATURE (0x00000008),
/**
* The monitor supports the GetMonitorRedGreenOrBlueGain and SetMonitorRedGreenOrBlueGain functions.
*/
MC_CAPS_RED_GREEN_BLUE_GAIN (0x00000010),
/**
* The monitor supports the GetMonitorRedGreenOrBlueDrive and SetMonitorRedGreenOrBlueDrive functions.
*/
MC_CAPS_RED_GREEN_BLUE_DRIVE (0x00000020),
/**
* The monitor supports the DegaussMonitor function.
*/
MC_CAPS_DEGAUSS (0x00000040),
/**
* The monitor supports the GetMonitorDisplayAreaPosition and SetMonitorDisplayAreaPosition functions.
*/
MC_CAPS_DISPLAY_AREA_POSITION (0x00000080),
/**
* The monitor supports the GetMonitorDisplayAreaSize and SetMonitorDisplayAreaSize functions.
*/
MC_CAPS_DISPLAY_AREA_SIZE (0x00000100),
/**
* The monitor supports the RestoreMonitorFactoryDefaults function.
*/
MC_CAPS_RESTORE_FACTORY_DEFAULTS (0x00000400),
/**
* The monitor supports the RestoreMonitorFactoryColorDefaults function.
*/
MC_CAPS_RESTORE_FACTORY_COLOR_DEFAULTS (0x00000800),
/**
* If this flag is present, calling the RestoreMonitorFactoryDefaults function enables all of
* the monitor settings used by the high-level monitor configuration functions. For more
* information, see the Remarks section in RestoreMonitorFactoryDefaults.
*/
MC_RESTORE_FACTORY_DEFAULTS_ENABLES_MONITOR_SETTINGS (0x00001000);
private int flag;
MC_CAPS(int flag)
{
this.flag = flag;
}
@Override
public int getFlag()
{
return flag;
}
}
/**
* Monitor capabilities - retrieved by GetMonitorCapabilities
*/
enum MC_SUPPORTED_COLOR_TEMPERATURE implements FlagEnum
{
/**
* No color temperatures are supported.
*/
MC_SUPPORTED_COLOR_TEMPERATURE_NONE (0x00000000),
/**
* The monitor supports 4,000 kelvins (K) color temperature.
*/
MC_SUPPORTED_COLOR_TEMPERATURE_4000K (0x00000001),
/**
* The monitor supports 5,000 K color temperature.
*/
MC_SUPPORTED_COLOR_TEMPERATURE_5000K (0x00000002),
/**
* The monitor supports 6,500 K color temperature.
*/
MC_SUPPORTED_COLOR_TEMPERATURE_6500K (0x00000004),
/**
* The monitor supports 7,500 K color temperature.
*/
MC_SUPPORTED_COLOR_TEMPERATURE_7500K (0x00000008),
/**
* The monitor supports 8,200 K color temperature.
*/
MC_SUPPORTED_COLOR_TEMPERATURE_8200K (0x00000010),
/**
* The monitor supports 9,300 K color temperature.
*/
MC_SUPPORTED_COLOR_TEMPERATURE_9300K (0x00000020),
/**
* The monitor supports 10,000 K color temperature.
*/
MC_SUPPORTED_COLOR_TEMPERATURE_10000K (0x00000040),
/**
* The monitor supports 11,500 K color temperature.
*/
MC_SUPPORTED_COLOR_TEMPERATURE_11500K (0x00000080);
private int flag;
MC_SUPPORTED_COLOR_TEMPERATURE(int flag)
{
this.flag = flag;
}
@Override
public int getFlag()
{
return flag;
}
}
// ******************************************************************************
// Enumerations
// ******************************************************************************
/**
* Identifies monitor display technologies.
*/
public enum MC_DISPLAY_TECHNOLOGY_TYPE
{
/**
* Shadow-mask cathode ray tube (CRT).
*/
MC_SHADOW_MASK_CATHODE_RAY_TUBE,
/**
* Aperture-grill CRT.
*/
MC_APERTURE_GRILL_CATHODE_RAY_TUBE,
/**
* Thin-film transistor (TFT) display.
*/
MC_THIN_FILM_TRANSISTOR,
/**
* Liquid crystal on silicon (LCOS) display.
*/
MC_LIQUID_CRYSTAL_ON_SILICON,
/**
* Plasma display.
*/
MC_PLASMA,
/**
* Organic light emitting diode (LED) display.
*/
MC_ORGANIC_LIGHT_EMITTING_DIODE,
/**
* Electroluminescent display.
*/
MC_ELECTROLUMINESCENT,
/**
* Microelectromechanical display.
*/
MC_MICROELECTROMECHANICAL,
/**
* Field emission device (FED) display.
*/
MC_FIELD_EMISSION_DEVICE;
/**
* Defines a Reference to the enum
*/
public static class ByReference extends com.sun.jna.ptr.ByReference {
/**
* Create an uninitialized reference
*/
public ByReference() {
super(4);
getPointer().setInt(0, EnumUtils.UNINITIALIZED);
}
/**
* Instantiates a new reference.
* @param value the value
*/
public ByReference(MC_DISPLAY_TECHNOLOGY_TYPE value) {
super(4);
setValue(value);
}
/**
* Sets the value.
* @param value the new value
*/
public void setValue(MC_DISPLAY_TECHNOLOGY_TYPE value) {
getPointer().setInt(0, EnumUtils.toInteger(value));
}
/**
* Gets the value.
* @return the value
*/
public MC_DISPLAY_TECHNOLOGY_TYPE getValue() {
return EnumUtils.fromInteger(getPointer().getInt(0), MC_DISPLAY_TECHNOLOGY_TYPE.class);
}
}
}
/**
* Specifies whether to set or get a monitor's red, green, or blue drive.
*/
public enum MC_DRIVE_TYPE
{
/**
* Red drive
*/
MC_RED_DRIVE,
/**
* Green drive
<SUF>*/
MC_GREEN_DRIVE,
/**
* Blue drive
*/
MC_BLUE_DRIVE
}
/**
* Specifies whether to get or set a monitor's red, green, or blue gain.
*/
public enum MC_GAIN_TYPE
{
/**
* Red gain
*/
MC_RED_GAIN,
/**
* Green gain
*/
MC_GREEN_GAIN,
/**
* Blue gain
*/
MC_BLUE_GAIN
}
/**
* Specifies whether to get or set the vertical or horizontal position of a monitor's display area.
*/
public enum MC_POSITION_TYPE
{
/**
* Horizontal position
*/
MC_HORIZONTAL_POSITION,
/**
* Vertical position
*/
MC_VERTICAL_POSITION
}
/**
* Specifies whether to get or set the width or height of a monitor's display area.
*/
public enum MC_SIZE_TYPE
{
/**
* Width
*/
MC_WIDTH,
/**
* Height
*/
MC_HEIGHT
}
/**
* Describes a monitor's color temperature.
*/
public enum MC_COLOR_TEMPERATURE
{
/**
* Unknown temperature.
*/
MC_COLOR_TEMPERATURE_UNKNOWN,
/**
* 4,000 kelvins (K).
*/
MC_COLOR_TEMPERATURE_4000K,
/**
* 5,000 kelvins (K).
*/
MC_COLOR_TEMPERATURE_5000K,
/**
* 6,500 kelvins (K).
*/
MC_COLOR_TEMPERATURE_6500K,
/**
* 7,500 kelvins (K).
*/
MC_COLOR_TEMPERATURE_7500K,
/**
* 8,200 kelvins (K).
*/
MC_COLOR_TEMPERATURE_8200K,
/**
* 9,300 kelvins (K).
*/
MC_COLOR_TEMPERATURE_9300K,
/**
* 10,000 kelvins (K).
*/
MC_COLOR_TEMPERATURE_10000K,
/**
* 11,500 kelvins (K).
*/
MC_COLOR_TEMPERATURE_11500K;
/**
* Defines a Reference to the enum
*/
public static class ByReference extends com.sun.jna.ptr.ByReference {
/**
* Create an uninitialized reference
*/
public ByReference() {
super(4);
getPointer().setInt(0, EnumUtils.UNINITIALIZED);
}
/**
* Instantiates a new reference.
* @param value the value
*/
public ByReference(MC_COLOR_TEMPERATURE value) {
super(4);
setValue(value);
}
/**
* Sets the value.
* @param value the new value
*/
public void setValue(MC_COLOR_TEMPERATURE value) {
getPointer().setInt(0, EnumUtils.toInteger(value));
}
/**
* Gets the value.
* @return the value
*/
public MC_COLOR_TEMPERATURE getValue() {
return EnumUtils.fromInteger(getPointer().getInt(0), MC_COLOR_TEMPERATURE.class);
}
}
}
}
|
204690_47 | /*
* Copyright 2014 Martin Steiger
*
* The contents of this file is dual-licensed under 2
* alternative Open Source/Free licenses: LGPL 2.1 or later and
* Apache License 2.0. (starting with JNA version 4.0.0).
*
* You can freely decide which license you want to apply to
* the project.
*
* You may obtain a copy of the LGPL License at:
*
* http://www.gnu.org/licenses/licenses.html
*
* A copy is also included in the downloadable source code package
* containing JNA, in file "LGPL2.1".
*
* You may obtain a copy of the Apache License at:
*
* http://www.apache.org/licenses/
*
* A copy is also included in the downloadable source code package
* containing JNA, in file "AL2.0".
*/
package com.sun.jna.platform.win32;
import com.sun.jna.platform.EnumUtils;
/**
* A conversion of HighLevelMonitorConfigurationAPI.h
* @author Martin Steiger
*/
public interface HighLevelMonitorConfigurationAPI
{
/**
* Monitor capabilities - retrieved by GetMonitorCapabilities
*/
enum MC_CAPS implements FlagEnum
{
/**
* The monitor does not support any monitor settings.
*/
MC_CAPS_NONE (0x00000000),
/**
* The monitor supports the GetMonitorTechnologyType function.
*/
MC_CAPS_MONITOR_TECHNOLOGY_TYPE (0x00000001),
/**
* The monitor supports the GetMonitorBrightness and SetMonitorBrightness functions.
*/
MC_CAPS_BRIGHTNESS (0x00000002),
/**
* The monitor supports the GetMonitorContrast and SetMonitorContrast functions.
*/
MC_CAPS_CONTRAST (0x00000004),
/**
* The monitor supports the GetMonitorColorTemperature and SetMonitorColorTemperature functions.
*/
MC_CAPS_COLOR_TEMPERATURE (0x00000008),
/**
* The monitor supports the GetMonitorRedGreenOrBlueGain and SetMonitorRedGreenOrBlueGain functions.
*/
MC_CAPS_RED_GREEN_BLUE_GAIN (0x00000010),
/**
* The monitor supports the GetMonitorRedGreenOrBlueDrive and SetMonitorRedGreenOrBlueDrive functions.
*/
MC_CAPS_RED_GREEN_BLUE_DRIVE (0x00000020),
/**
* The monitor supports the DegaussMonitor function.
*/
MC_CAPS_DEGAUSS (0x00000040),
/**
* The monitor supports the GetMonitorDisplayAreaPosition and SetMonitorDisplayAreaPosition functions.
*/
MC_CAPS_DISPLAY_AREA_POSITION (0x00000080),
/**
* The monitor supports the GetMonitorDisplayAreaSize and SetMonitorDisplayAreaSize functions.
*/
MC_CAPS_DISPLAY_AREA_SIZE (0x00000100),
/**
* The monitor supports the RestoreMonitorFactoryDefaults function.
*/
MC_CAPS_RESTORE_FACTORY_DEFAULTS (0x00000400),
/**
* The monitor supports the RestoreMonitorFactoryColorDefaults function.
*/
MC_CAPS_RESTORE_FACTORY_COLOR_DEFAULTS (0x00000800),
/**
* If this flag is present, calling the RestoreMonitorFactoryDefaults function enables all of
* the monitor settings used by the high-level monitor configuration functions. For more
* information, see the Remarks section in RestoreMonitorFactoryDefaults.
*/
MC_RESTORE_FACTORY_DEFAULTS_ENABLES_MONITOR_SETTINGS (0x00001000);
private int flag;
MC_CAPS(int flag)
{
this.flag = flag;
}
@Override
public int getFlag()
{
return flag;
}
}
/**
* Monitor capabilities - retrieved by GetMonitorCapabilities
*/
enum MC_SUPPORTED_COLOR_TEMPERATURE implements FlagEnum
{
/**
* No color temperatures are supported.
*/
MC_SUPPORTED_COLOR_TEMPERATURE_NONE (0x00000000),
/**
* The monitor supports 4,000 kelvins (K) color temperature.
*/
MC_SUPPORTED_COLOR_TEMPERATURE_4000K (0x00000001),
/**
* The monitor supports 5,000 K color temperature.
*/
MC_SUPPORTED_COLOR_TEMPERATURE_5000K (0x00000002),
/**
* The monitor supports 6,500 K color temperature.
*/
MC_SUPPORTED_COLOR_TEMPERATURE_6500K (0x00000004),
/**
* The monitor supports 7,500 K color temperature.
*/
MC_SUPPORTED_COLOR_TEMPERATURE_7500K (0x00000008),
/**
* The monitor supports 8,200 K color temperature.
*/
MC_SUPPORTED_COLOR_TEMPERATURE_8200K (0x00000010),
/**
* The monitor supports 9,300 K color temperature.
*/
MC_SUPPORTED_COLOR_TEMPERATURE_9300K (0x00000020),
/**
* The monitor supports 10,000 K color temperature.
*/
MC_SUPPORTED_COLOR_TEMPERATURE_10000K (0x00000040),
/**
* The monitor supports 11,500 K color temperature.
*/
MC_SUPPORTED_COLOR_TEMPERATURE_11500K (0x00000080);
private int flag;
MC_SUPPORTED_COLOR_TEMPERATURE(int flag)
{
this.flag = flag;
}
@Override
public int getFlag()
{
return flag;
}
}
// ******************************************************************************
// Enumerations
// ******************************************************************************
/**
* Identifies monitor display technologies.
*/
public enum MC_DISPLAY_TECHNOLOGY_TYPE
{
/**
* Shadow-mask cathode ray tube (CRT).
*/
MC_SHADOW_MASK_CATHODE_RAY_TUBE,
/**
* Aperture-grill CRT.
*/
MC_APERTURE_GRILL_CATHODE_RAY_TUBE,
/**
* Thin-film transistor (TFT) display.
*/
MC_THIN_FILM_TRANSISTOR,
/**
* Liquid crystal on silicon (LCOS) display.
*/
MC_LIQUID_CRYSTAL_ON_SILICON,
/**
* Plasma display.
*/
MC_PLASMA,
/**
* Organic light emitting diode (LED) display.
*/
MC_ORGANIC_LIGHT_EMITTING_DIODE,
/**
* Electroluminescent display.
*/
MC_ELECTROLUMINESCENT,
/**
* Microelectromechanical display.
*/
MC_MICROELECTROMECHANICAL,
/**
* Field emission device (FED) display.
*/
MC_FIELD_EMISSION_DEVICE;
/**
* Defines a Reference to the enum
*/
public static class ByReference extends com.sun.jna.ptr.ByReference {
/**
* Create an uninitialized reference
*/
public ByReference() {
super(4);
getPointer().setInt(0, EnumUtils.UNINITIALIZED);
}
/**
* Instantiates a new reference.
* @param value the value
*/
public ByReference(MC_DISPLAY_TECHNOLOGY_TYPE value) {
super(4);
setValue(value);
}
/**
* Sets the value.
* @param value the new value
*/
public void setValue(MC_DISPLAY_TECHNOLOGY_TYPE value) {
getPointer().setInt(0, EnumUtils.toInteger(value));
}
/**
* Gets the value.
* @return the value
*/
public MC_DISPLAY_TECHNOLOGY_TYPE getValue() {
return EnumUtils.fromInteger(getPointer().getInt(0), MC_DISPLAY_TECHNOLOGY_TYPE.class);
}
}
}
/**
* Specifies whether to set or get a monitor's red, green, or blue drive.
*/
public enum MC_DRIVE_TYPE
{
/**
* Red drive
*/
MC_RED_DRIVE,
/**
* Green drive
*/
MC_GREEN_DRIVE,
/**
* Blue drive
*/
MC_BLUE_DRIVE
}
/**
* Specifies whether to get or set a monitor's red, green, or blue gain.
*/
public enum MC_GAIN_TYPE
{
/**
* Red gain
*/
MC_RED_GAIN,
/**
* Green gain
*/
MC_GREEN_GAIN,
/**
* Blue gain
*/
MC_BLUE_GAIN
}
/**
* Specifies whether to get or set the vertical or horizontal position of a monitor's display area.
*/
public enum MC_POSITION_TYPE
{
/**
* Horizontal position
*/
MC_HORIZONTAL_POSITION,
/**
* Vertical position
*/
MC_VERTICAL_POSITION
}
/**
* Specifies whether to get or set the width or height of a monitor's display area.
*/
public enum MC_SIZE_TYPE
{
/**
* Width
*/
MC_WIDTH,
/**
* Height
*/
MC_HEIGHT
}
/**
* Describes a monitor's color temperature.
*/
public enum MC_COLOR_TEMPERATURE
{
/**
* Unknown temperature.
*/
MC_COLOR_TEMPERATURE_UNKNOWN,
/**
* 4,000 kelvins (K).
*/
MC_COLOR_TEMPERATURE_4000K,
/**
* 5,000 kelvins (K).
*/
MC_COLOR_TEMPERATURE_5000K,
/**
* 6,500 kelvins (K).
*/
MC_COLOR_TEMPERATURE_6500K,
/**
* 7,500 kelvins (K).
*/
MC_COLOR_TEMPERATURE_7500K,
/**
* 8,200 kelvins (K).
*/
MC_COLOR_TEMPERATURE_8200K,
/**
* 9,300 kelvins (K).
*/
MC_COLOR_TEMPERATURE_9300K,
/**
* 10,000 kelvins (K).
*/
MC_COLOR_TEMPERATURE_10000K,
/**
* 11,500 kelvins (K).
*/
MC_COLOR_TEMPERATURE_11500K;
/**
* Defines a Reference to the enum
*/
public static class ByReference extends com.sun.jna.ptr.ByReference {
/**
* Create an uninitialized reference
*/
public ByReference() {
super(4);
getPointer().setInt(0, EnumUtils.UNINITIALIZED);
}
/**
* Instantiates a new reference.
* @param value the value
*/
public ByReference(MC_COLOR_TEMPERATURE value) {
super(4);
setValue(value);
}
/**
* Sets the value.
* @param value the new value
*/
public void setValue(MC_COLOR_TEMPERATURE value) {
getPointer().setInt(0, EnumUtils.toInteger(value));
}
/**
* Gets the value.
* @return the value
*/
public MC_COLOR_TEMPERATURE getValue() {
return EnumUtils.fromInteger(getPointer().getInt(0), MC_COLOR_TEMPERATURE.class);
}
}
}
}
| java-native-access/jna | contrib/platform/src/com/sun/jna/platform/win32/HighLevelMonitorConfigurationAPI.java | 3,058 | /**
* Green gain
*/ | block_comment | nl | /*
* Copyright 2014 Martin Steiger
*
* The contents of this file is dual-licensed under 2
* alternative Open Source/Free licenses: LGPL 2.1 or later and
* Apache License 2.0. (starting with JNA version 4.0.0).
*
* You can freely decide which license you want to apply to
* the project.
*
* You may obtain a copy of the LGPL License at:
*
* http://www.gnu.org/licenses/licenses.html
*
* A copy is also included in the downloadable source code package
* containing JNA, in file "LGPL2.1".
*
* You may obtain a copy of the Apache License at:
*
* http://www.apache.org/licenses/
*
* A copy is also included in the downloadable source code package
* containing JNA, in file "AL2.0".
*/
package com.sun.jna.platform.win32;
import com.sun.jna.platform.EnumUtils;
/**
* A conversion of HighLevelMonitorConfigurationAPI.h
* @author Martin Steiger
*/
public interface HighLevelMonitorConfigurationAPI
{
/**
* Monitor capabilities - retrieved by GetMonitorCapabilities
*/
enum MC_CAPS implements FlagEnum
{
/**
* The monitor does not support any monitor settings.
*/
MC_CAPS_NONE (0x00000000),
/**
* The monitor supports the GetMonitorTechnologyType function.
*/
MC_CAPS_MONITOR_TECHNOLOGY_TYPE (0x00000001),
/**
* The monitor supports the GetMonitorBrightness and SetMonitorBrightness functions.
*/
MC_CAPS_BRIGHTNESS (0x00000002),
/**
* The monitor supports the GetMonitorContrast and SetMonitorContrast functions.
*/
MC_CAPS_CONTRAST (0x00000004),
/**
* The monitor supports the GetMonitorColorTemperature and SetMonitorColorTemperature functions.
*/
MC_CAPS_COLOR_TEMPERATURE (0x00000008),
/**
* The monitor supports the GetMonitorRedGreenOrBlueGain and SetMonitorRedGreenOrBlueGain functions.
*/
MC_CAPS_RED_GREEN_BLUE_GAIN (0x00000010),
/**
* The monitor supports the GetMonitorRedGreenOrBlueDrive and SetMonitorRedGreenOrBlueDrive functions.
*/
MC_CAPS_RED_GREEN_BLUE_DRIVE (0x00000020),
/**
* The monitor supports the DegaussMonitor function.
*/
MC_CAPS_DEGAUSS (0x00000040),
/**
* The monitor supports the GetMonitorDisplayAreaPosition and SetMonitorDisplayAreaPosition functions.
*/
MC_CAPS_DISPLAY_AREA_POSITION (0x00000080),
/**
* The monitor supports the GetMonitorDisplayAreaSize and SetMonitorDisplayAreaSize functions.
*/
MC_CAPS_DISPLAY_AREA_SIZE (0x00000100),
/**
* The monitor supports the RestoreMonitorFactoryDefaults function.
*/
MC_CAPS_RESTORE_FACTORY_DEFAULTS (0x00000400),
/**
* The monitor supports the RestoreMonitorFactoryColorDefaults function.
*/
MC_CAPS_RESTORE_FACTORY_COLOR_DEFAULTS (0x00000800),
/**
* If this flag is present, calling the RestoreMonitorFactoryDefaults function enables all of
* the monitor settings used by the high-level monitor configuration functions. For more
* information, see the Remarks section in RestoreMonitorFactoryDefaults.
*/
MC_RESTORE_FACTORY_DEFAULTS_ENABLES_MONITOR_SETTINGS (0x00001000);
private int flag;
MC_CAPS(int flag)
{
this.flag = flag;
}
@Override
public int getFlag()
{
return flag;
}
}
/**
* Monitor capabilities - retrieved by GetMonitorCapabilities
*/
enum MC_SUPPORTED_COLOR_TEMPERATURE implements FlagEnum
{
/**
* No color temperatures are supported.
*/
MC_SUPPORTED_COLOR_TEMPERATURE_NONE (0x00000000),
/**
* The monitor supports 4,000 kelvins (K) color temperature.
*/
MC_SUPPORTED_COLOR_TEMPERATURE_4000K (0x00000001),
/**
* The monitor supports 5,000 K color temperature.
*/
MC_SUPPORTED_COLOR_TEMPERATURE_5000K (0x00000002),
/**
* The monitor supports 6,500 K color temperature.
*/
MC_SUPPORTED_COLOR_TEMPERATURE_6500K (0x00000004),
/**
* The monitor supports 7,500 K color temperature.
*/
MC_SUPPORTED_COLOR_TEMPERATURE_7500K (0x00000008),
/**
* The monitor supports 8,200 K color temperature.
*/
MC_SUPPORTED_COLOR_TEMPERATURE_8200K (0x00000010),
/**
* The monitor supports 9,300 K color temperature.
*/
MC_SUPPORTED_COLOR_TEMPERATURE_9300K (0x00000020),
/**
* The monitor supports 10,000 K color temperature.
*/
MC_SUPPORTED_COLOR_TEMPERATURE_10000K (0x00000040),
/**
* The monitor supports 11,500 K color temperature.
*/
MC_SUPPORTED_COLOR_TEMPERATURE_11500K (0x00000080);
private int flag;
MC_SUPPORTED_COLOR_TEMPERATURE(int flag)
{
this.flag = flag;
}
@Override
public int getFlag()
{
return flag;
}
}
// ******************************************************************************
// Enumerations
// ******************************************************************************
/**
* Identifies monitor display technologies.
*/
public enum MC_DISPLAY_TECHNOLOGY_TYPE
{
/**
* Shadow-mask cathode ray tube (CRT).
*/
MC_SHADOW_MASK_CATHODE_RAY_TUBE,
/**
* Aperture-grill CRT.
*/
MC_APERTURE_GRILL_CATHODE_RAY_TUBE,
/**
* Thin-film transistor (TFT) display.
*/
MC_THIN_FILM_TRANSISTOR,
/**
* Liquid crystal on silicon (LCOS) display.
*/
MC_LIQUID_CRYSTAL_ON_SILICON,
/**
* Plasma display.
*/
MC_PLASMA,
/**
* Organic light emitting diode (LED) display.
*/
MC_ORGANIC_LIGHT_EMITTING_DIODE,
/**
* Electroluminescent display.
*/
MC_ELECTROLUMINESCENT,
/**
* Microelectromechanical display.
*/
MC_MICROELECTROMECHANICAL,
/**
* Field emission device (FED) display.
*/
MC_FIELD_EMISSION_DEVICE;
/**
* Defines a Reference to the enum
*/
public static class ByReference extends com.sun.jna.ptr.ByReference {
/**
* Create an uninitialized reference
*/
public ByReference() {
super(4);
getPointer().setInt(0, EnumUtils.UNINITIALIZED);
}
/**
* Instantiates a new reference.
* @param value the value
*/
public ByReference(MC_DISPLAY_TECHNOLOGY_TYPE value) {
super(4);
setValue(value);
}
/**
* Sets the value.
* @param value the new value
*/
public void setValue(MC_DISPLAY_TECHNOLOGY_TYPE value) {
getPointer().setInt(0, EnumUtils.toInteger(value));
}
/**
* Gets the value.
* @return the value
*/
public MC_DISPLAY_TECHNOLOGY_TYPE getValue() {
return EnumUtils.fromInteger(getPointer().getInt(0), MC_DISPLAY_TECHNOLOGY_TYPE.class);
}
}
}
/**
* Specifies whether to set or get a monitor's red, green, or blue drive.
*/
public enum MC_DRIVE_TYPE
{
/**
* Red drive
*/
MC_RED_DRIVE,
/**
* Green drive
*/
MC_GREEN_DRIVE,
/**
* Blue drive
*/
MC_BLUE_DRIVE
}
/**
* Specifies whether to get or set a monitor's red, green, or blue gain.
*/
public enum MC_GAIN_TYPE
{
/**
* Red gain
*/
MC_RED_GAIN,
/**
* Green gain
<SUF>*/
MC_GREEN_GAIN,
/**
* Blue gain
*/
MC_BLUE_GAIN
}
/**
* Specifies whether to get or set the vertical or horizontal position of a monitor's display area.
*/
public enum MC_POSITION_TYPE
{
/**
* Horizontal position
*/
MC_HORIZONTAL_POSITION,
/**
* Vertical position
*/
MC_VERTICAL_POSITION
}
/**
* Specifies whether to get or set the width or height of a monitor's display area.
*/
public enum MC_SIZE_TYPE
{
/**
* Width
*/
MC_WIDTH,
/**
* Height
*/
MC_HEIGHT
}
/**
* Describes a monitor's color temperature.
*/
public enum MC_COLOR_TEMPERATURE
{
/**
* Unknown temperature.
*/
MC_COLOR_TEMPERATURE_UNKNOWN,
/**
* 4,000 kelvins (K).
*/
MC_COLOR_TEMPERATURE_4000K,
/**
* 5,000 kelvins (K).
*/
MC_COLOR_TEMPERATURE_5000K,
/**
* 6,500 kelvins (K).
*/
MC_COLOR_TEMPERATURE_6500K,
/**
* 7,500 kelvins (K).
*/
MC_COLOR_TEMPERATURE_7500K,
/**
* 8,200 kelvins (K).
*/
MC_COLOR_TEMPERATURE_8200K,
/**
* 9,300 kelvins (K).
*/
MC_COLOR_TEMPERATURE_9300K,
/**
* 10,000 kelvins (K).
*/
MC_COLOR_TEMPERATURE_10000K,
/**
* 11,500 kelvins (K).
*/
MC_COLOR_TEMPERATURE_11500K;
/**
* Defines a Reference to the enum
*/
public static class ByReference extends com.sun.jna.ptr.ByReference {
/**
* Create an uninitialized reference
*/
public ByReference() {
super(4);
getPointer().setInt(0, EnumUtils.UNINITIALIZED);
}
/**
* Instantiates a new reference.
* @param value the value
*/
public ByReference(MC_COLOR_TEMPERATURE value) {
super(4);
setValue(value);
}
/**
* Sets the value.
* @param value the new value
*/
public void setValue(MC_COLOR_TEMPERATURE value) {
getPointer().setInt(0, EnumUtils.toInteger(value));
}
/**
* Gets the value.
* @return the value
*/
public MC_COLOR_TEMPERATURE getValue() {
return EnumUtils.fromInteger(getPointer().getInt(0), MC_COLOR_TEMPERATURE.class);
}
}
}
}
|
204694_29 | /*
* Copyright 2000-2022 Vaadin Ltd.
*
* 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.
*/
package com.vaadin.ui;
import java.util.Collections;
import java.util.Iterator;
import java.util.LinkedList;
import org.jsoup.nodes.Element;
import com.vaadin.event.LayoutEvents.LayoutClickEvent;
import com.vaadin.event.LayoutEvents.LayoutClickListener;
import com.vaadin.event.LayoutEvents.LayoutClickNotifier;
import com.vaadin.shared.Connector;
import com.vaadin.shared.EventId;
import com.vaadin.shared.MouseEventDetails;
import com.vaadin.shared.Registration;
import com.vaadin.shared.ui.csslayout.CssLayoutServerRpc;
import com.vaadin.shared.ui.csslayout.CssLayoutState;
import com.vaadin.ui.declarative.DesignContext;
/**
* CssLayout is a layout component that can be used in browser environment only.
* It simply renders components and their captions into a same div element.
* Component layout can then be adjusted with css.
* <p>
* In comparison to {@link HorizontalLayout} and {@link VerticalLayout}
* <ul>
* <li>rather similar server side api
* <li>no spacing, alignment or expand ratios
* <li>much simpler DOM that can be styled by skilled web developer
* <li>no abstraction of browser differences (developer must ensure that the
* result works properly on each browser)
* <li>different kind of handling for relative sizes (that are set from server
* side) (*)
* <li>noticeably faster rendering time in some situations as we rely more on
* the browser's rendering engine.
* </ul>
* <p>
* With {@link CustomLayout} one can often achieve similar results (good looking
* layouts with web technologies), but with CustomLayout developer needs to work
* with fixed templates.
* <p>
* By extending CssLayout one can also inject some css rules straight to child
* components using {@link #getCss(Component)}.
*
* <p>
* (*) Relative sizes (set from server side) are treated bit differently than in
* other layouts in Vaadin. In cssLayout the size is calculated relatively to
* CSS layouts content area which is pretty much as in html and css. In other
* layouts the size of component is calculated relatively to the "slot" given by
* layout.
* <p>
* Also note that client side framework in Vaadin modifies inline style
* properties width and height. This happens on each update to component. If one
* wants to set component sizes with CSS, component must have undefined size on
* server side (which is not the default for all components) and the size must
* be defined with class styles - not by directly injecting width and height.
*
* @since 6.1 brought in from "FastLayouts" incubator project
*
*/
public class CssLayout extends AbstractLayout implements LayoutClickNotifier {
private CssLayoutServerRpc rpc = (MouseEventDetails mouseDetails,
Connector clickedConnector) -> fireEvent(
LayoutClickEvent.createEvent(CssLayout.this, mouseDetails,
clickedConnector));
/**
* Custom layout slots containing the components.
*/
protected LinkedList<Component> components = new LinkedList<>();
/**
* Constructs an empty CssLayout.
*/
public CssLayout() {
registerRpc(rpc);
}
/**
* Constructs a CssLayout with the given components in the given order.
*
* @see #addComponents(Component...)
*
* @param children
* Components to add to the container.
*/
public CssLayout(Component... children) {
this();
addComponents(children);
}
/**
* Add a component into this container. The component is added to the right
* or below the previous component.
*
* @param c
* the component to be added.
*/
@Override
public void addComponent(Component c) {
// Add to components before calling super.addComponent
// so that it is available to AttachListeners
components.add(c);
try {
super.addComponent(c);
} catch (IllegalArgumentException e) {
components.remove(c);
throw e;
}
}
/**
* Adds a component into this container. The component is added to the left
* or on top of the other components.
*
* @param c
* the component to be added.
*/
public void addComponentAsFirst(Component c) {
// If c is already in this, we must remove it before proceeding
// see ticket #7668
if (equals(c.getParent())) {
removeComponent(c);
}
components.addFirst(c);
try {
super.addComponent(c);
} catch (IllegalArgumentException e) {
components.remove(c);
throw e;
}
}
/**
* Adds a component into indexed position in this container.
*
* @param c
* the component to be added.
* @param index
* the index of the component position. The components currently
* in and after the position are shifted forwards.
*/
public void addComponent(Component c, int index) {
// If c is already in this, we must remove it before proceeding
// see ticket #7668
if (equals(c.getParent())) {
// When c is removed, all components after it are shifted down
if (index > getComponentIndex(c)) {
index--;
}
removeComponent(c);
}
components.add(index, c);
try {
super.addComponent(c);
} catch (IllegalArgumentException e) {
components.remove(c);
throw e;
}
}
/**
* Removes the component from this container.
*
* @param c
* the component to be removed.
*/
@Override
public void removeComponent(Component c) {
components.remove(c);
super.removeComponent(c);
}
/**
* Gets the component container iterator for going trough all the components
* in the container.
*
* @return the Iterator of the components inside the container.
*/
@Override
public Iterator<Component> iterator() {
return Collections.unmodifiableCollection(components).iterator();
}
/**
* Gets the number of contained components. Consistent with the iterator
* returned by {@link #getComponentIterator()}.
*
* @return the number of contained components
*/
@Override
public int getComponentCount() {
return components.size();
}
@Override
public void beforeClientResponse(boolean initial) {
super.beforeClientResponse(initial);
// This is an obsolete hack that was required before Map<Conenctor, ?>
// was supported. The workaround is to instead use a Map<String, ?> with
// the connector id as the key, but that can only be used once the
// connector has been attached.
getState().childCss.clear();
for (Iterator<Component> ci = getComponentIterator(); ci.hasNext();) {
Component child = ci.next();
String componentCssString = getCss(child);
if (componentCssString != null) {
getState().childCss.put(child, componentCssString);
}
}
}
@Override
protected CssLayoutState getState() {
return (CssLayoutState) super.getState();
}
@Override
protected CssLayoutState getState(boolean markAsDirty) {
return (CssLayoutState) super.getState(markAsDirty);
}
/**
* Returns styles to be applied to given component. Override this method to
* inject custom style rules to components.
*
* <p>
* Note that styles are injected over previous styles before actual child
* rendering. Previous styles are not cleared, but overridden.
*
* <p>
* Note that one most often achieves better code style, by separating
* styling to theme (with custom theme and {@link #addStyleName(String)}.
* With own custom styles it is also very easy to break browser
* compatibility.
*
* @param c
* the component
* @return css rules to be applied to component
*/
protected String getCss(Component c) {
return null;
}
/* Documented in superclass */
@Override
public void replaceComponent(Component oldComponent,
Component newComponent) {
// Gets the locations
int oldLocation = -1;
int newLocation = -1;
int location = 0;
for (final Component component : components) {
if (component == oldComponent) {
oldLocation = location;
}
if (component == newComponent) {
newLocation = location;
}
location++;
}
if (oldLocation == -1) {
addComponent(newComponent);
} else if (newLocation == -1) {
removeComponent(oldComponent);
addComponent(newComponent, oldLocation);
} else {
if (oldLocation > newLocation) {
components.remove(oldComponent);
components.add(newLocation, oldComponent);
components.remove(newComponent);
components.add(oldLocation, newComponent);
} else {
components.remove(newComponent);
components.add(oldLocation, newComponent);
components.remove(oldComponent);
components.add(newLocation, oldComponent);
}
markAsDirty();
}
}
@Override
public Registration addLayoutClickListener(LayoutClickListener listener) {
return addListener(EventId.LAYOUT_CLICK_EVENT_IDENTIFIER,
LayoutClickEvent.class, listener,
LayoutClickListener.clickMethod);
}
@Override
@Deprecated
public void removeLayoutClickListener(LayoutClickListener listener) {
removeListener(EventId.LAYOUT_CLICK_EVENT_IDENTIFIER,
LayoutClickEvent.class, listener);
}
/**
* Returns the index of the given component.
*
* @param component
* The component to look up.
* @return The index of the component or -1 if the component is not a child.
*/
public int getComponentIndex(Component component) {
return components.indexOf(component);
}
/**
* Returns the component at the given position.
*
* @param index
* The position of the component.
* @return The component at the given index.
* @throws IndexOutOfBoundsException
* If the index is out of range.
*/
public Component getComponent(int index) throws IndexOutOfBoundsException {
return components.get(index);
}
/*
* (non-Javadoc)
*
* @see com.vaadin.ui.AbstractComponent#readDesign(org.jsoup.nodes .Element,
* com.vaadin.ui.declarative.DesignContext)
*/
@Override
public void readDesign(Element design, DesignContext designContext) {
// process default attributes
super.readDesign(design, designContext);
// handle children
for (Element childComponent : design.children()) {
Component newChild = designContext.readDesign(childComponent);
addComponent(newChild);
}
}
/*
* (non-Javadoc)
*
* @see com.vaadin.ui.AbstractComponent#writeDesign(org.jsoup.nodes.Element
* , com.vaadin.ui.declarative.DesignContext)
*/
@Override
public void writeDesign(Element design, DesignContext designContext) {
// write default attributes
super.writeDesign(design, designContext);
CssLayout def = designContext.getDefaultInstance(this);
// handle children
if (!designContext.shouldWriteChildren(this, def)) {
return;
}
Element designElement = design;
for (Component child : this) {
Element childNode = designContext.createElement(child);
designElement.appendChild(childNode);
}
}
}
| vaadin/framework | server/src/main/java/com/vaadin/ui/CssLayout.java | 3,027 | /*
* (non-Javadoc)
*
* @see com.vaadin.ui.AbstractComponent#writeDesign(org.jsoup.nodes.Element
* , com.vaadin.ui.declarative.DesignContext)
*/ | block_comment | nl | /*
* Copyright 2000-2022 Vaadin Ltd.
*
* 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.
*/
package com.vaadin.ui;
import java.util.Collections;
import java.util.Iterator;
import java.util.LinkedList;
import org.jsoup.nodes.Element;
import com.vaadin.event.LayoutEvents.LayoutClickEvent;
import com.vaadin.event.LayoutEvents.LayoutClickListener;
import com.vaadin.event.LayoutEvents.LayoutClickNotifier;
import com.vaadin.shared.Connector;
import com.vaadin.shared.EventId;
import com.vaadin.shared.MouseEventDetails;
import com.vaadin.shared.Registration;
import com.vaadin.shared.ui.csslayout.CssLayoutServerRpc;
import com.vaadin.shared.ui.csslayout.CssLayoutState;
import com.vaadin.ui.declarative.DesignContext;
/**
* CssLayout is a layout component that can be used in browser environment only.
* It simply renders components and their captions into a same div element.
* Component layout can then be adjusted with css.
* <p>
* In comparison to {@link HorizontalLayout} and {@link VerticalLayout}
* <ul>
* <li>rather similar server side api
* <li>no spacing, alignment or expand ratios
* <li>much simpler DOM that can be styled by skilled web developer
* <li>no abstraction of browser differences (developer must ensure that the
* result works properly on each browser)
* <li>different kind of handling for relative sizes (that are set from server
* side) (*)
* <li>noticeably faster rendering time in some situations as we rely more on
* the browser's rendering engine.
* </ul>
* <p>
* With {@link CustomLayout} one can often achieve similar results (good looking
* layouts with web technologies), but with CustomLayout developer needs to work
* with fixed templates.
* <p>
* By extending CssLayout one can also inject some css rules straight to child
* components using {@link #getCss(Component)}.
*
* <p>
* (*) Relative sizes (set from server side) are treated bit differently than in
* other layouts in Vaadin. In cssLayout the size is calculated relatively to
* CSS layouts content area which is pretty much as in html and css. In other
* layouts the size of component is calculated relatively to the "slot" given by
* layout.
* <p>
* Also note that client side framework in Vaadin modifies inline style
* properties width and height. This happens on each update to component. If one
* wants to set component sizes with CSS, component must have undefined size on
* server side (which is not the default for all components) and the size must
* be defined with class styles - not by directly injecting width and height.
*
* @since 6.1 brought in from "FastLayouts" incubator project
*
*/
public class CssLayout extends AbstractLayout implements LayoutClickNotifier {
private CssLayoutServerRpc rpc = (MouseEventDetails mouseDetails,
Connector clickedConnector) -> fireEvent(
LayoutClickEvent.createEvent(CssLayout.this, mouseDetails,
clickedConnector));
/**
* Custom layout slots containing the components.
*/
protected LinkedList<Component> components = new LinkedList<>();
/**
* Constructs an empty CssLayout.
*/
public CssLayout() {
registerRpc(rpc);
}
/**
* Constructs a CssLayout with the given components in the given order.
*
* @see #addComponents(Component...)
*
* @param children
* Components to add to the container.
*/
public CssLayout(Component... children) {
this();
addComponents(children);
}
/**
* Add a component into this container. The component is added to the right
* or below the previous component.
*
* @param c
* the component to be added.
*/
@Override
public void addComponent(Component c) {
// Add to components before calling super.addComponent
// so that it is available to AttachListeners
components.add(c);
try {
super.addComponent(c);
} catch (IllegalArgumentException e) {
components.remove(c);
throw e;
}
}
/**
* Adds a component into this container. The component is added to the left
* or on top of the other components.
*
* @param c
* the component to be added.
*/
public void addComponentAsFirst(Component c) {
// If c is already in this, we must remove it before proceeding
// see ticket #7668
if (equals(c.getParent())) {
removeComponent(c);
}
components.addFirst(c);
try {
super.addComponent(c);
} catch (IllegalArgumentException e) {
components.remove(c);
throw e;
}
}
/**
* Adds a component into indexed position in this container.
*
* @param c
* the component to be added.
* @param index
* the index of the component position. The components currently
* in and after the position are shifted forwards.
*/
public void addComponent(Component c, int index) {
// If c is already in this, we must remove it before proceeding
// see ticket #7668
if (equals(c.getParent())) {
// When c is removed, all components after it are shifted down
if (index > getComponentIndex(c)) {
index--;
}
removeComponent(c);
}
components.add(index, c);
try {
super.addComponent(c);
} catch (IllegalArgumentException e) {
components.remove(c);
throw e;
}
}
/**
* Removes the component from this container.
*
* @param c
* the component to be removed.
*/
@Override
public void removeComponent(Component c) {
components.remove(c);
super.removeComponent(c);
}
/**
* Gets the component container iterator for going trough all the components
* in the container.
*
* @return the Iterator of the components inside the container.
*/
@Override
public Iterator<Component> iterator() {
return Collections.unmodifiableCollection(components).iterator();
}
/**
* Gets the number of contained components. Consistent with the iterator
* returned by {@link #getComponentIterator()}.
*
* @return the number of contained components
*/
@Override
public int getComponentCount() {
return components.size();
}
@Override
public void beforeClientResponse(boolean initial) {
super.beforeClientResponse(initial);
// This is an obsolete hack that was required before Map<Conenctor, ?>
// was supported. The workaround is to instead use a Map<String, ?> with
// the connector id as the key, but that can only be used once the
// connector has been attached.
getState().childCss.clear();
for (Iterator<Component> ci = getComponentIterator(); ci.hasNext();) {
Component child = ci.next();
String componentCssString = getCss(child);
if (componentCssString != null) {
getState().childCss.put(child, componentCssString);
}
}
}
@Override
protected CssLayoutState getState() {
return (CssLayoutState) super.getState();
}
@Override
protected CssLayoutState getState(boolean markAsDirty) {
return (CssLayoutState) super.getState(markAsDirty);
}
/**
* Returns styles to be applied to given component. Override this method to
* inject custom style rules to components.
*
* <p>
* Note that styles are injected over previous styles before actual child
* rendering. Previous styles are not cleared, but overridden.
*
* <p>
* Note that one most often achieves better code style, by separating
* styling to theme (with custom theme and {@link #addStyleName(String)}.
* With own custom styles it is also very easy to break browser
* compatibility.
*
* @param c
* the component
* @return css rules to be applied to component
*/
protected String getCss(Component c) {
return null;
}
/* Documented in superclass */
@Override
public void replaceComponent(Component oldComponent,
Component newComponent) {
// Gets the locations
int oldLocation = -1;
int newLocation = -1;
int location = 0;
for (final Component component : components) {
if (component == oldComponent) {
oldLocation = location;
}
if (component == newComponent) {
newLocation = location;
}
location++;
}
if (oldLocation == -1) {
addComponent(newComponent);
} else if (newLocation == -1) {
removeComponent(oldComponent);
addComponent(newComponent, oldLocation);
} else {
if (oldLocation > newLocation) {
components.remove(oldComponent);
components.add(newLocation, oldComponent);
components.remove(newComponent);
components.add(oldLocation, newComponent);
} else {
components.remove(newComponent);
components.add(oldLocation, newComponent);
components.remove(oldComponent);
components.add(newLocation, oldComponent);
}
markAsDirty();
}
}
@Override
public Registration addLayoutClickListener(LayoutClickListener listener) {
return addListener(EventId.LAYOUT_CLICK_EVENT_IDENTIFIER,
LayoutClickEvent.class, listener,
LayoutClickListener.clickMethod);
}
@Override
@Deprecated
public void removeLayoutClickListener(LayoutClickListener listener) {
removeListener(EventId.LAYOUT_CLICK_EVENT_IDENTIFIER,
LayoutClickEvent.class, listener);
}
/**
* Returns the index of the given component.
*
* @param component
* The component to look up.
* @return The index of the component or -1 if the component is not a child.
*/
public int getComponentIndex(Component component) {
return components.indexOf(component);
}
/**
* Returns the component at the given position.
*
* @param index
* The position of the component.
* @return The component at the given index.
* @throws IndexOutOfBoundsException
* If the index is out of range.
*/
public Component getComponent(int index) throws IndexOutOfBoundsException {
return components.get(index);
}
/*
* (non-Javadoc)
*
* @see com.vaadin.ui.AbstractComponent#readDesign(org.jsoup.nodes .Element,
* com.vaadin.ui.declarative.DesignContext)
*/
@Override
public void readDesign(Element design, DesignContext designContext) {
// process default attributes
super.readDesign(design, designContext);
// handle children
for (Element childComponent : design.children()) {
Component newChild = designContext.readDesign(childComponent);
addComponent(newChild);
}
}
/*
* (non-Javadoc)
<SUF>*/
@Override
public void writeDesign(Element design, DesignContext designContext) {
// write default attributes
super.writeDesign(design, designContext);
CssLayout def = designContext.getDefaultInstance(this);
// handle children
if (!designContext.shouldWriteChildren(this, def)) {
return;
}
Element designElement = design;
for (Component child : this) {
Element childNode = designContext.createElement(child);
designElement.appendChild(childNode);
}
}
}
|
204782_3 | import java.util.Scanner;
public class Battleship
{
public static Scanner reader = new Scanner(System.in);
public static void main(String[] args)
{
System.out.println("JAVA BATTLESHIP - ** Yuval Marcus **");
System.out.println("\nPlayer SETUP:");
Player userPlayer = new Player();
setup(userPlayer);
System.out.println("Computer SETUP...DONE...PRESS ENTER TO CONTINUE...");
reader.nextLine();
reader.nextLine();
Player computer = new Player();
setupComputer(computer);
System.out.println("\nCOMPUTER GRID (FOR DEBUG)...");
computer.playerGrid.printShips();
String result = "";
while(true)
{
System.out.println(result);
System.out.println("\nUSER MAKE GUESS:");
result = askForGuess(userPlayer, computer);
if (userPlayer.playerGrid.hasLost())
{
System.out.println("COMP HIT!...USER LOSES");
break;
}
else if (computer.playerGrid.hasLost())
{
System.out.println("HIT!...COMPUTER LOSES");
break;
}
System.out.println("\nCOMPUTER IS MAKING GUESS...");
compMakeGuess(computer, userPlayer);
}
}
private static void compMakeGuess(Player comp, Player user)
{
Randomizer rand = new Randomizer();
int row = rand.nextInt(0, 9);
int col = rand.nextInt(0, 9);
// While computer already guessed this posiiton, make a new random guess
while (comp.oppGrid.alreadyGuessed(row, col))
{
row = rand.nextInt(0, 9);
col = rand.nextInt(0, 9);
}
if (user.playerGrid.hasShip(row, col))
{
comp.oppGrid.markHit(row, col);
user.playerGrid.markHit(row, col);
System.out.println("COMP HIT AT " + convertIntToLetter(row) + convertCompColToRegular(col));
}
else
{
comp.oppGrid.markMiss(row, col);
user.playerGrid.markMiss(row, col);
System.out.println("COMP MISS AT " + convertIntToLetter(row) + convertCompColToRegular(col));
}
System.out.println("\nYOUR BOARD...PRESS ENTER TO CONTINUE...");
reader.nextLine();
user.playerGrid.printCombined();
System.out.println("PRESS ENTER TO CONTINUE...");
reader.nextLine();
}
private static String askForGuess(Player p, Player opp)
{
System.out.println("Viewing My Guesses:");
p.oppGrid.printStatus();
int row = -1;
int col = -1;
String oldRow = "Z";
int oldCol = -1;
while(true)
{
System.out.print("Type in row (A-J): ");
String userInputRow = reader.next();
userInputRow = userInputRow.toUpperCase();
oldRow = userInputRow;
row = convertLetterToInt(userInputRow);
System.out.print("Type in column (1-10): ");
col = reader.nextInt();
oldCol = col;
col = convertUserColToProCol(col);
//System.out.println("DEBUG: " + row + col);
if (col >= 0 && col <= 9 && row != -1)
break;
System.out.println("Invalid location!");
}
if (opp.playerGrid.hasShip(row, col))
{
p.oppGrid.markHit(row, col);
opp.playerGrid.markHit(row, col);
return "** USER HIT AT " + oldRow + oldCol + " **";
}
else
{
p.oppGrid.markMiss(row, col);
opp.playerGrid.markMiss(row, col);
return "** USER MISS AT " + oldRow + oldCol + " **";
}
}
private static void setup(Player p)
{
p.playerGrid.printShips();
System.out.println();
int counter = 1;
int normCounter = 0;
while (p.numOfShipsLeft() > 0)
{
for (Ship s: p.ships)
{
System.out.println("\nShip #" + counter + ": Length-" + s.getLength());
int row = -1;
int col = -1;
int dir = -1;
while(true)
{
System.out.print("Type in row (A-J): ");
String userInputRow = reader.next();
userInputRow = userInputRow.toUpperCase();
row = convertLetterToInt(userInputRow);
System.out.print("Type in column (1-10): ");
col = reader.nextInt();
col = convertUserColToProCol(col);
System.out.print("Type in direction (0-H, 1-V): ");
dir = reader.nextInt();
//System.out.println("DEBUG: " + row + col + dir);
if (col >= 0 && col <= 9 && row != -1 && dir != -1) // Check valid input
{
if (!hasErrors(row, col, dir, p, normCounter)) // Check if errors will produce (out of bounds)
{
break;
}
}
System.out.println("Invalid location!");
}
//System.out.println("FURTHER DEBUG: row = " + row + "; col = " + col);
p.ships[normCounter].setLocation(row, col);
p.ships[normCounter].setDirection(dir);
p.playerGrid.addShip(p.ships[normCounter]);
p.playerGrid.printShips();
System.out.println();
System.out.println("You have " + p.numOfShipsLeft() + " remaining ships to place.");
normCounter++;
counter++;
}
}
}
private static void setupComputer(Player p)
{
System.out.println();
int counter = 1;
int normCounter = 0;
Randomizer rand = new Randomizer();
while (p.numOfShipsLeft() > 0)
{
for (Ship s: p.ships)
{
int row = rand.nextInt(0, 9);
int col = rand.nextInt(0, 9);
int dir = rand.nextInt(0, 1);
//System.out.println("DEBUG: row-" + row + "; col-" + col + "; dir-" + dir);
while (hasErrorsComp(row, col, dir, p, normCounter)) // while the random nums make error, start again
{
row = rand.nextInt(0, 9);
col = rand.nextInt(0, 9);
dir = rand.nextInt(0, 1);
//System.out.println("AGAIN-DEBUG: row-" + row + "; col-" + col + "; dir-" + dir);
}
//System.out.println("FURTHER DEBUG: row = " + row + "; col = " + col);
p.ships[normCounter].setLocation(row, col);
p.ships[normCounter].setDirection(dir);
p.playerGrid.addShip(p.ships[normCounter]);
normCounter++;
counter++;
}
}
}
private static boolean hasErrors(int row, int col, int dir, Player p, int count)
{
//System.out.println("DEBUG: count arg is " + count);
int length = p.ships[count].getLength();
// Check if off grid - Horizontal
if (dir == 0)
{
int checker = length + col;
//System.out.println("DEBUG: checker is " + checker);
if (checker > 10)
{
System.out.println("SHIP DOES NOT FIT");
return true;
}
}
// Check if off grid - Vertical
if (dir == 1) // VERTICAL
{
int checker = length + row;
//System.out.println("DEBUG: checker is " + checker);
if (checker > 10)
{
System.out.println("SHIP DOES NOT FIT");
return true;
}
}
// Check if overlapping with another ship
if (dir == 0) // Hortizontal
{
// For each location a ship occupies, check if ship is already there
for (int i = col; i < col+length; i++)
{
//System.out.println("DEBUG: row = " + row + "; col = " + i);
if(p.playerGrid.hasShip(row, i))
{
System.out.println("THERE IS ALREADY A SHIP AT THAT LOCATION");
return true;
}
}
}
else if (dir == 1) // Vertical
{
// For each location a ship occupies, check if ship is already there
for (int i = row; i < row+length; i++)
{
//System.out.println("DEBUG: row = " + row + "; col = " + i);
if(p.playerGrid.hasShip(i, col))
{
System.out.println("THERE IS ALREADY A SHIP AT THAT LOCATION");
return true;
}
}
}
return false;
}
private static boolean hasErrorsComp(int row, int col, int dir, Player p, int count)
{
//System.out.println("DEBUG: count arg is " + count);
int length = p.ships[count].getLength();
// Check if off grid - Horizontal
if (dir == 0)
{
int checker = length + col;
//System.out.println("DEBUG: checker is " + checker);
if (checker > 10)
{
return true;
}
}
// Check if off grid - Vertical
if (dir == 1) // VERTICAL
{
int checker = length + row;
//System.out.println("DEBUG: checker is " + checker);
if (checker > 10)
{
return true;
}
}
// Check if overlapping with another ship
if (dir == 0) // Hortizontal
{
// For each location a ship occupies, check if ship is already there
for (int i = col; i < col+length; i++)
{
//System.out.println("DEBUG: row = " + row + "; col = " + i);
if(p.playerGrid.hasShip(row, i))
{
return true;
}
}
}
else if (dir == 1) // Vertical
{
// For each location a ship occupies, check if ship is already there
for (int i = row; i < row+length; i++)
{
//System.out.println("DEBUG: row = " + row + "; col = " + i);
if(p.playerGrid.hasShip(i, col))
{
return true;
}
}
}
return false;
}
/*HELPER METHODS*/
private static int convertLetterToInt(String val)
{
int toReturn = -1;
switch (val)
{
case "A": toReturn = 0;
break;
case "B": toReturn = 1;
break;
case "C": toReturn = 2;
break;
case "D": toReturn = 3;
break;
case "E": toReturn = 4;
break;
case "F": toReturn = 5;
break;
case "G": toReturn = 6;
break;
case "H": toReturn = 7;
break;
case "I": toReturn = 8;
break;
case "J": toReturn = 9;
break;
default: toReturn = -1;
break;
}
return toReturn;
}
private static String convertIntToLetter(int val)
{
String toReturn = "Z";
switch (val)
{
case 0: toReturn = "A";
break;
case 1: toReturn = "B";
break;
case 2: toReturn = "C";
break;
case 3: toReturn = "D";
break;
case 4: toReturn = "E";
break;
case 5: toReturn = "F";
break;
case 6: toReturn = "G";
break;
case 7: toReturn = "H";
break;
case 8: toReturn = "I";
break;
case 9: toReturn = "J";
break;
default: toReturn = "Z";
break;
}
return toReturn;
}
private static int convertUserColToProCol(int val)
{
int toReturn = -1;
switch (val)
{
case 1: toReturn = 0;
break;
case 2: toReturn = 1;
break;
case 3: toReturn = 2;
break;
case 4: toReturn = 3;
break;
case 5: toReturn = 4;
break;
case 6: toReturn = 5;
break;
case 7: toReturn = 6;
break;
case 8: toReturn = 7;
break;
case 9: toReturn = 8;
break;
case 10: toReturn = 9;
break;
default: toReturn = -1;
break;
}
return toReturn;
}
private static int convertCompColToRegular(int val)
{
int toReturn = -1;
switch (val)
{
case 0: toReturn = 1;
break;
case 1: toReturn = 2;
break;
case 2: toReturn = 3;
break;
case 3: toReturn = 4;
break;
case 4: toReturn = 5;
break;
case 5: toReturn = 6;
break;
case 6: toReturn = 7;
break;
case 7: toReturn = 8;
break;
case 8: toReturn = 9;
break;
case 9: toReturn = 10;
break;
default: toReturn = -1;
break;
}
return toReturn;
}
} | ymarcus93/Java-Battleship | Battleship.java | 3,817 | // Check valid input | line_comment | nl | import java.util.Scanner;
public class Battleship
{
public static Scanner reader = new Scanner(System.in);
public static void main(String[] args)
{
System.out.println("JAVA BATTLESHIP - ** Yuval Marcus **");
System.out.println("\nPlayer SETUP:");
Player userPlayer = new Player();
setup(userPlayer);
System.out.println("Computer SETUP...DONE...PRESS ENTER TO CONTINUE...");
reader.nextLine();
reader.nextLine();
Player computer = new Player();
setupComputer(computer);
System.out.println("\nCOMPUTER GRID (FOR DEBUG)...");
computer.playerGrid.printShips();
String result = "";
while(true)
{
System.out.println(result);
System.out.println("\nUSER MAKE GUESS:");
result = askForGuess(userPlayer, computer);
if (userPlayer.playerGrid.hasLost())
{
System.out.println("COMP HIT!...USER LOSES");
break;
}
else if (computer.playerGrid.hasLost())
{
System.out.println("HIT!...COMPUTER LOSES");
break;
}
System.out.println("\nCOMPUTER IS MAKING GUESS...");
compMakeGuess(computer, userPlayer);
}
}
private static void compMakeGuess(Player comp, Player user)
{
Randomizer rand = new Randomizer();
int row = rand.nextInt(0, 9);
int col = rand.nextInt(0, 9);
// While computer already guessed this posiiton, make a new random guess
while (comp.oppGrid.alreadyGuessed(row, col))
{
row = rand.nextInt(0, 9);
col = rand.nextInt(0, 9);
}
if (user.playerGrid.hasShip(row, col))
{
comp.oppGrid.markHit(row, col);
user.playerGrid.markHit(row, col);
System.out.println("COMP HIT AT " + convertIntToLetter(row) + convertCompColToRegular(col));
}
else
{
comp.oppGrid.markMiss(row, col);
user.playerGrid.markMiss(row, col);
System.out.println("COMP MISS AT " + convertIntToLetter(row) + convertCompColToRegular(col));
}
System.out.println("\nYOUR BOARD...PRESS ENTER TO CONTINUE...");
reader.nextLine();
user.playerGrid.printCombined();
System.out.println("PRESS ENTER TO CONTINUE...");
reader.nextLine();
}
private static String askForGuess(Player p, Player opp)
{
System.out.println("Viewing My Guesses:");
p.oppGrid.printStatus();
int row = -1;
int col = -1;
String oldRow = "Z";
int oldCol = -1;
while(true)
{
System.out.print("Type in row (A-J): ");
String userInputRow = reader.next();
userInputRow = userInputRow.toUpperCase();
oldRow = userInputRow;
row = convertLetterToInt(userInputRow);
System.out.print("Type in column (1-10): ");
col = reader.nextInt();
oldCol = col;
col = convertUserColToProCol(col);
//System.out.println("DEBUG: " + row + col);
if (col >= 0 && col <= 9 && row != -1)
break;
System.out.println("Invalid location!");
}
if (opp.playerGrid.hasShip(row, col))
{
p.oppGrid.markHit(row, col);
opp.playerGrid.markHit(row, col);
return "** USER HIT AT " + oldRow + oldCol + " **";
}
else
{
p.oppGrid.markMiss(row, col);
opp.playerGrid.markMiss(row, col);
return "** USER MISS AT " + oldRow + oldCol + " **";
}
}
private static void setup(Player p)
{
p.playerGrid.printShips();
System.out.println();
int counter = 1;
int normCounter = 0;
while (p.numOfShipsLeft() > 0)
{
for (Ship s: p.ships)
{
System.out.println("\nShip #" + counter + ": Length-" + s.getLength());
int row = -1;
int col = -1;
int dir = -1;
while(true)
{
System.out.print("Type in row (A-J): ");
String userInputRow = reader.next();
userInputRow = userInputRow.toUpperCase();
row = convertLetterToInt(userInputRow);
System.out.print("Type in column (1-10): ");
col = reader.nextInt();
col = convertUserColToProCol(col);
System.out.print("Type in direction (0-H, 1-V): ");
dir = reader.nextInt();
//System.out.println("DEBUG: " + row + col + dir);
if (col >= 0 && col <= 9 && row != -1 && dir != -1) // Check valid<SUF>
{
if (!hasErrors(row, col, dir, p, normCounter)) // Check if errors will produce (out of bounds)
{
break;
}
}
System.out.println("Invalid location!");
}
//System.out.println("FURTHER DEBUG: row = " + row + "; col = " + col);
p.ships[normCounter].setLocation(row, col);
p.ships[normCounter].setDirection(dir);
p.playerGrid.addShip(p.ships[normCounter]);
p.playerGrid.printShips();
System.out.println();
System.out.println("You have " + p.numOfShipsLeft() + " remaining ships to place.");
normCounter++;
counter++;
}
}
}
private static void setupComputer(Player p)
{
System.out.println();
int counter = 1;
int normCounter = 0;
Randomizer rand = new Randomizer();
while (p.numOfShipsLeft() > 0)
{
for (Ship s: p.ships)
{
int row = rand.nextInt(0, 9);
int col = rand.nextInt(0, 9);
int dir = rand.nextInt(0, 1);
//System.out.println("DEBUG: row-" + row + "; col-" + col + "; dir-" + dir);
while (hasErrorsComp(row, col, dir, p, normCounter)) // while the random nums make error, start again
{
row = rand.nextInt(0, 9);
col = rand.nextInt(0, 9);
dir = rand.nextInt(0, 1);
//System.out.println("AGAIN-DEBUG: row-" + row + "; col-" + col + "; dir-" + dir);
}
//System.out.println("FURTHER DEBUG: row = " + row + "; col = " + col);
p.ships[normCounter].setLocation(row, col);
p.ships[normCounter].setDirection(dir);
p.playerGrid.addShip(p.ships[normCounter]);
normCounter++;
counter++;
}
}
}
private static boolean hasErrors(int row, int col, int dir, Player p, int count)
{
//System.out.println("DEBUG: count arg is " + count);
int length = p.ships[count].getLength();
// Check if off grid - Horizontal
if (dir == 0)
{
int checker = length + col;
//System.out.println("DEBUG: checker is " + checker);
if (checker > 10)
{
System.out.println("SHIP DOES NOT FIT");
return true;
}
}
// Check if off grid - Vertical
if (dir == 1) // VERTICAL
{
int checker = length + row;
//System.out.println("DEBUG: checker is " + checker);
if (checker > 10)
{
System.out.println("SHIP DOES NOT FIT");
return true;
}
}
// Check if overlapping with another ship
if (dir == 0) // Hortizontal
{
// For each location a ship occupies, check if ship is already there
for (int i = col; i < col+length; i++)
{
//System.out.println("DEBUG: row = " + row + "; col = " + i);
if(p.playerGrid.hasShip(row, i))
{
System.out.println("THERE IS ALREADY A SHIP AT THAT LOCATION");
return true;
}
}
}
else if (dir == 1) // Vertical
{
// For each location a ship occupies, check if ship is already there
for (int i = row; i < row+length; i++)
{
//System.out.println("DEBUG: row = " + row + "; col = " + i);
if(p.playerGrid.hasShip(i, col))
{
System.out.println("THERE IS ALREADY A SHIP AT THAT LOCATION");
return true;
}
}
}
return false;
}
private static boolean hasErrorsComp(int row, int col, int dir, Player p, int count)
{
//System.out.println("DEBUG: count arg is " + count);
int length = p.ships[count].getLength();
// Check if off grid - Horizontal
if (dir == 0)
{
int checker = length + col;
//System.out.println("DEBUG: checker is " + checker);
if (checker > 10)
{
return true;
}
}
// Check if off grid - Vertical
if (dir == 1) // VERTICAL
{
int checker = length + row;
//System.out.println("DEBUG: checker is " + checker);
if (checker > 10)
{
return true;
}
}
// Check if overlapping with another ship
if (dir == 0) // Hortizontal
{
// For each location a ship occupies, check if ship is already there
for (int i = col; i < col+length; i++)
{
//System.out.println("DEBUG: row = " + row + "; col = " + i);
if(p.playerGrid.hasShip(row, i))
{
return true;
}
}
}
else if (dir == 1) // Vertical
{
// For each location a ship occupies, check if ship is already there
for (int i = row; i < row+length; i++)
{
//System.out.println("DEBUG: row = " + row + "; col = " + i);
if(p.playerGrid.hasShip(i, col))
{
return true;
}
}
}
return false;
}
/*HELPER METHODS*/
private static int convertLetterToInt(String val)
{
int toReturn = -1;
switch (val)
{
case "A": toReturn = 0;
break;
case "B": toReturn = 1;
break;
case "C": toReturn = 2;
break;
case "D": toReturn = 3;
break;
case "E": toReturn = 4;
break;
case "F": toReturn = 5;
break;
case "G": toReturn = 6;
break;
case "H": toReturn = 7;
break;
case "I": toReturn = 8;
break;
case "J": toReturn = 9;
break;
default: toReturn = -1;
break;
}
return toReturn;
}
private static String convertIntToLetter(int val)
{
String toReturn = "Z";
switch (val)
{
case 0: toReturn = "A";
break;
case 1: toReturn = "B";
break;
case 2: toReturn = "C";
break;
case 3: toReturn = "D";
break;
case 4: toReturn = "E";
break;
case 5: toReturn = "F";
break;
case 6: toReturn = "G";
break;
case 7: toReturn = "H";
break;
case 8: toReturn = "I";
break;
case 9: toReturn = "J";
break;
default: toReturn = "Z";
break;
}
return toReturn;
}
private static int convertUserColToProCol(int val)
{
int toReturn = -1;
switch (val)
{
case 1: toReturn = 0;
break;
case 2: toReturn = 1;
break;
case 3: toReturn = 2;
break;
case 4: toReturn = 3;
break;
case 5: toReturn = 4;
break;
case 6: toReturn = 5;
break;
case 7: toReturn = 6;
break;
case 8: toReturn = 7;
break;
case 9: toReturn = 8;
break;
case 10: toReturn = 9;
break;
default: toReturn = -1;
break;
}
return toReturn;
}
private static int convertCompColToRegular(int val)
{
int toReturn = -1;
switch (val)
{
case 0: toReturn = 1;
break;
case 1: toReturn = 2;
break;
case 2: toReturn = 3;
break;
case 3: toReturn = 4;
break;
case 4: toReturn = 5;
break;
case 5: toReturn = 6;
break;
case 6: toReturn = 7;
break;
case 7: toReturn = 8;
break;
case 8: toReturn = 9;
break;
case 9: toReturn = 10;
break;
default: toReturn = -1;
break;
}
return toReturn;
}
} |
204795_2 | /*
* Copyright (c) 2016. See AUTHORS file.
*
* 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.
*/
package com.mbrlabs.mundus.commons.assets;
import com.badlogic.gdx.assets.AssetManager;
import com.badlogic.gdx.files.FileHandle;
import com.badlogic.gdx.graphics.Color;
import com.badlogic.gdx.graphics.Texture;
import com.badlogic.gdx.graphics.g3d.Material;
import com.badlogic.gdx.graphics.g3d.attributes.BlendingAttribute;
import com.badlogic.gdx.graphics.g3d.attributes.IntAttribute;
import com.badlogic.gdx.utils.ObjectMap;
import com.badlogic.gdx.utils.PropertiesUtils;
import com.mbrlabs.mundus.commons.assets.meta.Meta;
import net.mgsx.gltf.scene3d.attributes.PBRColorAttribute;
import net.mgsx.gltf.scene3d.attributes.PBRFloatAttribute;
import net.mgsx.gltf.scene3d.attributes.PBRTextureAttribute;
import java.io.IOException;
import java.io.Reader;
import java.util.Map;
/**
* @author Marcus Brummer
* @version 09-10-2016
*/
public class MaterialAsset extends Asset {
private static final ObjectMap<String, String> MAP = new ObjectMap<>();
public static final String EXTENSION = ".mat";
// property keys
public static final String PROP_DIFFUSE_COLOR = "diffuse.color";
public static final String PROP_DIFFUSE_TEXTURE = "diffuse.texture";
public static final String PROP_MAP_NORMAL = "map.normal";
public static final String PROP_MAP_EMISSIVE_COLOR = "emissive.color";
public static final String PROP_MAP_EMISSIVE_TEXTURE = "emissive.texture";
public static final String PROP_METAL_ROUGH_TEXTURE = "metallicRoughTexture";
public static final String PROP_OCCLUSION_TEXTURE = "occlusionTexture";
public static final String PROP_ROUGHNESS = "roughness";
public static final String PROP_OPACITY = "opacity";
public static final String PROP_METALLIC = "metallic";
public static final String PROP_ALPHA_TEST = "alphaTest";
public static final String PROP_NORMAL_SCALE = "normalScale";
public static final String PROP_SHADOW_BIAS = "shadowBias";
public static final String PROP_CULL_FACE = "cullFace";
// ids of dependent assets
private String diffuseTextureID;
private String normalMapID;
private String emissiveTextureID;
private String metallicRoughnessTextureID;
private String occlusionTextureID;
// Possible values are GL_FRONT_AND_BACK, GL_BACK, GL_FRONT, or -1 to inherit default
private int cullFace = -1;
private Color diffuseColor = Color.WHITE.cpy();
private Color emissiveColor = Color.BLACK.cpy();
private TextureAsset diffuseTexture;
private TextureAsset normalMap;
private TextureAsset emissiveTexture;
private TextureAsset metallicRoughnessTexture;
private TextureAsset occlusionTexture;
public TexCoordInfo diffuseTexCoord = new TexCoordInfo("diffuse");
public TexCoordInfo normalTexCoord = new TexCoordInfo("map");
public TexCoordInfo emissiveTexCoord = new TexCoordInfo("emissive");
public TexCoordInfo metallicRoughnessTexCoord = new TexCoordInfo("metallicRoughTexture");
public TexCoordInfo occlusionTexCoord = new TexCoordInfo("occlusionTexture");
private float roughness = 1f;
private float metallic = 0f;
private float opacity = 1f;
private float alphaTest = 0f;
private float normalScale = 1f;
private float shadowBias = 0.4f;
public MaterialAsset(Meta meta, FileHandle assetFile) {
super(meta, assetFile);
}
@Override
public void load() {
MAP.clear();
try {
Reader reader = file.reader();
PropertiesUtils.load(MAP, reader);
reader.close();
try {
String value = MAP.get(PROP_ROUGHNESS, null);
if (value != null) {
roughness = Float.parseFloat(value);
}
value = MAP.get(PROP_OPACITY, null);
if (value != null) {
opacity = Float.parseFloat(value);
}
value = MAP.get(PROP_METALLIC, null);
if (value != null) {
metallic = Float.parseFloat(value);
}
value = MAP.get(PROP_ALPHA_TEST, null);
if (value != null) {
alphaTest = Float.parseFloat(value);
}
value = MAP.get(PROP_NORMAL_SCALE, null);
if (value != null) {
normalScale = Float.parseFloat(value);
}
value = MAP.get(PROP_SHADOW_BIAS, null);
if (value != null) {
shadowBias = Float.parseFloat(value);
}
value = MAP.get(PROP_CULL_FACE, null);
if (value != null) {
cullFace = Integer.parseInt(value);
}
populateTexCoordInfo(diffuseTexCoord);
populateTexCoordInfo(normalTexCoord);
populateTexCoordInfo(emissiveTexCoord);
populateTexCoordInfo(metallicRoughnessTexCoord);
populateTexCoordInfo(occlusionTexCoord);
} catch (NumberFormatException nfe) {
nfe.printStackTrace();
}
// diffuse color
String diffuseHex = MAP.get(PROP_DIFFUSE_COLOR);
if (diffuseHex != null) {
diffuseColor = Color.valueOf(diffuseHex);
}
// emissive color
String emissiveHex = MAP.get(PROP_MAP_EMISSIVE_COLOR);
if (emissiveHex != null) {
emissiveColor = Color.valueOf(emissiveHex);
}
// asset dependencies
diffuseTextureID = MAP.get(PROP_DIFFUSE_TEXTURE, null);
normalMapID = MAP.get(PROP_MAP_NORMAL, null);
metallicRoughnessTextureID = MAP.get(PROP_METAL_ROUGH_TEXTURE, null);
emissiveTextureID = MAP.get(PROP_MAP_EMISSIVE_TEXTURE, null);
occlusionTextureID = MAP.get(PROP_OCCLUSION_TEXTURE, null);
} catch (IOException e) {
e.printStackTrace();
}
}
@Override
public void load(AssetManager assetManager) {
// No async loading for materials right now
load();
}
private void populateTexCoordInfo(TexCoordInfo texCoordInfo) {
String value = MAP.get(texCoordInfo.PROP_UV, null);
if (value != null) {
texCoordInfo.uvIndex = Integer.parseInt(value);
}
value = MAP.get(texCoordInfo.PROP_OFFSET_U, null);
if (value != null) {
texCoordInfo.offsetU = Float.parseFloat(value);
}
value = MAP.get(texCoordInfo.PROP_OFFSET_V, null);
if (value != null) {
texCoordInfo.offsetV = Float.parseFloat(value);
}
value = MAP.get(texCoordInfo.PROP_SCALE_U, null);
if (value != null) {
texCoordInfo.scaleU = Float.parseFloat(value);
}
value = MAP.get(texCoordInfo.PROP_SCALE_V, null);
if (value != null) {
texCoordInfo.scaleV = Float.parseFloat(value);
}
value = MAP.get(texCoordInfo.PROP_ROTATION_UV, null);
if (value != null) {
texCoordInfo.rotationUV = Float.parseFloat(value);
}
}
/**
* Applies this material asset to the libGDX material.
*
* @param material the material to apply
* @return the material with asset attributes applied
*/
public Material applyToMaterial(Material material) {
return applyToMaterial(material, false);
}
/**
* Applies this material asset to the libGDX material.
*
* @param material the material to apply
* @param terrain whether this material is for a terrain
* @return the material with asset attributes applied
*/
public Material applyToMaterial(Material material, boolean terrain) {
if (diffuseColor != null) {
material.set(PBRColorAttribute.createBaseColorFactor(diffuseColor));
}
if (emissiveColor != null) {
material.set(PBRColorAttribute.createEmissive(emissiveColor));
}
if (!terrain) {
// Terrain materials use these for splat base
if (diffuseTexture != null) {
material.set(getTextureAttribute(PBRTextureAttribute.BaseColorTexture, diffuseTexture.getTexture(), diffuseTexCoord));
} else {
material.remove(PBRTextureAttribute.BaseColorTexture);
}
if (normalMap != null) {
material.set(getTextureAttribute(PBRTextureAttribute.NormalTexture, normalMap.getTexture(), normalTexCoord));
} else {
material.remove(PBRTextureAttribute.NormalTexture);
}
if (emissiveTexture != null) {
material.set(getTextureAttribute(PBRTextureAttribute.EmissiveTexture, emissiveTexture.getTexture(), emissiveTexCoord));
} else {
material.remove(PBRTextureAttribute.EmissiveTexture);
}
if (metallicRoughnessTexture != null) {
material.set(getTextureAttribute(PBRTextureAttribute.MetallicRoughnessTexture, metallicRoughnessTexture.getTexture(), metallicRoughnessTexCoord));
} else {
material.remove(PBRTextureAttribute.MetallicRoughnessTexture);
}
if (occlusionTexture != null) {
material.set(getTextureAttribute(PBRTextureAttribute.OcclusionTexture, occlusionTexture.getTexture(), occlusionTexCoord));
} else {
material.remove(PBRTextureAttribute.OcclusionTexture);
}
} else {
// Apply texCoords for terrains
PBRTextureAttribute diffuse = (PBRTextureAttribute) material.get(PBRTextureAttribute.BaseColorTexture);
if (diffuse != null) {
setTexCoordInfo(diffuse, diffuseTexCoord);
}
PBRTextureAttribute normal = (PBRTextureAttribute) material.get(PBRTextureAttribute.NormalTexture);
if (normal != null) {
setTexCoordInfo(normal, normalTexCoord);
}
}
material.set(PBRFloatAttribute.createRoughness(roughness));
material.set(PBRFloatAttribute.createMetallic(metallic));
material.set(PBRFloatAttribute.createNormalScale(normalScale));
material.set(new PBRFloatAttribute(PBRFloatAttribute.ShadowBias, shadowBias / 255f));
if (cullFace != -1) {
material.set(IntAttribute.createCullFace(cullFace));
} else {
material.remove(IntAttribute.CullFace);
}
if (opacity < 1f) {
material.set(new BlendingAttribute(true, opacity));
} else {
if (alphaTest == 0) {
material.remove(BlendingAttribute.Type);
}
}
if (alphaTest > 0) {
material.set(PBRFloatAttribute.createAlphaTest(alphaTest));
// We need blending attribute to trip the blendedFlag in shader
material.set(new BlendingAttribute(false, opacity));
} else {
material.remove(PBRFloatAttribute.AlphaTest);
if (opacity == 1f) {
material.remove(BlendingAttribute.Type);
}
}
return material;
}
/**
* Create a PBRTextureAttribute for the given type and populate it with
* the texture and TexCoordInfo
*/
private PBRTextureAttribute getTextureAttribute(long type, Texture texture, TexCoordInfo texCoord) {
PBRTextureAttribute attr = new PBRTextureAttribute(type, texture);
setTexCoordInfo(attr, texCoord);
return attr;
}
private void setTexCoordInfo(PBRTextureAttribute attr, TexCoordInfo texCoord) {
attr.uvIndex = texCoord.uvIndex;
attr.offsetU = texCoord.offsetU;
attr.offsetV = texCoord.offsetV;
attr.scaleU = texCoord.scaleU;
attr.scaleV = texCoord.scaleV;
attr.rotationUV = texCoord.rotationUV;
}
public float getRoughness() {
return roughness;
}
public void setRoughness(float roughness) {
this.roughness = roughness;
}
public float getMetallic() {
return metallic;
}
public void setMetallic(float metallic) {
this.metallic = metallic;
}
public float getOpacity() {
return opacity;
}
public void setOpacity(float opacity) {
this.opacity = opacity;
}
public float getAlphaTest() {
return alphaTest;
}
public void setAlphaTest(float alphaTest) {
this.alphaTest = alphaTest;
}
public float getNormalScale() {
return normalScale;
}
public void setNormalScale(float normalScale) {
this.normalScale = normalScale;
}
public float getShadowBias() {
return shadowBias;
}
public void setShadowBias(float shadowBias) {
this.shadowBias = shadowBias;
}
public TextureAsset getNormalMap() {
return normalMap;
}
public void setNormalMap(TextureAsset normalMap) {
this.normalMap = normalMap;
if (normalMap != null) {
this.normalMapID = normalMap.getID();
} else {
this.normalMapID = null;
}
}
public TextureAsset getDiffuseTexture() {
return diffuseTexture;
}
public void setDiffuseTexture(TextureAsset diffuseTexture) {
this.diffuseTexture = diffuseTexture;
if (diffuseTexture != null) {
this.diffuseTextureID = diffuseTexture.getID();
} else {
this.diffuseTextureID = null;
}
}
public TextureAsset getEmissiveTexture() {
return emissiveTexture;
}
public void setEmissiveTexture(TextureAsset emissiveTexture) {
this.emissiveTexture = emissiveTexture;
if (emissiveTexture != null) {
this.emissiveTextureID = emissiveTexture.getID();
} else {
this.emissiveTextureID = null;
}
}
public Color getEmissiveColor() {
return emissiveColor;
}
public TextureAsset getMetallicRoughnessTexture() {
return metallicRoughnessTexture;
}
public void setMetallicRoughnessTexture(TextureAsset metallicRoughnessTexture) {
this.metallicRoughnessTexture = metallicRoughnessTexture;
if (metallicRoughnessTexture != null) {
this.metallicRoughnessTextureID = metallicRoughnessTexture.getID();
} else {
this.metallicRoughnessTextureID = null;
}
}
public TextureAsset getOcclusionTexture() {
return occlusionTexture;
}
public void setOcclusionTexture(TextureAsset occlusionTexture) {
this.occlusionTexture = occlusionTexture;
if (occlusionTexture != null) {
this.occlusionTextureID = occlusionTexture.getID();
} else {
this.occlusionTextureID = null;
}
}
public Color getDiffuseColor() {
return diffuseColor;
}
public int getCullFace() {
return cullFace;
}
public void setCullFace(int cullFace) {
this.cullFace = cullFace;
}
@Override
public void resolveDependencies(Map<String, Asset> assets) {
if (diffuseTextureID != null && assets.containsKey(diffuseTextureID)) {
diffuseTexture = (TextureAsset) assets.get(diffuseTextureID);
}
if (normalMapID != null && assets.containsKey(normalMapID)) {
normalMap = (TextureAsset) assets.get(normalMapID);
}
if (emissiveTextureID != null && assets.containsKey(emissiveTextureID)) {
emissiveTexture = (TextureAsset) assets.get(emissiveTextureID);
}
if (metallicRoughnessTextureID != null && assets.containsKey(metallicRoughnessTextureID)) {
metallicRoughnessTexture = (TextureAsset) assets.get(metallicRoughnessTextureID);
}
if (occlusionTextureID != null && assets.containsKey(occlusionTextureID)) {
occlusionTexture = (TextureAsset) assets.get(occlusionTextureID);
}
}
@Override
public void applyDependencies() {
// nothing to apply
}
@Override
public void dispose() {
// nothing to dispose
}
@Override
public boolean usesAsset(Asset assetToCheck) {
if (assetToCheck instanceof TextureAsset) {
if (fileMatch(diffuseTexture, assetToCheck)) return true;
if (fileMatch(normalMap, assetToCheck)) return true;
if (fileMatch(emissiveTexture, assetToCheck)) return true;
if (fileMatch(metallicRoughnessTexture, assetToCheck)) return true;
return fileMatch(occlusionTexture, assetToCheck);
}
return false;
}
private boolean fileMatch(Asset childAsset, Asset assetToCheck) {
return childAsset != null && childAsset.getFile().path().equals(assetToCheck.getFile().path());
}
public void duplicateMaterialAsset(MaterialAsset materialAsset) {
this.setRoughness(materialAsset.getRoughness());
this.setOpacity(materialAsset.getOpacity());
this.setMetallic(materialAsset.getMetallic());
this.setAlphaTest(materialAsset.getAlphaTest());
this.setNormalScale(materialAsset.getNormalScale());
this.setShadowBias(materialAsset.getShadowBias());
this.setCullFace(materialAsset.getCullFace());
this.diffuseTexCoord = materialAsset.diffuseTexCoord.deepCopy();
this.normalTexCoord = materialAsset.normalTexCoord.deepCopy();
this.emissiveTexCoord = materialAsset.emissiveTexCoord.deepCopy();
this.metallicRoughnessTexCoord = materialAsset.metallicRoughnessTexCoord.deepCopy();
this.occlusionTexCoord = materialAsset.occlusionTexCoord.deepCopy();
if (materialAsset.getDiffuseColor() != null) {
this.diffuseColor = materialAsset.getDiffuseColor().cpy();
}
if (materialAsset.getEmissiveColor() != null) {
this.emissiveColor = materialAsset.getEmissiveColor().cpy();
}
this.setDiffuseTexture(materialAsset.getDiffuseTexture());
this.setNormalMap(materialAsset.getNormalMap());
this.setMetallicRoughnessTexture(materialAsset.getMetallicRoughnessTexture());
this.setEmissiveTexture(materialAsset.getEmissiveTexture());
this.setOcclusionTexture(materialAsset.getOcclusionTexture());
}
}
| JamesTKhan/Mundus | commons/src/main/com/mbrlabs/mundus/commons/assets/MaterialAsset.java | 4,798 | // ids of dependent assets | line_comment | nl | /*
* Copyright (c) 2016. See AUTHORS file.
*
* 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.
*/
package com.mbrlabs.mundus.commons.assets;
import com.badlogic.gdx.assets.AssetManager;
import com.badlogic.gdx.files.FileHandle;
import com.badlogic.gdx.graphics.Color;
import com.badlogic.gdx.graphics.Texture;
import com.badlogic.gdx.graphics.g3d.Material;
import com.badlogic.gdx.graphics.g3d.attributes.BlendingAttribute;
import com.badlogic.gdx.graphics.g3d.attributes.IntAttribute;
import com.badlogic.gdx.utils.ObjectMap;
import com.badlogic.gdx.utils.PropertiesUtils;
import com.mbrlabs.mundus.commons.assets.meta.Meta;
import net.mgsx.gltf.scene3d.attributes.PBRColorAttribute;
import net.mgsx.gltf.scene3d.attributes.PBRFloatAttribute;
import net.mgsx.gltf.scene3d.attributes.PBRTextureAttribute;
import java.io.IOException;
import java.io.Reader;
import java.util.Map;
/**
* @author Marcus Brummer
* @version 09-10-2016
*/
public class MaterialAsset extends Asset {
private static final ObjectMap<String, String> MAP = new ObjectMap<>();
public static final String EXTENSION = ".mat";
// property keys
public static final String PROP_DIFFUSE_COLOR = "diffuse.color";
public static final String PROP_DIFFUSE_TEXTURE = "diffuse.texture";
public static final String PROP_MAP_NORMAL = "map.normal";
public static final String PROP_MAP_EMISSIVE_COLOR = "emissive.color";
public static final String PROP_MAP_EMISSIVE_TEXTURE = "emissive.texture";
public static final String PROP_METAL_ROUGH_TEXTURE = "metallicRoughTexture";
public static final String PROP_OCCLUSION_TEXTURE = "occlusionTexture";
public static final String PROP_ROUGHNESS = "roughness";
public static final String PROP_OPACITY = "opacity";
public static final String PROP_METALLIC = "metallic";
public static final String PROP_ALPHA_TEST = "alphaTest";
public static final String PROP_NORMAL_SCALE = "normalScale";
public static final String PROP_SHADOW_BIAS = "shadowBias";
public static final String PROP_CULL_FACE = "cullFace";
// ids of<SUF>
private String diffuseTextureID;
private String normalMapID;
private String emissiveTextureID;
private String metallicRoughnessTextureID;
private String occlusionTextureID;
// Possible values are GL_FRONT_AND_BACK, GL_BACK, GL_FRONT, or -1 to inherit default
private int cullFace = -1;
private Color diffuseColor = Color.WHITE.cpy();
private Color emissiveColor = Color.BLACK.cpy();
private TextureAsset diffuseTexture;
private TextureAsset normalMap;
private TextureAsset emissiveTexture;
private TextureAsset metallicRoughnessTexture;
private TextureAsset occlusionTexture;
public TexCoordInfo diffuseTexCoord = new TexCoordInfo("diffuse");
public TexCoordInfo normalTexCoord = new TexCoordInfo("map");
public TexCoordInfo emissiveTexCoord = new TexCoordInfo("emissive");
public TexCoordInfo metallicRoughnessTexCoord = new TexCoordInfo("metallicRoughTexture");
public TexCoordInfo occlusionTexCoord = new TexCoordInfo("occlusionTexture");
private float roughness = 1f;
private float metallic = 0f;
private float opacity = 1f;
private float alphaTest = 0f;
private float normalScale = 1f;
private float shadowBias = 0.4f;
public MaterialAsset(Meta meta, FileHandle assetFile) {
super(meta, assetFile);
}
@Override
public void load() {
MAP.clear();
try {
Reader reader = file.reader();
PropertiesUtils.load(MAP, reader);
reader.close();
try {
String value = MAP.get(PROP_ROUGHNESS, null);
if (value != null) {
roughness = Float.parseFloat(value);
}
value = MAP.get(PROP_OPACITY, null);
if (value != null) {
opacity = Float.parseFloat(value);
}
value = MAP.get(PROP_METALLIC, null);
if (value != null) {
metallic = Float.parseFloat(value);
}
value = MAP.get(PROP_ALPHA_TEST, null);
if (value != null) {
alphaTest = Float.parseFloat(value);
}
value = MAP.get(PROP_NORMAL_SCALE, null);
if (value != null) {
normalScale = Float.parseFloat(value);
}
value = MAP.get(PROP_SHADOW_BIAS, null);
if (value != null) {
shadowBias = Float.parseFloat(value);
}
value = MAP.get(PROP_CULL_FACE, null);
if (value != null) {
cullFace = Integer.parseInt(value);
}
populateTexCoordInfo(diffuseTexCoord);
populateTexCoordInfo(normalTexCoord);
populateTexCoordInfo(emissiveTexCoord);
populateTexCoordInfo(metallicRoughnessTexCoord);
populateTexCoordInfo(occlusionTexCoord);
} catch (NumberFormatException nfe) {
nfe.printStackTrace();
}
// diffuse color
String diffuseHex = MAP.get(PROP_DIFFUSE_COLOR);
if (diffuseHex != null) {
diffuseColor = Color.valueOf(diffuseHex);
}
// emissive color
String emissiveHex = MAP.get(PROP_MAP_EMISSIVE_COLOR);
if (emissiveHex != null) {
emissiveColor = Color.valueOf(emissiveHex);
}
// asset dependencies
diffuseTextureID = MAP.get(PROP_DIFFUSE_TEXTURE, null);
normalMapID = MAP.get(PROP_MAP_NORMAL, null);
metallicRoughnessTextureID = MAP.get(PROP_METAL_ROUGH_TEXTURE, null);
emissiveTextureID = MAP.get(PROP_MAP_EMISSIVE_TEXTURE, null);
occlusionTextureID = MAP.get(PROP_OCCLUSION_TEXTURE, null);
} catch (IOException e) {
e.printStackTrace();
}
}
@Override
public void load(AssetManager assetManager) {
// No async loading for materials right now
load();
}
private void populateTexCoordInfo(TexCoordInfo texCoordInfo) {
String value = MAP.get(texCoordInfo.PROP_UV, null);
if (value != null) {
texCoordInfo.uvIndex = Integer.parseInt(value);
}
value = MAP.get(texCoordInfo.PROP_OFFSET_U, null);
if (value != null) {
texCoordInfo.offsetU = Float.parseFloat(value);
}
value = MAP.get(texCoordInfo.PROP_OFFSET_V, null);
if (value != null) {
texCoordInfo.offsetV = Float.parseFloat(value);
}
value = MAP.get(texCoordInfo.PROP_SCALE_U, null);
if (value != null) {
texCoordInfo.scaleU = Float.parseFloat(value);
}
value = MAP.get(texCoordInfo.PROP_SCALE_V, null);
if (value != null) {
texCoordInfo.scaleV = Float.parseFloat(value);
}
value = MAP.get(texCoordInfo.PROP_ROTATION_UV, null);
if (value != null) {
texCoordInfo.rotationUV = Float.parseFloat(value);
}
}
/**
* Applies this material asset to the libGDX material.
*
* @param material the material to apply
* @return the material with asset attributes applied
*/
public Material applyToMaterial(Material material) {
return applyToMaterial(material, false);
}
/**
* Applies this material asset to the libGDX material.
*
* @param material the material to apply
* @param terrain whether this material is for a terrain
* @return the material with asset attributes applied
*/
public Material applyToMaterial(Material material, boolean terrain) {
if (diffuseColor != null) {
material.set(PBRColorAttribute.createBaseColorFactor(diffuseColor));
}
if (emissiveColor != null) {
material.set(PBRColorAttribute.createEmissive(emissiveColor));
}
if (!terrain) {
// Terrain materials use these for splat base
if (diffuseTexture != null) {
material.set(getTextureAttribute(PBRTextureAttribute.BaseColorTexture, diffuseTexture.getTexture(), diffuseTexCoord));
} else {
material.remove(PBRTextureAttribute.BaseColorTexture);
}
if (normalMap != null) {
material.set(getTextureAttribute(PBRTextureAttribute.NormalTexture, normalMap.getTexture(), normalTexCoord));
} else {
material.remove(PBRTextureAttribute.NormalTexture);
}
if (emissiveTexture != null) {
material.set(getTextureAttribute(PBRTextureAttribute.EmissiveTexture, emissiveTexture.getTexture(), emissiveTexCoord));
} else {
material.remove(PBRTextureAttribute.EmissiveTexture);
}
if (metallicRoughnessTexture != null) {
material.set(getTextureAttribute(PBRTextureAttribute.MetallicRoughnessTexture, metallicRoughnessTexture.getTexture(), metallicRoughnessTexCoord));
} else {
material.remove(PBRTextureAttribute.MetallicRoughnessTexture);
}
if (occlusionTexture != null) {
material.set(getTextureAttribute(PBRTextureAttribute.OcclusionTexture, occlusionTexture.getTexture(), occlusionTexCoord));
} else {
material.remove(PBRTextureAttribute.OcclusionTexture);
}
} else {
// Apply texCoords for terrains
PBRTextureAttribute diffuse = (PBRTextureAttribute) material.get(PBRTextureAttribute.BaseColorTexture);
if (diffuse != null) {
setTexCoordInfo(diffuse, diffuseTexCoord);
}
PBRTextureAttribute normal = (PBRTextureAttribute) material.get(PBRTextureAttribute.NormalTexture);
if (normal != null) {
setTexCoordInfo(normal, normalTexCoord);
}
}
material.set(PBRFloatAttribute.createRoughness(roughness));
material.set(PBRFloatAttribute.createMetallic(metallic));
material.set(PBRFloatAttribute.createNormalScale(normalScale));
material.set(new PBRFloatAttribute(PBRFloatAttribute.ShadowBias, shadowBias / 255f));
if (cullFace != -1) {
material.set(IntAttribute.createCullFace(cullFace));
} else {
material.remove(IntAttribute.CullFace);
}
if (opacity < 1f) {
material.set(new BlendingAttribute(true, opacity));
} else {
if (alphaTest == 0) {
material.remove(BlendingAttribute.Type);
}
}
if (alphaTest > 0) {
material.set(PBRFloatAttribute.createAlphaTest(alphaTest));
// We need blending attribute to trip the blendedFlag in shader
material.set(new BlendingAttribute(false, opacity));
} else {
material.remove(PBRFloatAttribute.AlphaTest);
if (opacity == 1f) {
material.remove(BlendingAttribute.Type);
}
}
return material;
}
/**
* Create a PBRTextureAttribute for the given type and populate it with
* the texture and TexCoordInfo
*/
private PBRTextureAttribute getTextureAttribute(long type, Texture texture, TexCoordInfo texCoord) {
PBRTextureAttribute attr = new PBRTextureAttribute(type, texture);
setTexCoordInfo(attr, texCoord);
return attr;
}
private void setTexCoordInfo(PBRTextureAttribute attr, TexCoordInfo texCoord) {
attr.uvIndex = texCoord.uvIndex;
attr.offsetU = texCoord.offsetU;
attr.offsetV = texCoord.offsetV;
attr.scaleU = texCoord.scaleU;
attr.scaleV = texCoord.scaleV;
attr.rotationUV = texCoord.rotationUV;
}
public float getRoughness() {
return roughness;
}
public void setRoughness(float roughness) {
this.roughness = roughness;
}
public float getMetallic() {
return metallic;
}
public void setMetallic(float metallic) {
this.metallic = metallic;
}
public float getOpacity() {
return opacity;
}
public void setOpacity(float opacity) {
this.opacity = opacity;
}
public float getAlphaTest() {
return alphaTest;
}
public void setAlphaTest(float alphaTest) {
this.alphaTest = alphaTest;
}
public float getNormalScale() {
return normalScale;
}
public void setNormalScale(float normalScale) {
this.normalScale = normalScale;
}
public float getShadowBias() {
return shadowBias;
}
public void setShadowBias(float shadowBias) {
this.shadowBias = shadowBias;
}
public TextureAsset getNormalMap() {
return normalMap;
}
public void setNormalMap(TextureAsset normalMap) {
this.normalMap = normalMap;
if (normalMap != null) {
this.normalMapID = normalMap.getID();
} else {
this.normalMapID = null;
}
}
public TextureAsset getDiffuseTexture() {
return diffuseTexture;
}
public void setDiffuseTexture(TextureAsset diffuseTexture) {
this.diffuseTexture = diffuseTexture;
if (diffuseTexture != null) {
this.diffuseTextureID = diffuseTexture.getID();
} else {
this.diffuseTextureID = null;
}
}
public TextureAsset getEmissiveTexture() {
return emissiveTexture;
}
public void setEmissiveTexture(TextureAsset emissiveTexture) {
this.emissiveTexture = emissiveTexture;
if (emissiveTexture != null) {
this.emissiveTextureID = emissiveTexture.getID();
} else {
this.emissiveTextureID = null;
}
}
public Color getEmissiveColor() {
return emissiveColor;
}
public TextureAsset getMetallicRoughnessTexture() {
return metallicRoughnessTexture;
}
public void setMetallicRoughnessTexture(TextureAsset metallicRoughnessTexture) {
this.metallicRoughnessTexture = metallicRoughnessTexture;
if (metallicRoughnessTexture != null) {
this.metallicRoughnessTextureID = metallicRoughnessTexture.getID();
} else {
this.metallicRoughnessTextureID = null;
}
}
public TextureAsset getOcclusionTexture() {
return occlusionTexture;
}
public void setOcclusionTexture(TextureAsset occlusionTexture) {
this.occlusionTexture = occlusionTexture;
if (occlusionTexture != null) {
this.occlusionTextureID = occlusionTexture.getID();
} else {
this.occlusionTextureID = null;
}
}
public Color getDiffuseColor() {
return diffuseColor;
}
public int getCullFace() {
return cullFace;
}
public void setCullFace(int cullFace) {
this.cullFace = cullFace;
}
@Override
public void resolveDependencies(Map<String, Asset> assets) {
if (diffuseTextureID != null && assets.containsKey(diffuseTextureID)) {
diffuseTexture = (TextureAsset) assets.get(diffuseTextureID);
}
if (normalMapID != null && assets.containsKey(normalMapID)) {
normalMap = (TextureAsset) assets.get(normalMapID);
}
if (emissiveTextureID != null && assets.containsKey(emissiveTextureID)) {
emissiveTexture = (TextureAsset) assets.get(emissiveTextureID);
}
if (metallicRoughnessTextureID != null && assets.containsKey(metallicRoughnessTextureID)) {
metallicRoughnessTexture = (TextureAsset) assets.get(metallicRoughnessTextureID);
}
if (occlusionTextureID != null && assets.containsKey(occlusionTextureID)) {
occlusionTexture = (TextureAsset) assets.get(occlusionTextureID);
}
}
@Override
public void applyDependencies() {
// nothing to apply
}
@Override
public void dispose() {
// nothing to dispose
}
@Override
public boolean usesAsset(Asset assetToCheck) {
if (assetToCheck instanceof TextureAsset) {
if (fileMatch(diffuseTexture, assetToCheck)) return true;
if (fileMatch(normalMap, assetToCheck)) return true;
if (fileMatch(emissiveTexture, assetToCheck)) return true;
if (fileMatch(metallicRoughnessTexture, assetToCheck)) return true;
return fileMatch(occlusionTexture, assetToCheck);
}
return false;
}
private boolean fileMatch(Asset childAsset, Asset assetToCheck) {
return childAsset != null && childAsset.getFile().path().equals(assetToCheck.getFile().path());
}
public void duplicateMaterialAsset(MaterialAsset materialAsset) {
this.setRoughness(materialAsset.getRoughness());
this.setOpacity(materialAsset.getOpacity());
this.setMetallic(materialAsset.getMetallic());
this.setAlphaTest(materialAsset.getAlphaTest());
this.setNormalScale(materialAsset.getNormalScale());
this.setShadowBias(materialAsset.getShadowBias());
this.setCullFace(materialAsset.getCullFace());
this.diffuseTexCoord = materialAsset.diffuseTexCoord.deepCopy();
this.normalTexCoord = materialAsset.normalTexCoord.deepCopy();
this.emissiveTexCoord = materialAsset.emissiveTexCoord.deepCopy();
this.metallicRoughnessTexCoord = materialAsset.metallicRoughnessTexCoord.deepCopy();
this.occlusionTexCoord = materialAsset.occlusionTexCoord.deepCopy();
if (materialAsset.getDiffuseColor() != null) {
this.diffuseColor = materialAsset.getDiffuseColor().cpy();
}
if (materialAsset.getEmissiveColor() != null) {
this.emissiveColor = materialAsset.getEmissiveColor().cpy();
}
this.setDiffuseTexture(materialAsset.getDiffuseTexture());
this.setNormalMap(materialAsset.getNormalMap());
this.setMetallicRoughnessTexture(materialAsset.getMetallicRoughnessTexture());
this.setEmissiveTexture(materialAsset.getEmissiveTexture());
this.setOcclusionTexture(materialAsset.getOcclusionTexture());
}
}
|
204841_0 | package nl.avans.ivh5.springmvc.library.repository;
import com.mysql.jdbc.PreparedStatement;
import nl.avans.ivh5.springmvc.library.model.Book;
import org.junit.*;
import org.junit.runner.RunWith;
import org.mockito.InjectMocks;
import org.mockito.Mock;
import org.mockito.MockitoAnnotations;
import org.mockito.runners.MockitoJUnitRunner;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.context.ApplicationContext;
import org.springframework.dao.DataAccessException;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jdbc.datasource.DriverManagerDataSource;
import javax.sql.DataSource;
import java.sql.Connection;
import java.sql.ResultSet;
import java.sql.SQLException;
import java.util.ArrayList;
import java.util.List;
import static org.mockito.Matchers.anyString;
import static org.mockito.Mockito.mock;
import static org.mockito.Mockito.when;
/**
* Deze class bevat testcases voor het testen van de BookRepository class.
* Omdat we alleen de repository willen testen moeten we onafhankelijk zijn van de omringende lagen. We willen
* dus eigenlijk niet naar de data laag om boeken op te halen, maar we willen dat simuleren - of mocken.
*
* Mockito is een framework dat het mogelijk maakt om stubs (of mocks) van bestaande classes te maken, en
* te bepalen hoe die mocks reageren op aanroepen, bv uit de BookService. Zo hebben we controle over de
* omliggende classen en kunnen we de functionaliteit van de BookService geïsoleerd testen. Dit is dus
* feitelijk een unit test.
*/
@RunWith(MockitoJUnitRunner.class)
public class BookRepositoryTest {
private static final Logger logger = LoggerFactory.getLogger(BookRepositoryTest.class);
// De volgende parameters worden met Mockito gemockt.
// We gaan verderop hun gedrag definiëren.
@Mock
private Book mockBook;
@Mock
JdbcTemplate mockJdbcTemplate;
@Mock
DataSource mockDataSource;
@Mock
Connection mockConn;
@Mock
PreparedStatement mockPreparedStmnt;
@Mock
ResultSet mockResultSet;
@InjectMocks
private BookRepository bookRepository;
@Autowired
private ApplicationContext appContext;
private List<Book> bookArrayList;
private Long ean = 1111L;
public BookRepositoryTest() {}
@Before
public void setUp() throws SQLException {
logger.info("---- setUp ----");
MockitoAnnotations.initMocks(this);
}
@After
public void tearDown() {
logger.info("---- tearDown ----");
}
@Ignore
@Test
public void testCreateWithNoExceptions() throws SQLException {
logger.info("---- testCreateWithNoExceptions ----");
Long ean = 1234L;
String title = "Titel van het boek";
String author = "Author Name";
String sql = "SELECT * FROM view_all_books WHERE ISBN=?";
List<Book> books = new ArrayList<Book>();
books.add(new Book.Builder(ean, title, author).build());
mockJdbcTemplate = mock(JdbcTemplate.class);
mockDataSource = mock(DataSource.class);
mockPreparedStmnt = mock(PreparedStatement.class);
ResultSet resultSet = mock(ResultSet.class);
mockJdbcTemplate.setDataSource(mockDataSource);
// when(mockConn.createStatement()).thenReturn(mockPreparedStmnt);
when(mockPreparedStmnt.executeQuery(anyString())).thenReturn(resultSet);
when(mockJdbcTemplate.query(sql, new Object[]{ean}, new BookRowMapper() )).thenReturn(books);
when(mockJdbcTemplate.query(anyString(), new BookRowMapper() )).thenReturn(books);
BookRepository bookRepository = new BookRepository(appContext.getBean(DriverManagerDataSource.class));
// bookRepository.setDataSource(mockDataSource);
List<Book> result = bookRepository.findByEAN(ean);
Assert.assertEquals(result, books);
}
@Ignore
@Test(expected = DataAccessException.class)
public void testCreateWithPreparedStmntException() throws SQLException {
logger.info("---- testCreateWithPreparedStmntException ----");
//mock
// when(mockConn.prepareStatement(anyString(), anyInt())).thenThrow(new SQLException());
Long ean = 1234L;
String title = "Titel van het boek";
String author = "Author Name";
String sql = "SELECT * FROM view_all_books WHERE ISBN=?";
List<Book> books = new ArrayList<Book>();
books.add(new Book.Builder(ean, title, author).build());
when(mockJdbcTemplate.query(sql, new Object[]{ean}, new BookRowMapper() )).thenReturn(books);
try {
BookRepository bookRepository = new BookRepository(appContext.getBean(DriverManagerDataSource.class));
List<Book> result = bookRepository.findByEAN(ean);
} catch (DataAccessException ex) {
logger.info("---- Exception as expexted ----");
// //verify and assert
// verify(mockConn, times(1)).prepareStatement(anyString(), anyInt());
// verify(mockPreparedStmnt, times(0)).setString(anyInt(), anyString());
// verify(mockPreparedStmnt, times(0)).execute();
// verify(mockConn, times(0)).commit();
// verify(mockResultSet, times(0)).next();
// verify(mockResultSet, times(0)).getInt(Fields.GENERATED_KEYS);
// throw se;
}
}
} | rschellius/spring-mvc-library | src/test/java/nl/avans/ivh5/springmvc/library/repository/BookRepositoryTest.java | 1,355 | /**
* Deze class bevat testcases voor het testen van de BookRepository class.
* Omdat we alleen de repository willen testen moeten we onafhankelijk zijn van de omringende lagen. We willen
* dus eigenlijk niet naar de data laag om boeken op te halen, maar we willen dat simuleren - of mocken.
*
* Mockito is een framework dat het mogelijk maakt om stubs (of mocks) van bestaande classes te maken, en
* te bepalen hoe die mocks reageren op aanroepen, bv uit de BookService. Zo hebben we controle over de
* omliggende classen en kunnen we de functionaliteit van de BookService geïsoleerd testen. Dit is dus
* feitelijk een unit test.
*/ | block_comment | nl | package nl.avans.ivh5.springmvc.library.repository;
import com.mysql.jdbc.PreparedStatement;
import nl.avans.ivh5.springmvc.library.model.Book;
import org.junit.*;
import org.junit.runner.RunWith;
import org.mockito.InjectMocks;
import org.mockito.Mock;
import org.mockito.MockitoAnnotations;
import org.mockito.runners.MockitoJUnitRunner;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.context.ApplicationContext;
import org.springframework.dao.DataAccessException;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jdbc.datasource.DriverManagerDataSource;
import javax.sql.DataSource;
import java.sql.Connection;
import java.sql.ResultSet;
import java.sql.SQLException;
import java.util.ArrayList;
import java.util.List;
import static org.mockito.Matchers.anyString;
import static org.mockito.Mockito.mock;
import static org.mockito.Mockito.when;
/**
* Deze class bevat<SUF>*/
@RunWith(MockitoJUnitRunner.class)
public class BookRepositoryTest {
private static final Logger logger = LoggerFactory.getLogger(BookRepositoryTest.class);
// De volgende parameters worden met Mockito gemockt.
// We gaan verderop hun gedrag definiëren.
@Mock
private Book mockBook;
@Mock
JdbcTemplate mockJdbcTemplate;
@Mock
DataSource mockDataSource;
@Mock
Connection mockConn;
@Mock
PreparedStatement mockPreparedStmnt;
@Mock
ResultSet mockResultSet;
@InjectMocks
private BookRepository bookRepository;
@Autowired
private ApplicationContext appContext;
private List<Book> bookArrayList;
private Long ean = 1111L;
public BookRepositoryTest() {}
@Before
public void setUp() throws SQLException {
logger.info("---- setUp ----");
MockitoAnnotations.initMocks(this);
}
@After
public void tearDown() {
logger.info("---- tearDown ----");
}
@Ignore
@Test
public void testCreateWithNoExceptions() throws SQLException {
logger.info("---- testCreateWithNoExceptions ----");
Long ean = 1234L;
String title = "Titel van het boek";
String author = "Author Name";
String sql = "SELECT * FROM view_all_books WHERE ISBN=?";
List<Book> books = new ArrayList<Book>();
books.add(new Book.Builder(ean, title, author).build());
mockJdbcTemplate = mock(JdbcTemplate.class);
mockDataSource = mock(DataSource.class);
mockPreparedStmnt = mock(PreparedStatement.class);
ResultSet resultSet = mock(ResultSet.class);
mockJdbcTemplate.setDataSource(mockDataSource);
// when(mockConn.createStatement()).thenReturn(mockPreparedStmnt);
when(mockPreparedStmnt.executeQuery(anyString())).thenReturn(resultSet);
when(mockJdbcTemplate.query(sql, new Object[]{ean}, new BookRowMapper() )).thenReturn(books);
when(mockJdbcTemplate.query(anyString(), new BookRowMapper() )).thenReturn(books);
BookRepository bookRepository = new BookRepository(appContext.getBean(DriverManagerDataSource.class));
// bookRepository.setDataSource(mockDataSource);
List<Book> result = bookRepository.findByEAN(ean);
Assert.assertEquals(result, books);
}
@Ignore
@Test(expected = DataAccessException.class)
public void testCreateWithPreparedStmntException() throws SQLException {
logger.info("---- testCreateWithPreparedStmntException ----");
//mock
// when(mockConn.prepareStatement(anyString(), anyInt())).thenThrow(new SQLException());
Long ean = 1234L;
String title = "Titel van het boek";
String author = "Author Name";
String sql = "SELECT * FROM view_all_books WHERE ISBN=?";
List<Book> books = new ArrayList<Book>();
books.add(new Book.Builder(ean, title, author).build());
when(mockJdbcTemplate.query(sql, new Object[]{ean}, new BookRowMapper() )).thenReturn(books);
try {
BookRepository bookRepository = new BookRepository(appContext.getBean(DriverManagerDataSource.class));
List<Book> result = bookRepository.findByEAN(ean);
} catch (DataAccessException ex) {
logger.info("---- Exception as expexted ----");
// //verify and assert
// verify(mockConn, times(1)).prepareStatement(anyString(), anyInt());
// verify(mockPreparedStmnt, times(0)).setString(anyInt(), anyString());
// verify(mockPreparedStmnt, times(0)).execute();
// verify(mockConn, times(0)).commit();
// verify(mockResultSet, times(0)).next();
// verify(mockResultSet, times(0)).getInt(Fields.GENERATED_KEYS);
// throw se;
}
}
} |
204841_1 | package nl.avans.ivh5.springmvc.library.repository;
import com.mysql.jdbc.PreparedStatement;
import nl.avans.ivh5.springmvc.library.model.Book;
import org.junit.*;
import org.junit.runner.RunWith;
import org.mockito.InjectMocks;
import org.mockito.Mock;
import org.mockito.MockitoAnnotations;
import org.mockito.runners.MockitoJUnitRunner;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.context.ApplicationContext;
import org.springframework.dao.DataAccessException;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jdbc.datasource.DriverManagerDataSource;
import javax.sql.DataSource;
import java.sql.Connection;
import java.sql.ResultSet;
import java.sql.SQLException;
import java.util.ArrayList;
import java.util.List;
import static org.mockito.Matchers.anyString;
import static org.mockito.Mockito.mock;
import static org.mockito.Mockito.when;
/**
* Deze class bevat testcases voor het testen van de BookRepository class.
* Omdat we alleen de repository willen testen moeten we onafhankelijk zijn van de omringende lagen. We willen
* dus eigenlijk niet naar de data laag om boeken op te halen, maar we willen dat simuleren - of mocken.
*
* Mockito is een framework dat het mogelijk maakt om stubs (of mocks) van bestaande classes te maken, en
* te bepalen hoe die mocks reageren op aanroepen, bv uit de BookService. Zo hebben we controle over de
* omliggende classen en kunnen we de functionaliteit van de BookService geïsoleerd testen. Dit is dus
* feitelijk een unit test.
*/
@RunWith(MockitoJUnitRunner.class)
public class BookRepositoryTest {
private static final Logger logger = LoggerFactory.getLogger(BookRepositoryTest.class);
// De volgende parameters worden met Mockito gemockt.
// We gaan verderop hun gedrag definiëren.
@Mock
private Book mockBook;
@Mock
JdbcTemplate mockJdbcTemplate;
@Mock
DataSource mockDataSource;
@Mock
Connection mockConn;
@Mock
PreparedStatement mockPreparedStmnt;
@Mock
ResultSet mockResultSet;
@InjectMocks
private BookRepository bookRepository;
@Autowired
private ApplicationContext appContext;
private List<Book> bookArrayList;
private Long ean = 1111L;
public BookRepositoryTest() {}
@Before
public void setUp() throws SQLException {
logger.info("---- setUp ----");
MockitoAnnotations.initMocks(this);
}
@After
public void tearDown() {
logger.info("---- tearDown ----");
}
@Ignore
@Test
public void testCreateWithNoExceptions() throws SQLException {
logger.info("---- testCreateWithNoExceptions ----");
Long ean = 1234L;
String title = "Titel van het boek";
String author = "Author Name";
String sql = "SELECT * FROM view_all_books WHERE ISBN=?";
List<Book> books = new ArrayList<Book>();
books.add(new Book.Builder(ean, title, author).build());
mockJdbcTemplate = mock(JdbcTemplate.class);
mockDataSource = mock(DataSource.class);
mockPreparedStmnt = mock(PreparedStatement.class);
ResultSet resultSet = mock(ResultSet.class);
mockJdbcTemplate.setDataSource(mockDataSource);
// when(mockConn.createStatement()).thenReturn(mockPreparedStmnt);
when(mockPreparedStmnt.executeQuery(anyString())).thenReturn(resultSet);
when(mockJdbcTemplate.query(sql, new Object[]{ean}, new BookRowMapper() )).thenReturn(books);
when(mockJdbcTemplate.query(anyString(), new BookRowMapper() )).thenReturn(books);
BookRepository bookRepository = new BookRepository(appContext.getBean(DriverManagerDataSource.class));
// bookRepository.setDataSource(mockDataSource);
List<Book> result = bookRepository.findByEAN(ean);
Assert.assertEquals(result, books);
}
@Ignore
@Test(expected = DataAccessException.class)
public void testCreateWithPreparedStmntException() throws SQLException {
logger.info("---- testCreateWithPreparedStmntException ----");
//mock
// when(mockConn.prepareStatement(anyString(), anyInt())).thenThrow(new SQLException());
Long ean = 1234L;
String title = "Titel van het boek";
String author = "Author Name";
String sql = "SELECT * FROM view_all_books WHERE ISBN=?";
List<Book> books = new ArrayList<Book>();
books.add(new Book.Builder(ean, title, author).build());
when(mockJdbcTemplate.query(sql, new Object[]{ean}, new BookRowMapper() )).thenReturn(books);
try {
BookRepository bookRepository = new BookRepository(appContext.getBean(DriverManagerDataSource.class));
List<Book> result = bookRepository.findByEAN(ean);
} catch (DataAccessException ex) {
logger.info("---- Exception as expexted ----");
// //verify and assert
// verify(mockConn, times(1)).prepareStatement(anyString(), anyInt());
// verify(mockPreparedStmnt, times(0)).setString(anyInt(), anyString());
// verify(mockPreparedStmnt, times(0)).execute();
// verify(mockConn, times(0)).commit();
// verify(mockResultSet, times(0)).next();
// verify(mockResultSet, times(0)).getInt(Fields.GENERATED_KEYS);
// throw se;
}
}
} | rschellius/spring-mvc-library | src/test/java/nl/avans/ivh5/springmvc/library/repository/BookRepositoryTest.java | 1,355 | // De volgende parameters worden met Mockito gemockt. | line_comment | nl | package nl.avans.ivh5.springmvc.library.repository;
import com.mysql.jdbc.PreparedStatement;
import nl.avans.ivh5.springmvc.library.model.Book;
import org.junit.*;
import org.junit.runner.RunWith;
import org.mockito.InjectMocks;
import org.mockito.Mock;
import org.mockito.MockitoAnnotations;
import org.mockito.runners.MockitoJUnitRunner;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.context.ApplicationContext;
import org.springframework.dao.DataAccessException;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jdbc.datasource.DriverManagerDataSource;
import javax.sql.DataSource;
import java.sql.Connection;
import java.sql.ResultSet;
import java.sql.SQLException;
import java.util.ArrayList;
import java.util.List;
import static org.mockito.Matchers.anyString;
import static org.mockito.Mockito.mock;
import static org.mockito.Mockito.when;
/**
* Deze class bevat testcases voor het testen van de BookRepository class.
* Omdat we alleen de repository willen testen moeten we onafhankelijk zijn van de omringende lagen. We willen
* dus eigenlijk niet naar de data laag om boeken op te halen, maar we willen dat simuleren - of mocken.
*
* Mockito is een framework dat het mogelijk maakt om stubs (of mocks) van bestaande classes te maken, en
* te bepalen hoe die mocks reageren op aanroepen, bv uit de BookService. Zo hebben we controle over de
* omliggende classen en kunnen we de functionaliteit van de BookService geïsoleerd testen. Dit is dus
* feitelijk een unit test.
*/
@RunWith(MockitoJUnitRunner.class)
public class BookRepositoryTest {
private static final Logger logger = LoggerFactory.getLogger(BookRepositoryTest.class);
// De volgende<SUF>
// We gaan verderop hun gedrag definiëren.
@Mock
private Book mockBook;
@Mock
JdbcTemplate mockJdbcTemplate;
@Mock
DataSource mockDataSource;
@Mock
Connection mockConn;
@Mock
PreparedStatement mockPreparedStmnt;
@Mock
ResultSet mockResultSet;
@InjectMocks
private BookRepository bookRepository;
@Autowired
private ApplicationContext appContext;
private List<Book> bookArrayList;
private Long ean = 1111L;
public BookRepositoryTest() {}
@Before
public void setUp() throws SQLException {
logger.info("---- setUp ----");
MockitoAnnotations.initMocks(this);
}
@After
public void tearDown() {
logger.info("---- tearDown ----");
}
@Ignore
@Test
public void testCreateWithNoExceptions() throws SQLException {
logger.info("---- testCreateWithNoExceptions ----");
Long ean = 1234L;
String title = "Titel van het boek";
String author = "Author Name";
String sql = "SELECT * FROM view_all_books WHERE ISBN=?";
List<Book> books = new ArrayList<Book>();
books.add(new Book.Builder(ean, title, author).build());
mockJdbcTemplate = mock(JdbcTemplate.class);
mockDataSource = mock(DataSource.class);
mockPreparedStmnt = mock(PreparedStatement.class);
ResultSet resultSet = mock(ResultSet.class);
mockJdbcTemplate.setDataSource(mockDataSource);
// when(mockConn.createStatement()).thenReturn(mockPreparedStmnt);
when(mockPreparedStmnt.executeQuery(anyString())).thenReturn(resultSet);
when(mockJdbcTemplate.query(sql, new Object[]{ean}, new BookRowMapper() )).thenReturn(books);
when(mockJdbcTemplate.query(anyString(), new BookRowMapper() )).thenReturn(books);
BookRepository bookRepository = new BookRepository(appContext.getBean(DriverManagerDataSource.class));
// bookRepository.setDataSource(mockDataSource);
List<Book> result = bookRepository.findByEAN(ean);
Assert.assertEquals(result, books);
}
@Ignore
@Test(expected = DataAccessException.class)
public void testCreateWithPreparedStmntException() throws SQLException {
logger.info("---- testCreateWithPreparedStmntException ----");
//mock
// when(mockConn.prepareStatement(anyString(), anyInt())).thenThrow(new SQLException());
Long ean = 1234L;
String title = "Titel van het boek";
String author = "Author Name";
String sql = "SELECT * FROM view_all_books WHERE ISBN=?";
List<Book> books = new ArrayList<Book>();
books.add(new Book.Builder(ean, title, author).build());
when(mockJdbcTemplate.query(sql, new Object[]{ean}, new BookRowMapper() )).thenReturn(books);
try {
BookRepository bookRepository = new BookRepository(appContext.getBean(DriverManagerDataSource.class));
List<Book> result = bookRepository.findByEAN(ean);
} catch (DataAccessException ex) {
logger.info("---- Exception as expexted ----");
// //verify and assert
// verify(mockConn, times(1)).prepareStatement(anyString(), anyInt());
// verify(mockPreparedStmnt, times(0)).setString(anyInt(), anyString());
// verify(mockPreparedStmnt, times(0)).execute();
// verify(mockConn, times(0)).commit();
// verify(mockResultSet, times(0)).next();
// verify(mockResultSet, times(0)).getInt(Fields.GENERATED_KEYS);
// throw se;
}
}
} |
204896_68 | /*
* (C) Copyright 2005, Gregor Heinrich (gregor :: arbylon : net) (This file is
* part of the org.knowceans experimental software packages.)
*/
/*
* LdaGibbsSampler is free software; you can redistribute it and/or modify it
* under the terms of the GNU General Public License as published by the Free
* Software Foundation; either version 2 of the License, or (at your option) any
* later version.
*/
/*
* LdaGibbsSampler is distributed in the hope that it will be useful, but
* WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or
* FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more
* details.
*/
/*
* You should have received a copy of the GNU General Public License along with
* this program; if not, write to the Free Software Foundation, Inc., 59 Temple
* Place, Suite 330, Boston, MA 02111-1307 USA
*/
/*
* Created on Mar 6, 2005
*/
package me.xiaosheng.chnlp.lda;
import java.text.DecimalFormat;
import java.text.NumberFormat;
/**
* Gibbs sampler for estimating the best assignments of topics for words and
* documents in a corpus. The algorithm is introduced in Tom Griffiths' paper
* "Gibbs sampling in the generative model of Latent Dirichlet Allocation"
* (2002).<br>
* Gibbs sampler采样算法的实现
*
* @author heinrich
*/
public class LdaGibbsSampler
{
/**
* document data (term lists)<br>
* 文档
*/
int[][] documents;
/**
* vocabulary size<br>
* 词表大小
*/
int V;
/**
* number of topics<br>
* 主题数目
*/
int K;
/**
* Dirichlet parameter (document--topic associations)<br>
* 文档——主题参数
*/
double alpha = 2.0;
/**
* Dirichlet parameter (topic--term associations)<br>
* 主题——词语参数
*/
double beta = 0.5;
/**
* topic assignments for each word.<br>
* 每个词语的主题 z[i][j] := 文档i的第j个词语的主题编号
*/
int z[][];
/**
* cwt[i][j] number of instances of word i (term?) assigned to topic j.<br>
* 计数器,nw[i][j] := 词语i归入主题j的次数
*/
int[][] nw;
/**
* na[i][j] number of words in document i assigned to topic j.<br>
* 计数器,nd[i][j] := 文档[i]中归入主题j的词语的个数
*/
int[][] nd;
/**
* nwsum[j] total number of words assigned to topic j.<br>
* 计数器,nwsum[j] := 归入主题j词语的个数
*/
int[] nwsum;
/**
* nasum[i] total number of words in document i.<br>
* 计数器,ndsum[i] := 文档i中全部词语的数量
*/
int[] ndsum;
/**
* cumulative statistics of theta<br>
* theta的累积量
*/
double[][] thetasum;
/**
* cumulative statistics of phi<br>
* phi的累积量
*/
double[][] phisum;
/**
* size of statistics<br>
* 样本容量
*/
int numstats;
/**
* sampling lag (?)<br>
* 多久更新一次统计量
*/
private static int THIN_INTERVAL = 20;
/**
* burn-in period<br>
* 收敛前的迭代次数
*/
private static int BURN_IN = 100;
/**
* max iterations<br>
* 最大迭代次数
*/
private static int ITERATIONS = 1000;
/**
* sample lag (if -1 only one sample taken)<br>
* 最后的模型个数(取收敛后的n个迭代的参数做平均可以使得模型质量更高)
*/
private static int SAMPLE_LAG = 10;
private static int dispcol = 0;
/**
* Initialise the Gibbs sampler with data.<br>
* 用数据初始化采样器
*
* @param documents 文档
* @param V vocabulary size 词表大小
*/
public LdaGibbsSampler(int[][] documents, int V)
{
this.documents = documents;
this.V = V;
}
/**
* Initialisation: Must start with an assignment of observations to topics ?
* Many alternatives are possible, I chose to perform random assignments
* with equal probabilities<br>
* 随机初始化状态
*
* @param K number of topics K个主题
*/
public void initialState(int K)
{
int M = documents.length;
// initialise count variables. 初始化计数器
nw = new int[V][K];
nd = new int[M][K];
nwsum = new int[K];
ndsum = new int[M];
// The z_i are are initialised to values in [1,K] to determine the
// initial state of the Markov chain.
z = new int[M][]; // z_i := 1到K之间的值,表示马氏链的初始状态
for (int m = 0; m < M; m++)
{
int N = documents[m].length;
z[m] = new int[N];
for (int n = 0; n < N; n++)
{
int topic = (int) (Math.random() * K);
z[m][n] = topic;
// number of instances of word i assigned to topic j
nw[documents[m][n]][topic]++;
// number of words in document i assigned to topic j.
nd[m][topic]++;
// total number of words assigned to topic j.
nwsum[topic]++;
}
// total number of words in document i
ndsum[m] = N;
}
}
public void gibbs(int K)
{
gibbs(K, 2.0, 0.5);
}
/**
* Main method: Select initial state ? Repeat a large number of times: 1.
* Select an element 2. Update conditional on other elements. If
* appropriate, output summary for each run.<br>
* 采样
*
* @param K number of topics 主题数
* @param alpha symmetric prior parameter on document--topic associations 对称文档——主题先验概率?
* @param beta symmetric prior parameter on topic--term associations 对称主题——词语先验概率?
*/
public void gibbs(int K, double alpha, double beta)
{
this.K = K;
this.alpha = alpha;
this.beta = beta;
// init sampler statistics 分配内存
if (SAMPLE_LAG > 0)
{
thetasum = new double[documents.length][K];
phisum = new double[K][V];
numstats = 0;
}
// initial state of the Markov chain:
initialState(K);
System.out.println("Sampling " + ITERATIONS
+ " iterations with burn-in of " + BURN_IN + " (B/S="
+ THIN_INTERVAL + ").");
for (int i = 0; i < ITERATIONS; i++)
{
// for all z_i
for (int m = 0; m < z.length; m++)
{
for (int n = 0; n < z[m].length; n++)
{
// (z_i = z[m][n])
// sample from p(z_i|z_-i, w)
int topic = sampleFullConditional(m, n);
z[m][n] = topic;
}
}
if ((i < BURN_IN) && (i % THIN_INTERVAL == 0))
{
System.out.print("B");
dispcol++;
}
// display progress
if ((i > BURN_IN) && (i % THIN_INTERVAL == 0))
{
System.out.print("S");
dispcol++;
}
// get statistics after burn-in
if ((i > BURN_IN) && (SAMPLE_LAG > 0) && (i % SAMPLE_LAG == 0))
{
updateParams();
System.out.print("|");
if (i % THIN_INTERVAL != 0)
dispcol++;
}
if (dispcol >= 100)
{
System.out.println();
dispcol = 0;
}
}
System.out.println();
}
/**
* Sample a topic z_i from the full conditional distribution: p(z_i = j |
* z_-i, w) = (n_-i,j(w_i) + beta)/(n_-i,j(.) + W * beta) * (n_-i,j(d_i) +
* alpha)/(n_-i,.(d_i) + K * alpha) <br>
* 根据上述公式计算文档m中第n个词语的主题的完全条件分布,输出最可能的主题
*
* @param m document
* @param n word
*/
private int sampleFullConditional(int m, int n)
{
// remove z_i from the count variables 先将这个词从计数器中抹掉
int topic = z[m][n];
nw[documents[m][n]][topic]--;
nd[m][topic]--;
nwsum[topic]--;
ndsum[m]--;
// do multinomial sampling via cumulative method: 通过多项式方法采样多项式分布
double[] p = new double[K];
for (int k = 0; k < K; k++)
{
p[k] = (nw[documents[m][n]][k] + beta) / (nwsum[k] + V * beta)
* (nd[m][k] + alpha) / (ndsum[m] + K * alpha);
}
// cumulate multinomial parameters 累加多项式分布的参数
for (int k = 1; k < p.length; k++)
{
p[k] += p[k - 1];
}
// scaled sample because of unnormalised p[] 正则化
double u = Math.random() * p[K - 1];
for (topic = 0; topic < p.length; topic++)
{
if (u < p[topic])
break;
}
// add newly estimated z_i to count variables 将重新估计的该词语加入计数器
nw[documents[m][n]][topic]++;
nd[m][topic]++;
nwsum[topic]++;
ndsum[m]++;
return topic;
}
/**
* Add to the statistics the values of theta and phi for the current state.<br>
* 更新参数
*/
private void updateParams()
{
for (int m = 0; m < documents.length; m++)
{
for (int k = 0; k < K; k++)
{
thetasum[m][k] += (nd[m][k] + alpha) / (ndsum[m] + K * alpha);
}
}
for (int k = 0; k < K; k++)
{
for (int w = 0; w < V; w++)
{
phisum[k][w] += (nw[w][k] + beta) / (nwsum[k] + V * beta);
}
}
numstats++;
}
/**
* Retrieve estimated document--topic associations. If sample lag > 0 then
* the mean value of all sampled statistics for theta[][] is taken.<br>
* 获取文档——主题矩阵
*
* @return theta multinomial mixture of document topics (M x K)
*/
public double[][] getTheta()
{
double[][] theta = new double[documents.length][K];
if (SAMPLE_LAG > 0)
{
for (int m = 0; m < documents.length; m++)
{
for (int k = 0; k < K; k++)
{
theta[m][k] = thetasum[m][k] / numstats;
}
}
}
else
{
for (int m = 0; m < documents.length; m++)
{
for (int k = 0; k < K; k++)
{
theta[m][k] = (nd[m][k] + alpha) / (ndsum[m] + K * alpha);
}
}
}
return theta;
}
/**
* Retrieve estimated topic--word associations. If sample lag > 0 then the
* mean value of all sampled statistics for phi[][] is taken.<br>
* 获取主题——词语矩阵
*
* @return phi multinomial mixture of topic words (K x V)
*/
public double[][] getPhi()
{
double[][] phi = new double[K][V];
if (SAMPLE_LAG > 0)
{
for (int k = 0; k < K; k++)
{
for (int w = 0; w < V; w++)
{
phi[k][w] = phisum[k][w] / numstats;
}
}
}
else
{
for (int k = 0; k < K; k++)
{
for (int w = 0; w < V; w++)
{
phi[k][w] = (nw[w][k] + beta) / (nwsum[k] + V * beta);
}
}
}
return phi;
}
/**
* Print table of multinomial data
*
* @param data vector of evidence
* @param fmax max frequency in display
* @return the scaled histogram bin values
*/
public static void hist(double[] data, int fmax)
{
double[] hist = new double[data.length];
// scale maximum
double hmax = 0;
for (int i = 0; i < data.length; i++)
{
hmax = Math.max(data[i], hmax);
}
double shrink = fmax / hmax;
for (int i = 0; i < data.length; i++)
{
hist[i] = shrink * data[i];
}
NumberFormat nf = new DecimalFormat("00");
String scale = "";
for (int i = 1; i < fmax / 10 + 1; i++)
{
scale += " . " + i % 10;
}
System.out.println("x" + nf.format(hmax / fmax) + "\t0" + scale);
for (int i = 0; i < hist.length; i++)
{
System.out.print(i + "\t|");
for (int j = 0; j < Math.round(hist[i]); j++)
{
if ((j + 1) % 10 == 0)
System.out.print("]");
else
System.out.print("|");
}
System.out.println();
}
}
/**
* Configure the gibbs sampler<br>
* 配置采样器
*
* @param iterations number of total iterations
* @param burnIn number of burn-in iterations
* @param thinInterval update statistics interval
* @param sampleLag sample interval (-1 for just one sample at the end)
*/
public void configure(int iterations, int burnIn, int thinInterval,
int sampleLag)
{
ITERATIONS = iterations;
BURN_IN = burnIn;
THIN_INTERVAL = thinInterval;
SAMPLE_LAG = sampleLag;
}
/**
* Inference a new document by a pre-trained phi matrix
*
* @param phi pre-trained phi matrix
* @param doc document
* @return a p array
*/
public static double[] inference(double alpha, double beta, double[][] phi, int[] doc)
{
int K = phi.length;
int V = phi[0].length;
// init
// initialise count variables. 初始化计数器
int[][] nw = new int[V][K];
int[] nd = new int[K];
int[] nwsum = new int[K];
int ndsum = 0;
// The z_i are are initialised to values in [1,K] to determine the
// initial state of the Markov chain.
int N = doc.length;
int[] z = new int[N]; // z_i := 1到K之间的值,表示马氏链的初始状态
for (int n = 0; n < N; n++)
{
int topic = (int) (Math.random() * K);
z[n] = topic;
// number of instances of word i assigned to topic j
nw[doc[n]][topic]++;
// number of words in document i assigned to topic j.
nd[topic]++;
// total number of words assigned to topic j.
nwsum[topic]++;
}
// total number of words in document i
ndsum = N;
for (int i = 0; i < ITERATIONS; i++)
{
for (int n = 0; n < z.length; n++)
{
// (z_i = z[m][n])
// sample from p(z_i|z_-i, w)
// remove z_i from the count variables 先将这个词从计数器中抹掉
int topic = z[n];
nw[doc[n]][topic]--;
nd[topic]--;
nwsum[topic]--;
ndsum--;
// do multinomial sampling via cumulative method: 通过多项式方法采样多项式分布
double[] p = new double[K];
for (int k = 0; k < K; k++)
{
p[k] = phi[k][doc[n]]
* (nd[k] + alpha) / (ndsum + K * alpha);
}
// cumulate multinomial parameters 累加多项式分布的参数
for (int k = 1; k < p.length; k++)
{
p[k] += p[k - 1];
}
// scaled sample because of unnormalised p[] 正则化
double u = Math.random() * p[K - 1];
for (topic = 0; topic < p.length; topic++)
{
if (u < p[topic])
break;
}
// add newly estimated z_i to count variables 将重新估计的该词语加入计数器
nw[doc[n]][topic]++;
nd[topic]++;
nwsum[topic]++;
ndsum++;
z[n] = topic;
}
}
double[] theta = new double[K];
for (int k = 0; k < K; k++)
{
theta[k] = (nd[k] + alpha) / (ndsum + K * alpha);
}
return theta;
}
public static double[] inference(double[][] phi, int[] doc)
{
return inference(2.0, 0.5, phi, doc);
}
/**
* Driver with example data.<br>
* 测试入口
*
* @param args
*/
public static void main(String[] args)
{
// words in documents
int[][] documents = {
{1, 4, 3, 2, 3, 1, 4, 3, 2, 3, 1, 4, 3, 2, 3, 6},
{2, 2, 4, 2, 4, 2, 2, 2, 2, 4, 2, 2},
{1, 6, 5, 6, 0, 1, 6, 5, 6, 0, 1, 6, 5, 6, 0, 0},
{5, 6, 6, 2, 3, 3, 6, 5, 6, 2, 2, 6, 5, 6, 6, 6, 0},
{2, 2, 4, 4, 4, 4, 1, 5, 5, 5, 5, 5, 5, 1, 1, 1, 1, 0},
{5, 4, 2, 3, 4, 5, 6, 6, 5, 4, 3, 2}}; // 文档的词语id集合
// vocabulary
int V = 7; // 词表大小
// int M = documents.length;
// # topics
int K = 2; // 主题数目
// good values alpha = 2, beta = .5
double alpha = 2;
double beta = .5;
System.out.println("Latent Dirichlet Allocation using Gibbs Sampling.");
LdaGibbsSampler lda = new LdaGibbsSampler(documents, V);
lda.configure(10000, 2000, 100, 10);
lda.gibbs(K, alpha, beta);
double[][] theta = lda.getTheta();
double[][] phi = lda.getPhi();
System.out.println();
System.out.println();
System.out.println("Document--Topic Associations, Theta[d][k] (alpha="
+ alpha + ")");
System.out.print("d\\k\t");
for (int m = 0; m < theta[0].length; m++)
{
System.out.print(" " + m % 10 + " ");
}
System.out.println();
for (int m = 0; m < theta.length; m++)
{
System.out.print(m + "\t");
for (int k = 0; k < theta[m].length; k++)
{
// System.out.print(theta[m][k] + " ");
System.out.print(shadeDouble(theta[m][k], 1) + " ");
}
System.out.println();
}
System.out.println();
System.out.println("Topic--Term Associations, Phi[k][w] (beta=" + beta
+ ")");
System.out.print("k\\w\t");
for (int w = 0; w < phi[0].length; w++)
{
System.out.print(" " + w % 10 + " ");
}
System.out.println();
for (int k = 0; k < phi.length; k++)
{
System.out.print(k + "\t");
for (int w = 0; w < phi[k].length; w++)
{
// System.out.print(phi[k][w] + " ");
System.out.print(shadeDouble(phi[k][w], 1) + " ");
}
System.out.println();
}
// Let's inference a new document
int[] aNewDocument = {2, 2, 4, 2, 4, 2, 2, 2, 2, 4, 2, 2};
double[] newTheta = inference(alpha, beta, phi, aNewDocument);
for (int k = 0; k < newTheta.length; k++)
{
// System.out.print(theta[m][k] + " ");
System.out.print(shadeDouble(newTheta[k], 1) + " ");
}
System.out.println();
}
static String[] shades = {" ", ". ", ": ", ":. ", ":: ",
"::. ", "::: ", ":::. ", ":::: ", "::::.", ":::::"};
static NumberFormat lnf = new DecimalFormat("00E0");
/**
* create a string representation whose gray value appears as an indicator
* of magnitude, cf. Hinton diagrams in statistics.
*
* @param d value
* @param max maximum value
* @return
*/
public static String shadeDouble(double d, double max)
{
int a = (int) Math.floor(d * 10 / max + 0.5);
if (a > 10 || a < 0)
{
String x = lnf.format(d);
a = 5 - x.length();
for (int i = 0; i < a; i++)
{
x += " ";
}
return "<" + x + ">";
}
return "[" + shades[a] + "]";
}
} | jsksxs360/AHANLP | src/me/xiaosheng/chnlp/lda/LdaGibbsSampler.java | 6,260 | // words in documents | line_comment | nl | /*
* (C) Copyright 2005, Gregor Heinrich (gregor :: arbylon : net) (This file is
* part of the org.knowceans experimental software packages.)
*/
/*
* LdaGibbsSampler is free software; you can redistribute it and/or modify it
* under the terms of the GNU General Public License as published by the Free
* Software Foundation; either version 2 of the License, or (at your option) any
* later version.
*/
/*
* LdaGibbsSampler is distributed in the hope that it will be useful, but
* WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or
* FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more
* details.
*/
/*
* You should have received a copy of the GNU General Public License along with
* this program; if not, write to the Free Software Foundation, Inc., 59 Temple
* Place, Suite 330, Boston, MA 02111-1307 USA
*/
/*
* Created on Mar 6, 2005
*/
package me.xiaosheng.chnlp.lda;
import java.text.DecimalFormat;
import java.text.NumberFormat;
/**
* Gibbs sampler for estimating the best assignments of topics for words and
* documents in a corpus. The algorithm is introduced in Tom Griffiths' paper
* "Gibbs sampling in the generative model of Latent Dirichlet Allocation"
* (2002).<br>
* Gibbs sampler采样算法的实现
*
* @author heinrich
*/
public class LdaGibbsSampler
{
/**
* document data (term lists)<br>
* 文档
*/
int[][] documents;
/**
* vocabulary size<br>
* 词表大小
*/
int V;
/**
* number of topics<br>
* 主题数目
*/
int K;
/**
* Dirichlet parameter (document--topic associations)<br>
* 文档——主题参数
*/
double alpha = 2.0;
/**
* Dirichlet parameter (topic--term associations)<br>
* 主题——词语参数
*/
double beta = 0.5;
/**
* topic assignments for each word.<br>
* 每个词语的主题 z[i][j] := 文档i的第j个词语的主题编号
*/
int z[][];
/**
* cwt[i][j] number of instances of word i (term?) assigned to topic j.<br>
* 计数器,nw[i][j] := 词语i归入主题j的次数
*/
int[][] nw;
/**
* na[i][j] number of words in document i assigned to topic j.<br>
* 计数器,nd[i][j] := 文档[i]中归入主题j的词语的个数
*/
int[][] nd;
/**
* nwsum[j] total number of words assigned to topic j.<br>
* 计数器,nwsum[j] := 归入主题j词语的个数
*/
int[] nwsum;
/**
* nasum[i] total number of words in document i.<br>
* 计数器,ndsum[i] := 文档i中全部词语的数量
*/
int[] ndsum;
/**
* cumulative statistics of theta<br>
* theta的累积量
*/
double[][] thetasum;
/**
* cumulative statistics of phi<br>
* phi的累积量
*/
double[][] phisum;
/**
* size of statistics<br>
* 样本容量
*/
int numstats;
/**
* sampling lag (?)<br>
* 多久更新一次统计量
*/
private static int THIN_INTERVAL = 20;
/**
* burn-in period<br>
* 收敛前的迭代次数
*/
private static int BURN_IN = 100;
/**
* max iterations<br>
* 最大迭代次数
*/
private static int ITERATIONS = 1000;
/**
* sample lag (if -1 only one sample taken)<br>
* 最后的模型个数(取收敛后的n个迭代的参数做平均可以使得模型质量更高)
*/
private static int SAMPLE_LAG = 10;
private static int dispcol = 0;
/**
* Initialise the Gibbs sampler with data.<br>
* 用数据初始化采样器
*
* @param documents 文档
* @param V vocabulary size 词表大小
*/
public LdaGibbsSampler(int[][] documents, int V)
{
this.documents = documents;
this.V = V;
}
/**
* Initialisation: Must start with an assignment of observations to topics ?
* Many alternatives are possible, I chose to perform random assignments
* with equal probabilities<br>
* 随机初始化状态
*
* @param K number of topics K个主题
*/
public void initialState(int K)
{
int M = documents.length;
// initialise count variables. 初始化计数器
nw = new int[V][K];
nd = new int[M][K];
nwsum = new int[K];
ndsum = new int[M];
// The z_i are are initialised to values in [1,K] to determine the
// initial state of the Markov chain.
z = new int[M][]; // z_i := 1到K之间的值,表示马氏链的初始状态
for (int m = 0; m < M; m++)
{
int N = documents[m].length;
z[m] = new int[N];
for (int n = 0; n < N; n++)
{
int topic = (int) (Math.random() * K);
z[m][n] = topic;
// number of instances of word i assigned to topic j
nw[documents[m][n]][topic]++;
// number of words in document i assigned to topic j.
nd[m][topic]++;
// total number of words assigned to topic j.
nwsum[topic]++;
}
// total number of words in document i
ndsum[m] = N;
}
}
public void gibbs(int K)
{
gibbs(K, 2.0, 0.5);
}
/**
* Main method: Select initial state ? Repeat a large number of times: 1.
* Select an element 2. Update conditional on other elements. If
* appropriate, output summary for each run.<br>
* 采样
*
* @param K number of topics 主题数
* @param alpha symmetric prior parameter on document--topic associations 对称文档——主题先验概率?
* @param beta symmetric prior parameter on topic--term associations 对称主题——词语先验概率?
*/
public void gibbs(int K, double alpha, double beta)
{
this.K = K;
this.alpha = alpha;
this.beta = beta;
// init sampler statistics 分配内存
if (SAMPLE_LAG > 0)
{
thetasum = new double[documents.length][K];
phisum = new double[K][V];
numstats = 0;
}
// initial state of the Markov chain:
initialState(K);
System.out.println("Sampling " + ITERATIONS
+ " iterations with burn-in of " + BURN_IN + " (B/S="
+ THIN_INTERVAL + ").");
for (int i = 0; i < ITERATIONS; i++)
{
// for all z_i
for (int m = 0; m < z.length; m++)
{
for (int n = 0; n < z[m].length; n++)
{
// (z_i = z[m][n])
// sample from p(z_i|z_-i, w)
int topic = sampleFullConditional(m, n);
z[m][n] = topic;
}
}
if ((i < BURN_IN) && (i % THIN_INTERVAL == 0))
{
System.out.print("B");
dispcol++;
}
// display progress
if ((i > BURN_IN) && (i % THIN_INTERVAL == 0))
{
System.out.print("S");
dispcol++;
}
// get statistics after burn-in
if ((i > BURN_IN) && (SAMPLE_LAG > 0) && (i % SAMPLE_LAG == 0))
{
updateParams();
System.out.print("|");
if (i % THIN_INTERVAL != 0)
dispcol++;
}
if (dispcol >= 100)
{
System.out.println();
dispcol = 0;
}
}
System.out.println();
}
/**
* Sample a topic z_i from the full conditional distribution: p(z_i = j |
* z_-i, w) = (n_-i,j(w_i) + beta)/(n_-i,j(.) + W * beta) * (n_-i,j(d_i) +
* alpha)/(n_-i,.(d_i) + K * alpha) <br>
* 根据上述公式计算文档m中第n个词语的主题的完全条件分布,输出最可能的主题
*
* @param m document
* @param n word
*/
private int sampleFullConditional(int m, int n)
{
// remove z_i from the count variables 先将这个词从计数器中抹掉
int topic = z[m][n];
nw[documents[m][n]][topic]--;
nd[m][topic]--;
nwsum[topic]--;
ndsum[m]--;
// do multinomial sampling via cumulative method: 通过多项式方法采样多项式分布
double[] p = new double[K];
for (int k = 0; k < K; k++)
{
p[k] = (nw[documents[m][n]][k] + beta) / (nwsum[k] + V * beta)
* (nd[m][k] + alpha) / (ndsum[m] + K * alpha);
}
// cumulate multinomial parameters 累加多项式分布的参数
for (int k = 1; k < p.length; k++)
{
p[k] += p[k - 1];
}
// scaled sample because of unnormalised p[] 正则化
double u = Math.random() * p[K - 1];
for (topic = 0; topic < p.length; topic++)
{
if (u < p[topic])
break;
}
// add newly estimated z_i to count variables 将重新估计的该词语加入计数器
nw[documents[m][n]][topic]++;
nd[m][topic]++;
nwsum[topic]++;
ndsum[m]++;
return topic;
}
/**
* Add to the statistics the values of theta and phi for the current state.<br>
* 更新参数
*/
private void updateParams()
{
for (int m = 0; m < documents.length; m++)
{
for (int k = 0; k < K; k++)
{
thetasum[m][k] += (nd[m][k] + alpha) / (ndsum[m] + K * alpha);
}
}
for (int k = 0; k < K; k++)
{
for (int w = 0; w < V; w++)
{
phisum[k][w] += (nw[w][k] + beta) / (nwsum[k] + V * beta);
}
}
numstats++;
}
/**
* Retrieve estimated document--topic associations. If sample lag > 0 then
* the mean value of all sampled statistics for theta[][] is taken.<br>
* 获取文档——主题矩阵
*
* @return theta multinomial mixture of document topics (M x K)
*/
public double[][] getTheta()
{
double[][] theta = new double[documents.length][K];
if (SAMPLE_LAG > 0)
{
for (int m = 0; m < documents.length; m++)
{
for (int k = 0; k < K; k++)
{
theta[m][k] = thetasum[m][k] / numstats;
}
}
}
else
{
for (int m = 0; m < documents.length; m++)
{
for (int k = 0; k < K; k++)
{
theta[m][k] = (nd[m][k] + alpha) / (ndsum[m] + K * alpha);
}
}
}
return theta;
}
/**
* Retrieve estimated topic--word associations. If sample lag > 0 then the
* mean value of all sampled statistics for phi[][] is taken.<br>
* 获取主题——词语矩阵
*
* @return phi multinomial mixture of topic words (K x V)
*/
public double[][] getPhi()
{
double[][] phi = new double[K][V];
if (SAMPLE_LAG > 0)
{
for (int k = 0; k < K; k++)
{
for (int w = 0; w < V; w++)
{
phi[k][w] = phisum[k][w] / numstats;
}
}
}
else
{
for (int k = 0; k < K; k++)
{
for (int w = 0; w < V; w++)
{
phi[k][w] = (nw[w][k] + beta) / (nwsum[k] + V * beta);
}
}
}
return phi;
}
/**
* Print table of multinomial data
*
* @param data vector of evidence
* @param fmax max frequency in display
* @return the scaled histogram bin values
*/
public static void hist(double[] data, int fmax)
{
double[] hist = new double[data.length];
// scale maximum
double hmax = 0;
for (int i = 0; i < data.length; i++)
{
hmax = Math.max(data[i], hmax);
}
double shrink = fmax / hmax;
for (int i = 0; i < data.length; i++)
{
hist[i] = shrink * data[i];
}
NumberFormat nf = new DecimalFormat("00");
String scale = "";
for (int i = 1; i < fmax / 10 + 1; i++)
{
scale += " . " + i % 10;
}
System.out.println("x" + nf.format(hmax / fmax) + "\t0" + scale);
for (int i = 0; i < hist.length; i++)
{
System.out.print(i + "\t|");
for (int j = 0; j < Math.round(hist[i]); j++)
{
if ((j + 1) % 10 == 0)
System.out.print("]");
else
System.out.print("|");
}
System.out.println();
}
}
/**
* Configure the gibbs sampler<br>
* 配置采样器
*
* @param iterations number of total iterations
* @param burnIn number of burn-in iterations
* @param thinInterval update statistics interval
* @param sampleLag sample interval (-1 for just one sample at the end)
*/
public void configure(int iterations, int burnIn, int thinInterval,
int sampleLag)
{
ITERATIONS = iterations;
BURN_IN = burnIn;
THIN_INTERVAL = thinInterval;
SAMPLE_LAG = sampleLag;
}
/**
* Inference a new document by a pre-trained phi matrix
*
* @param phi pre-trained phi matrix
* @param doc document
* @return a p array
*/
public static double[] inference(double alpha, double beta, double[][] phi, int[] doc)
{
int K = phi.length;
int V = phi[0].length;
// init
// initialise count variables. 初始化计数器
int[][] nw = new int[V][K];
int[] nd = new int[K];
int[] nwsum = new int[K];
int ndsum = 0;
// The z_i are are initialised to values in [1,K] to determine the
// initial state of the Markov chain.
int N = doc.length;
int[] z = new int[N]; // z_i := 1到K之间的值,表示马氏链的初始状态
for (int n = 0; n < N; n++)
{
int topic = (int) (Math.random() * K);
z[n] = topic;
// number of instances of word i assigned to topic j
nw[doc[n]][topic]++;
// number of words in document i assigned to topic j.
nd[topic]++;
// total number of words assigned to topic j.
nwsum[topic]++;
}
// total number of words in document i
ndsum = N;
for (int i = 0; i < ITERATIONS; i++)
{
for (int n = 0; n < z.length; n++)
{
// (z_i = z[m][n])
// sample from p(z_i|z_-i, w)
// remove z_i from the count variables 先将这个词从计数器中抹掉
int topic = z[n];
nw[doc[n]][topic]--;
nd[topic]--;
nwsum[topic]--;
ndsum--;
// do multinomial sampling via cumulative method: 通过多项式方法采样多项式分布
double[] p = new double[K];
for (int k = 0; k < K; k++)
{
p[k] = phi[k][doc[n]]
* (nd[k] + alpha) / (ndsum + K * alpha);
}
// cumulate multinomial parameters 累加多项式分布的参数
for (int k = 1; k < p.length; k++)
{
p[k] += p[k - 1];
}
// scaled sample because of unnormalised p[] 正则化
double u = Math.random() * p[K - 1];
for (topic = 0; topic < p.length; topic++)
{
if (u < p[topic])
break;
}
// add newly estimated z_i to count variables 将重新估计的该词语加入计数器
nw[doc[n]][topic]++;
nd[topic]++;
nwsum[topic]++;
ndsum++;
z[n] = topic;
}
}
double[] theta = new double[K];
for (int k = 0; k < K; k++)
{
theta[k] = (nd[k] + alpha) / (ndsum + K * alpha);
}
return theta;
}
public static double[] inference(double[][] phi, int[] doc)
{
return inference(2.0, 0.5, phi, doc);
}
/**
* Driver with example data.<br>
* 测试入口
*
* @param args
*/
public static void main(String[] args)
{
// words in<SUF>
int[][] documents = {
{1, 4, 3, 2, 3, 1, 4, 3, 2, 3, 1, 4, 3, 2, 3, 6},
{2, 2, 4, 2, 4, 2, 2, 2, 2, 4, 2, 2},
{1, 6, 5, 6, 0, 1, 6, 5, 6, 0, 1, 6, 5, 6, 0, 0},
{5, 6, 6, 2, 3, 3, 6, 5, 6, 2, 2, 6, 5, 6, 6, 6, 0},
{2, 2, 4, 4, 4, 4, 1, 5, 5, 5, 5, 5, 5, 1, 1, 1, 1, 0},
{5, 4, 2, 3, 4, 5, 6, 6, 5, 4, 3, 2}}; // 文档的词语id集合
// vocabulary
int V = 7; // 词表大小
// int M = documents.length;
// # topics
int K = 2; // 主题数目
// good values alpha = 2, beta = .5
double alpha = 2;
double beta = .5;
System.out.println("Latent Dirichlet Allocation using Gibbs Sampling.");
LdaGibbsSampler lda = new LdaGibbsSampler(documents, V);
lda.configure(10000, 2000, 100, 10);
lda.gibbs(K, alpha, beta);
double[][] theta = lda.getTheta();
double[][] phi = lda.getPhi();
System.out.println();
System.out.println();
System.out.println("Document--Topic Associations, Theta[d][k] (alpha="
+ alpha + ")");
System.out.print("d\\k\t");
for (int m = 0; m < theta[0].length; m++)
{
System.out.print(" " + m % 10 + " ");
}
System.out.println();
for (int m = 0; m < theta.length; m++)
{
System.out.print(m + "\t");
for (int k = 0; k < theta[m].length; k++)
{
// System.out.print(theta[m][k] + " ");
System.out.print(shadeDouble(theta[m][k], 1) + " ");
}
System.out.println();
}
System.out.println();
System.out.println("Topic--Term Associations, Phi[k][w] (beta=" + beta
+ ")");
System.out.print("k\\w\t");
for (int w = 0; w < phi[0].length; w++)
{
System.out.print(" " + w % 10 + " ");
}
System.out.println();
for (int k = 0; k < phi.length; k++)
{
System.out.print(k + "\t");
for (int w = 0; w < phi[k].length; w++)
{
// System.out.print(phi[k][w] + " ");
System.out.print(shadeDouble(phi[k][w], 1) + " ");
}
System.out.println();
}
// Let's inference a new document
int[] aNewDocument = {2, 2, 4, 2, 4, 2, 2, 2, 2, 4, 2, 2};
double[] newTheta = inference(alpha, beta, phi, aNewDocument);
for (int k = 0; k < newTheta.length; k++)
{
// System.out.print(theta[m][k] + " ");
System.out.print(shadeDouble(newTheta[k], 1) + " ");
}
System.out.println();
}
static String[] shades = {" ", ". ", ": ", ":. ", ":: ",
"::. ", "::: ", ":::. ", ":::: ", "::::.", ":::::"};
static NumberFormat lnf = new DecimalFormat("00E0");
/**
* create a string representation whose gray value appears as an indicator
* of magnitude, cf. Hinton diagrams in statistics.
*
* @param d value
* @param max maximum value
* @return
*/
public static String shadeDouble(double d, double max)
{
int a = (int) Math.floor(d * 10 / max + 0.5);
if (a > 10 || a < 0)
{
String x = lnf.format(d);
a = 5 - x.length();
for (int i = 0; i < a; i++)
{
x += " ";
}
return "<" + x + ">";
}
return "[" + shades[a] + "]";
}
} |
204897_2 | package sve.gibbs;
import java.io.BufferedWriter;
import java.io.FileWriter;
import java.text.DecimalFormat;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.HashSet;
import java.util.List;
import java.util.Random;
import java.util.SortedMap;
import java.util.TreeMap;
import sve.GraphicalModel;
import sve.GraphicalModel.Factor;
import xadd.XADD;
import xadd.ExprLib.ArithExpr;
import xadd.ExprLib.VarExpr;
import xadd.ExprLib.DoubleExpr;
import xadd.XADD.XADDNode;
import camdp.HierarchicalParser;
/**
* @author eabbasnejad
*/
public abstract class Gibbs {
protected static final String ORIGINAL = "_original";
/**
* Static values are set here
*/
protected static final int SAMPLES_TO_IGNORE = 100;
protected static final int SAMPLE_SIZE = 100;
protected int _userId = -1;
/**
* Field values are set here
*/
protected GraphicalModel _gm;
protected Random _r = new Random();
protected SortedMap<String, Integer> _varList = new TreeMap<String, Integer>();
protected HashMap<String, ArrayList<Integer>> _var2exp = new HashMap<String, ArrayList<Integer>>();
protected HashMap<String, Integer> _numer = new HashMap<String, Integer>(),
_denom = new HashMap<String, Integer>();
HashMap<String, ArrayList<Double>> _samples;
protected PreferenceDataset _prefDs;
protected int _likelihood;
protected int _exactposterior;
protected boolean _evaluate_exact;
protected int _originalexact_posterior;
protected int _node_count;
protected int _node_count_exact;
protected int _max_node_count;
protected int _max_node_count_exact;
private long _inference_time = 0;
private long _inference_time_exact = 0;
protected abstract int assignValues(int likelihood, int[] vals);
protected abstract Boolean testOneExact(int[] vals);
protected abstract Boolean testOne(int[] vals);
protected abstract int noVariablesVarExp();
/**
* Constructor
*
* @param filename : Name of the file containing the graphical model for the
* prior
* @param utilitpath : Path to the file containing the definition of the utility
* function
* @param ds : Dataset of the preferences contaning items, users,
* preferences. Prefrences contains user|item1|item2 meaning that
* item1 is prefered to item2 for the user
* @param evaluate_exact : If the results are needed to be compared to the exact
* expected utility this value has to be set to true so that the
* true posterior is computed during infer function
*/
public Gibbs(String filename, String utilitpath, PreferenceDataset ds,
boolean evaluate_exact) {
init(filename, null, utilitpath, ds, evaluate_exact);
}
/**
* Constructor
*
* @param filename : Name of the file containing the graphical model for the
* prior
* @param utilitpath : Path to the file containing the definition of the utility
* function
* @param ds : Dataset of the preferences contaning items, users,
* preferences. Prefrences contains user|item1|item2 meaning that
* item1 is prefered to item2 for the user
* @param evaluate_exact : If the results are needed to be compared to the exact
* expected utility this value has to be set to true so that the
* true posterior is computed during infer function
*/
public Gibbs(String filename, String likelighoodPath, String utilityPath,
PreferenceDataset ds, boolean evaluate_exact) {
init(filename, likelighoodPath, utilityPath, ds, evaluate_exact);
}
/**
* Constructor calls this function. Same param values are sent here.
*
* @param filename
* @param likelighoodPath
* @param utilityPath
* @param ds
* @param evaluate_exact
*/
protected void init(String filename, String likelighoodPath,
String utilityPath, PreferenceDataset ds, boolean evaluate_exact) {
// Load the file, make the changes, update the param values, and
// instantiate the GraphicalModel param
_evaluate_exact = evaluate_exact;
_gm = new GraphicalModel(filename);
_prefDs = ds;
_var2exp.put("i", new ArrayList<Integer>());
for (int i = 1; i <= noVariablesVarExp(); i++) {
_var2exp.get("i").add(i);
}
_gm.instantiateGMTemplate(_var2exp);
// loading likelihood
if (likelighoodPath != null) {
// _epsilon = epsilon;
String tmp = Common.writeTmpLikelihoods(likelighoodPath, _var2exp,
null);
ArrayList l = HierarchicalParser.ParseFile(tmp);
_likelihood = _gm._context.buildCanonicalXADD(l);
// _gm._context.getGraph(likelihood).launchViewer();
}
int xadd = -1;
try {
// some comments for the log
Common.println(
"------------------------------------------------------",
Common._RESULTS_WRITER);
Common.println(Common.getDateTime(), Common._RESULTS_WRITER);
Common.println("Prior path: " + filename, Common._RESULTS_WRITER);
Common.println("Likelihood path: " + likelighoodPath,
Common._RESULTS_WRITER);
Common.println("Utility path: " + utilityPath,
Common._RESULTS_WRITER);
Common.println(
"Compute exact posterior: "
+ Boolean.toString(_evaluate_exact),
Common._RESULTS_WRITER);
Common.println("Sample size: " + SAMPLE_SIZE,
Common._RESULTS_WRITER);
Common.println("Samples to ignore : " + SAMPLES_TO_IGNORE,
Common._RESULTS_WRITER);
Common.println("Preference dataset: " + ds.getPreferenceFilepath(),
Common._RESULTS_WRITER);
Common.println(" # items : " + ds.getItemsCount(),
Common._RESULTS_WRITER);
Common.println(" # preferences : " + ds.getPreferencesCount(),
Common._RESULTS_WRITER);
Common.println(
"------------------------------------------------------",
Common._RESULTS_WRITER);
Common.flush();
// select the factors for each variable
for (String var : _gm._hsVariables) {
for (Factor f : findCasesContains(var, _gm._alFactors)) {
xadd = f._xadd;
_varList.put(var, xadd);
if (Common.WRITE_XADDS)
Common.println(
var + ": After\n"
+ _gm._context.getString(xadd),
Common._XADD_WRITER);
}
}
} catch (Exception e) {
e.printStackTrace();
}
}
private int getXADD(String var) {
return _gm.getXADD(var, _gm._alBVarsTemplate.contains(var));
}
/**
* Computes the joint probability of the samples
*
* @return
*/
public double[] probabilities() {
int xadd = Common.getJoint(_varList.values(), _gm._context);
/*
* for (String key : _varList.keySet()) { if (xadd == -1) { xadd =
* _varList.get(key); } else { xadd = _gm._context.apply(xadd,
* _varList.get(key), XADD.PROD); } }
*/
double[] p = new double[SAMPLE_SIZE];
HashMap<String, Double> assign = new HashMap<String, Double>();
for (int i = 0; i < SAMPLE_SIZE; i++) {
for (String key : _samples.keySet()) {
assign.put(key, _samples.get(key).get(i));
}
p[i] = _gm._context.evaluate(xadd, null, assign);
}
CSVHandler.writecsv(Common.PROBABILITIES_PATH, p);
return p;
}
public void prepareInference(int userID) {
_userId = userID;
SortedMap<String, Integer> pw = new TreeMap<String, Integer>();
_inference_time_exact = _inference_time = System.currentTimeMillis();
int prior = -1;
if (_evaluate_exact) {
_inference_time_exact = System.currentTimeMillis();
prior = Common.getJoint(_varList.values(), _gm._context);
_exactposterior = prior;
_inference_time_exact = (System.currentTimeMillis() - _inference_time_exact);
Common.println("Time to calculate prior: " + _inference_time_exact,
Common._RESULTS_WRITER);
} else
_exactposterior = -1;
for (String key : _varList.keySet()) {
pw.put(key, _varList.get(key)); // prior
}
long tmp_time = 0;
int count = 0;
for (int i = 0; i < _prefDs.getPreferencesCount(); i++) {
// Common.println(" >> " + i);
int l = assignValues(_likelihood, _prefDs.getPreference(i));
if (l <= 0)
continue;
count++;
if (_evaluate_exact) {
long t = System.currentTimeMillis();
_exactposterior = _gm._context.apply(_exactposterior, l,
XADD.PROD);
_originalexact_posterior = _exactposterior;
tmp_time += System.currentTimeMillis() - t;
}
// for the variables in the likelihood the product has to be made
for (String key : _gm._context.collectVars(l)) { // _varList.keySet())
// { //
if (pw.containsKey(key)) {
int a = _gm._context.apply(pw.get(key), l, XADD.PROD);
pw.put(key, a);
}
}
}
_inference_time = System.currentTimeMillis() - _inference_time
- tmp_time;
_inference_time_exact = _inference_time_exact + tmp_time;
Common.println("Time to apply likelihood for user " + _userId + ": "
+ _inference_time + " for " + count + " likelihoods");
Common.println("Time to apply likelihood for user " + _userId + ": "
+ _inference_time + " for " + count + " likelihoods",
Common._RESULTS_WRITER);
for (String key : _varList.keySet()) {
int a = pw.get(key);
try {
// a = _gm._context.reduceLP(a);
} catch (Exception ex) {
}
pw.put(key, a);
}
// Let's load the xadds into a new one to save space if possible
// This part only copies the current _gm._context into a new one
/*
* println("** Preferences **", _XADD_WRITER); XADD x = new XADD(); for
* (String key : _varList.keySet()) { println(key + ":", _XADD_WRITER);
* String s = _gm._context.getString(pw.get(key), true, false); s =
* s.substring(1, s.length() - 2); println(s, _XADD_WRITER);
* _varList.put(key,
* x.reduce(x.buildCanonicalXADD(HierarchicalParser.ParseString(s)))); }
*
* _gm._context = x;
*/
_varList = pw;
Common.flush();
// build the numerator and denominator for the CDF
if (_numer.isEmpty() || _denom.isEmpty()) {
Common.println("building cdf ...");
buildCDF();
}
if (_evaluate_exact) {
_node_count_exact = 0; // _gm._context.getNodeCount(_exactposterior);
_max_node_count_exact = 0; // _node_count_exact;
Common.println("Time to compute exact posterior: "
+ _inference_time_exact, Common._RESULTS_WRITER);
}
}
/**
* Main inference (generating samples + exact posterior) is performed here
*/
public void infer(Double epsilon) {
_samples = new HashMap<String, ArrayList<Double>>();
// _node_count = 0;
// _max_node_count = 0;
HashSet<XADDNode> tempHash = null;
for (String key : _varList.keySet()) {
HashMap<String, ArithExpr> subst = new HashMap<String, ArithExpr>();
subst.put("epsilon", new DoubleExpr(epsilon));
int a;
a = _numer.get(key + ORIGINAL);
a = _gm._context.substitute(a, subst);
_numer.put(key, a);
a = _denom.get(key + ORIGINAL);
a = _gm._context.substitute(a, subst);
_denom.put(key, a);
// ---- node number evaluation starts
XADDNode root = _gm._context._hmInt2Node.get(_numer.get(key));
HashSet<XADDNode> t = root.collectNodes();
if (tempHash == null)
tempHash = t;
else
tempHash.addAll(t);
if (t.size() > _max_node_count)
_max_node_count = t.size();
// ---- node number evaluation ends
if (_evaluate_exact)
_exactposterior = _gm._context.substitute(
_originalexact_posterior, subst);
}
_node_count = tempHash.size();
// Generate samples from the current posteior and the xadd
_inference_time += System.currentTimeMillis();
generateSamples(SAMPLE_SIZE + SAMPLES_TO_IGNORE, false);
_inference_time = (System.currentTimeMillis() - _inference_time);
// keep the last sampleSize
// if (i % 2 == 0) {
for (String key : _samples.keySet()) {
List<Double> d = _samples.get(key).subList(
Math.max(0, _samples.get(key).size() - SAMPLE_SIZE - 1),
_samples.get(key).size() - 1);
_samples.put(key, new ArrayList<Double>());
_samples.get(key).addAll(d);
}
// }
CSVHandler.writecsv(Common.OUTPUT_FILEPATH.replace(".csv", "1.csv"),
_samples);
if (_evaluate_exact) {
long t = System.currentTimeMillis();
exactInfer();
_inference_time_exact += (System.currentTimeMillis() - t);
}
}
/**
* The samples are generated here.
*
* @param sampleSize
* @param append
*/
private void generateSamples(int sampleSize, boolean append) {
HashMap<String, ArithExpr> subst = new HashMap<String, ArithExpr>();
try {
for (String var : _varList.keySet()) {
if (!_samples.containsKey(var)) {
_samples.put(var, new ArrayList<Double>());
_samples.get(var).add(0D);
}
subst.put(var, new DoubleExpr(0));
}
long time = System.currentTimeMillis();
// the number of samples we want to generate
ArrayList<String[]> ar = new ArrayList<String[]>();
int counter = 0;
String[] s = new String[_varList.keySet().size()];
for (int i = 0; i < sampleSize; i++) {
counter = 0;
// System.out.println(i);
for (String var : _varList.keySet()) {
// int num = assignVars(var, subst, _numer.get(var));
// int denum = assignVars(var, subst, _denom.get(var));
// double d = sample(var, num, denum);
double d = sample(var, _numer.get(var), _denom.get(var),
subst);
_samples.get(var).add(d);
subst.put(var, new DoubleExpr(d));
s[counter++] = Double.toString(d);
}
ar.add(s);
}
Common.println("Time to generate " + sampleSize + " samples: "
+ (System.currentTimeMillis() - time),
Common._RESULTS_WRITER);
CSVHandler.writecsv(Common.OUTPUT_FILEPATH, ar, append);
} catch (Exception ex) {
System.err.println(ex.getMessage());
ex.printStackTrace();
System.exit(0);
}
}
protected void exactInfer() {
int temp = _exactposterior;
for (String key : _varList.keySet()) {
int t = _gm._context.getNodeCount(temp);
_node_count_exact += t;
temp = integrate(key, temp);
if (t > _max_node_count_exact)
_max_node_count_exact = t;
}
_node_count_exact += _gm._context.getNodeCount(temp);
_exactposterior = temp;
}
/**
* Build the cdf
*/
private void buildCDF() {
int temp;
_numer.clear();
_denom.clear();
long time = System.currentTimeMillis();
for (String var : _varList.keySet()) {
Common.println(var);
if (Common.WRITE_XADDS)
Common.println(var, Common._XADD_WRITER);
temp = _varList.get(var); // The xadd (cases) containing the
// variable var
if (Common.WRITE_XADDS)
Common.println(_gm._context.getString(temp),
Common._XADD_WRITER);
// Integrate the product of likelihood and the prior bounded on top
// by var
// So, first integrate with respect to a dummy variable t and then
// replace
// t with var
int aa = integrate(var, temp, "[" + var + " < t" + "]");
if (Common.WRITE_XADDS)
// NOTE: Can now export XADDs if required for reading in later (exportXADDToFile)
Common.println("After integratation of numerator:\n"
+ _gm._context.getString(aa, true),
Common._XADD_WRITER);
int numerator = replaceVar(aa, "t", var); // t is replaced here with
// var
_numer.put(var + ORIGINAL, numerator); // numerator is stored in the
// hashmap
if (Common.WRITE_XADDS)
Common.println("After var replace in numerator:\n"
+ _gm._context.getString(numerator, true),
Common._XADD_WRITER);
int denominator = integrate(var, temp); // computing denominator
// t is replaced here with the maximum ....
// So it is not required to integrate again
// int denominator = replaceVar(aa, "t", Double.toString(-1 *
// ((DoubleExpr)
// XADD.NEG_INFINITE)._dConstVal));
_denom.put(var + ORIGINAL, denominator);
if (Common.WRITE_XADDS)
Common.println("After integration in denominator:\n"
+ _gm._context.getString(denominator, true),
Common._XADD_WRITER);
}
Common.println("Time to build CDF: "
+ (System.currentTimeMillis() - time), Common._RESULTS_WRITER);
}
private void evaluate(int xadd, String var) {
ArrayList<String[]> ar = new ArrayList<String[]>();
String[] s;
HashMap<String, Boolean> bool_assign = new HashMap<String, Boolean>();
HashMap<String, Double> cont_assign = new HashMap<String, Double>();
DecimalFormat df = new DecimalFormat("#.##");
for (double x = -4; x < 4; x += .5) {
s = new String[2];
cont_assign.put(var, x);
s[0] = df.format(x);
Double d = _gm._context.evaluate(xadd, bool_assign, cont_assign);
if (d != null) {
s[1] = df.format(d);
ar.add(s);
}
}
CSVHandler.writecsv("./src/prefs/gaussian.csv", ar);
}
/**
* For sampling, removes the given variable from the subst, substitutes it
* in the xadd and return the new xadd
*
* @param var
* @param subst
* @param xadd
* @return
*/
private int assignVars(String var, HashMap<String, ArithExpr> subst,
int xadd) {
// HashMap<String, ArithExpr> subst = new HashMap<String, ArithExpr>();
/*
* subst.remove(var); double val = 0; for (String v : _samples.keySet())
* { if (!v.equals(var)) { // if (i - 1 < 0) { // val = 0; // } else {
* // val = samples.get(v).get(i - 1); // } val =
* _samples.get(v).get(i); subst.put(v, new XADD.DoubleExpr(val)); } }
*
* // println(_gm._context.getString(xadd));
*/
HashMap<String, ArithExpr> s = (HashMap<String, ArithExpr>) subst
.clone();
s.remove(var);
xadd = _gm._context.substitute(xadd, s);
return xadd;
}
private int replaceVar(int node, String var1, String var) {
HashMap<String, ArithExpr> subst = new HashMap<String, ArithExpr>();
ArithExpr a = new VarExpr(var);
subst.put(var1, a);
return _gm._context.substitute(node, subst);
}
/**
* Generates sample by binary search in the XADD Simply generate a uniform,
* evaluate the function, adjust boundary for the function it sampled from
*
* @param num : numerator of the CDF
* @param denom : Denominator for the CDF
*/
private double sample(String var, Integer num, Integer denom,
HashMap<String, ArithExpr> subst) {
float u = _r.nextFloat();
double high = 1, low = 0;
HashMap<String, Double> assignment = new HashMap<String, Double>();
for (String k : subst.keySet()) {
if (!k.matches(var))
assignment.put(k, ((DoubleExpr) subst.get(k))._dConstVal);
}
double val, d = _gm._context.evaluate(denom, null, assignment); // ((DoubleExpr)
// ((XADDTNode)
// _gm._context.getNode(denom))._expr)._dConstVal;
int iteration = 0;
while ((high - low > 1E-6 && low < high) && iteration++ < 500) { // The
// value
// to
// be
// adjusted
assignment.put(var, (high + low) / 2);
val = _gm._context.evaluate(num, null, assignment);
val = val / d;
if (val > u) {
high = assignment.get(var);
} else {
low = assignment.get(var);
}
}
return assignment.get(var);
}
/**
* Integrate
*
* @param var
* @param xadd
* @return
*/
protected int integrate(String var, int xadd) {
return integrate(var, xadd, null);
}
/**
* Integrate
*
* @param var
* @param xadd
* @param high
* @return
*/
private int integrate(String var, int xadd, String high) {
// XADD x = new XADD();
// String s = _gm._context.getString(xadd, true, false);
// s = s.substring(1, s.length() - 2);
// xadd = x.buildCanonicalXADD(HierarchicalParser.ParseString(s));
// xadd = integrate(var, xadd, x, null);
// s = x.getString(xadd, true, false);
// s = s.substring(1, s.length() - 2);
// xadd =
// _gm._context.buildCanonicalXADD(HierarchicalParser.ParseString(s));
return Common.integrate(var, xadd, _gm._context, high);
}
/**
* Find factors containing the variable of choice
*
* @param var
* @param factors
* @return
*/
private ArrayList<Factor> findCasesContains(String var,
ArrayList<Factor> factors) {
ArrayList<Factor> a = new ArrayList<Factor>();
for (Factor f : factors) {
if (f._vars.contains(var)) {
a.add(f);
}
}
return a;
}
/**
* Generates some statistical values on the generated samples
*
* @return
*/
protected HashMap<String, Double> samplesStat() {
HashMap<String, Double> av = new HashMap<String, Double>();
BufferedWriter bw;
try {
bw = new BufferedWriter(new FileWriter("var.csv"));
for (String key : _samples.keySet()) {
for (int i = 0; i < SAMPLE_SIZE; i++) {
if (av.containsKey(key)) {
av.put(key, av.get(key) + _samples.get(key).get(i));
} else {
av.put(key, _samples.get(key).get(i));
}
}
av.put(key, av.get(key) / (double) SAMPLE_SIZE);
}
for (String k : _samples.keySet()) {
String varKey = k + "_var";
for (int i = 0; i < SAMPLE_SIZE; i++) {
if (!av.containsKey(varKey)) {
av.put(varKey, 0D);
}
av.put(varKey,
av.get(varKey)
+ Math.pow(
_samples.get(k).get(i) - av.get(k),
2));
bw.append(varKey + "," + _samples.get(k).get(i) + ","
+ Math.pow(_samples.get(k).get(i) - av.get(k), 2)
+ ", " + av.get(varKey) + "\n");
}
av.put(varKey, av.get(varKey) / (double) SAMPLE_SIZE);
}
bw.close();
} catch (Exception e) {
e.printStackTrace();
}
return av;
}
/**
* Run test for the given dataset, i.e. compute expected utilities and
* compare them with the true values and report the accuracy
*
* @param ds
* @return
*/
public double test(PreferenceDataset ds) {
int correct = 0, wrong = 0;
int correct_exact = 0, wrong_exact = 0, count = 0;
Random r = new Random();
double eu1, eu2, eu1_exact, eu2_exact, expected_time = 0, expected_exact_time = 0;
long time;
for (int i = 0; i < ds.getPreferencesCount(); i++) {
int[] p = ds.getPreference(i);
time = System.currentTimeMillis();
Boolean b = testOne(p);
if (b == null)
continue;
if (b)
correct++;
else
wrong++;
expected_time += (System.currentTimeMillis() - time);
count++;
if (_evaluate_exact) {
time = System.currentTimeMillis();
b = testOneExact(p);
if (b == null)
continue;
if (b)
correct_exact++;
else
wrong_exact++;
expected_exact_time += (System.currentTimeMillis() - time);
}
}
Common.println("Time to evaluate one expected utility for user "
+ _userId + ": " + expected_time / (double) count,
Common._RESULTS_WRITER);
expected_time = expected_time / (double) count;
expected_exact_time = expected_exact_time / (double) count;
double percentage = (double) correct / (double) count;
String s = samplesStat().toString();
Common.println(s);
Common.println(s, Common._RESULTS_WRITER);
Common.println("user ID: " + _userId);
s = "# prefs: " + count + ", # correct: " + correct + ", # wrong: "
+ wrong + " : " + percentage * 100. + "%, expected_time: "
+ expected_time + "%, inference_time: " + _inference_time
+ ", no_nodes: " + _node_count + ", max_no_nodes: "
+ _max_node_count;
Common.println(s);
Common.println(s, Common._RESULTS_WRITER);
if (_evaluate_exact) {
Common.println("Time to evaluate one expected utility for user "
+ _userId + ": " + (expected_exact_time / (double) count),
Common._RESULTS_WRITER);
s = "# prefs_exact: " + count + ", # correct_exact: "
+ correct_exact + ", # wrong_exact: " + wrong_exact + " : "
+ (double) correct_exact / (double) count * 100.
+ "%, expected_time: " + expected_exact_time
+ "%, inference_time_exact: " + _inference_time_exact
+ ", no_exact_nodes: " + _node_count_exact
+ ", max_no_exact_nodes: " + _max_node_count_exact;
Common.println(s);
Common.println(s, Common._RESULTS_WRITER);
}
Common.flush();
return percentage;
}
}
| ssanner/xadd-inference | src/sve/gibbs/Gibbs.java | 7,540 | /**
* Field values are set here
*/ | block_comment | nl | package sve.gibbs;
import java.io.BufferedWriter;
import java.io.FileWriter;
import java.text.DecimalFormat;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.HashSet;
import java.util.List;
import java.util.Random;
import java.util.SortedMap;
import java.util.TreeMap;
import sve.GraphicalModel;
import sve.GraphicalModel.Factor;
import xadd.XADD;
import xadd.ExprLib.ArithExpr;
import xadd.ExprLib.VarExpr;
import xadd.ExprLib.DoubleExpr;
import xadd.XADD.XADDNode;
import camdp.HierarchicalParser;
/**
* @author eabbasnejad
*/
public abstract class Gibbs {
protected static final String ORIGINAL = "_original";
/**
* Static values are set here
*/
protected static final int SAMPLES_TO_IGNORE = 100;
protected static final int SAMPLE_SIZE = 100;
protected int _userId = -1;
/**
* Field values are<SUF>*/
protected GraphicalModel _gm;
protected Random _r = new Random();
protected SortedMap<String, Integer> _varList = new TreeMap<String, Integer>();
protected HashMap<String, ArrayList<Integer>> _var2exp = new HashMap<String, ArrayList<Integer>>();
protected HashMap<String, Integer> _numer = new HashMap<String, Integer>(),
_denom = new HashMap<String, Integer>();
HashMap<String, ArrayList<Double>> _samples;
protected PreferenceDataset _prefDs;
protected int _likelihood;
protected int _exactposterior;
protected boolean _evaluate_exact;
protected int _originalexact_posterior;
protected int _node_count;
protected int _node_count_exact;
protected int _max_node_count;
protected int _max_node_count_exact;
private long _inference_time = 0;
private long _inference_time_exact = 0;
protected abstract int assignValues(int likelihood, int[] vals);
protected abstract Boolean testOneExact(int[] vals);
protected abstract Boolean testOne(int[] vals);
protected abstract int noVariablesVarExp();
/**
* Constructor
*
* @param filename : Name of the file containing the graphical model for the
* prior
* @param utilitpath : Path to the file containing the definition of the utility
* function
* @param ds : Dataset of the preferences contaning items, users,
* preferences. Prefrences contains user|item1|item2 meaning that
* item1 is prefered to item2 for the user
* @param evaluate_exact : If the results are needed to be compared to the exact
* expected utility this value has to be set to true so that the
* true posterior is computed during infer function
*/
public Gibbs(String filename, String utilitpath, PreferenceDataset ds,
boolean evaluate_exact) {
init(filename, null, utilitpath, ds, evaluate_exact);
}
/**
* Constructor
*
* @param filename : Name of the file containing the graphical model for the
* prior
* @param utilitpath : Path to the file containing the definition of the utility
* function
* @param ds : Dataset of the preferences contaning items, users,
* preferences. Prefrences contains user|item1|item2 meaning that
* item1 is prefered to item2 for the user
* @param evaluate_exact : If the results are needed to be compared to the exact
* expected utility this value has to be set to true so that the
* true posterior is computed during infer function
*/
public Gibbs(String filename, String likelighoodPath, String utilityPath,
PreferenceDataset ds, boolean evaluate_exact) {
init(filename, likelighoodPath, utilityPath, ds, evaluate_exact);
}
/**
* Constructor calls this function. Same param values are sent here.
*
* @param filename
* @param likelighoodPath
* @param utilityPath
* @param ds
* @param evaluate_exact
*/
protected void init(String filename, String likelighoodPath,
String utilityPath, PreferenceDataset ds, boolean evaluate_exact) {
// Load the file, make the changes, update the param values, and
// instantiate the GraphicalModel param
_evaluate_exact = evaluate_exact;
_gm = new GraphicalModel(filename);
_prefDs = ds;
_var2exp.put("i", new ArrayList<Integer>());
for (int i = 1; i <= noVariablesVarExp(); i++) {
_var2exp.get("i").add(i);
}
_gm.instantiateGMTemplate(_var2exp);
// loading likelihood
if (likelighoodPath != null) {
// _epsilon = epsilon;
String tmp = Common.writeTmpLikelihoods(likelighoodPath, _var2exp,
null);
ArrayList l = HierarchicalParser.ParseFile(tmp);
_likelihood = _gm._context.buildCanonicalXADD(l);
// _gm._context.getGraph(likelihood).launchViewer();
}
int xadd = -1;
try {
// some comments for the log
Common.println(
"------------------------------------------------------",
Common._RESULTS_WRITER);
Common.println(Common.getDateTime(), Common._RESULTS_WRITER);
Common.println("Prior path: " + filename, Common._RESULTS_WRITER);
Common.println("Likelihood path: " + likelighoodPath,
Common._RESULTS_WRITER);
Common.println("Utility path: " + utilityPath,
Common._RESULTS_WRITER);
Common.println(
"Compute exact posterior: "
+ Boolean.toString(_evaluate_exact),
Common._RESULTS_WRITER);
Common.println("Sample size: " + SAMPLE_SIZE,
Common._RESULTS_WRITER);
Common.println("Samples to ignore : " + SAMPLES_TO_IGNORE,
Common._RESULTS_WRITER);
Common.println("Preference dataset: " + ds.getPreferenceFilepath(),
Common._RESULTS_WRITER);
Common.println(" # items : " + ds.getItemsCount(),
Common._RESULTS_WRITER);
Common.println(" # preferences : " + ds.getPreferencesCount(),
Common._RESULTS_WRITER);
Common.println(
"------------------------------------------------------",
Common._RESULTS_WRITER);
Common.flush();
// select the factors for each variable
for (String var : _gm._hsVariables) {
for (Factor f : findCasesContains(var, _gm._alFactors)) {
xadd = f._xadd;
_varList.put(var, xadd);
if (Common.WRITE_XADDS)
Common.println(
var + ": After\n"
+ _gm._context.getString(xadd),
Common._XADD_WRITER);
}
}
} catch (Exception e) {
e.printStackTrace();
}
}
private int getXADD(String var) {
return _gm.getXADD(var, _gm._alBVarsTemplate.contains(var));
}
/**
* Computes the joint probability of the samples
*
* @return
*/
public double[] probabilities() {
int xadd = Common.getJoint(_varList.values(), _gm._context);
/*
* for (String key : _varList.keySet()) { if (xadd == -1) { xadd =
* _varList.get(key); } else { xadd = _gm._context.apply(xadd,
* _varList.get(key), XADD.PROD); } }
*/
double[] p = new double[SAMPLE_SIZE];
HashMap<String, Double> assign = new HashMap<String, Double>();
for (int i = 0; i < SAMPLE_SIZE; i++) {
for (String key : _samples.keySet()) {
assign.put(key, _samples.get(key).get(i));
}
p[i] = _gm._context.evaluate(xadd, null, assign);
}
CSVHandler.writecsv(Common.PROBABILITIES_PATH, p);
return p;
}
public void prepareInference(int userID) {
_userId = userID;
SortedMap<String, Integer> pw = new TreeMap<String, Integer>();
_inference_time_exact = _inference_time = System.currentTimeMillis();
int prior = -1;
if (_evaluate_exact) {
_inference_time_exact = System.currentTimeMillis();
prior = Common.getJoint(_varList.values(), _gm._context);
_exactposterior = prior;
_inference_time_exact = (System.currentTimeMillis() - _inference_time_exact);
Common.println("Time to calculate prior: " + _inference_time_exact,
Common._RESULTS_WRITER);
} else
_exactposterior = -1;
for (String key : _varList.keySet()) {
pw.put(key, _varList.get(key)); // prior
}
long tmp_time = 0;
int count = 0;
for (int i = 0; i < _prefDs.getPreferencesCount(); i++) {
// Common.println(" >> " + i);
int l = assignValues(_likelihood, _prefDs.getPreference(i));
if (l <= 0)
continue;
count++;
if (_evaluate_exact) {
long t = System.currentTimeMillis();
_exactposterior = _gm._context.apply(_exactposterior, l,
XADD.PROD);
_originalexact_posterior = _exactposterior;
tmp_time += System.currentTimeMillis() - t;
}
// for the variables in the likelihood the product has to be made
for (String key : _gm._context.collectVars(l)) { // _varList.keySet())
// { //
if (pw.containsKey(key)) {
int a = _gm._context.apply(pw.get(key), l, XADD.PROD);
pw.put(key, a);
}
}
}
_inference_time = System.currentTimeMillis() - _inference_time
- tmp_time;
_inference_time_exact = _inference_time_exact + tmp_time;
Common.println("Time to apply likelihood for user " + _userId + ": "
+ _inference_time + " for " + count + " likelihoods");
Common.println("Time to apply likelihood for user " + _userId + ": "
+ _inference_time + " for " + count + " likelihoods",
Common._RESULTS_WRITER);
for (String key : _varList.keySet()) {
int a = pw.get(key);
try {
// a = _gm._context.reduceLP(a);
} catch (Exception ex) {
}
pw.put(key, a);
}
// Let's load the xadds into a new one to save space if possible
// This part only copies the current _gm._context into a new one
/*
* println("** Preferences **", _XADD_WRITER); XADD x = new XADD(); for
* (String key : _varList.keySet()) { println(key + ":", _XADD_WRITER);
* String s = _gm._context.getString(pw.get(key), true, false); s =
* s.substring(1, s.length() - 2); println(s, _XADD_WRITER);
* _varList.put(key,
* x.reduce(x.buildCanonicalXADD(HierarchicalParser.ParseString(s)))); }
*
* _gm._context = x;
*/
_varList = pw;
Common.flush();
// build the numerator and denominator for the CDF
if (_numer.isEmpty() || _denom.isEmpty()) {
Common.println("building cdf ...");
buildCDF();
}
if (_evaluate_exact) {
_node_count_exact = 0; // _gm._context.getNodeCount(_exactposterior);
_max_node_count_exact = 0; // _node_count_exact;
Common.println("Time to compute exact posterior: "
+ _inference_time_exact, Common._RESULTS_WRITER);
}
}
/**
* Main inference (generating samples + exact posterior) is performed here
*/
public void infer(Double epsilon) {
_samples = new HashMap<String, ArrayList<Double>>();
// _node_count = 0;
// _max_node_count = 0;
HashSet<XADDNode> tempHash = null;
for (String key : _varList.keySet()) {
HashMap<String, ArithExpr> subst = new HashMap<String, ArithExpr>();
subst.put("epsilon", new DoubleExpr(epsilon));
int a;
a = _numer.get(key + ORIGINAL);
a = _gm._context.substitute(a, subst);
_numer.put(key, a);
a = _denom.get(key + ORIGINAL);
a = _gm._context.substitute(a, subst);
_denom.put(key, a);
// ---- node number evaluation starts
XADDNode root = _gm._context._hmInt2Node.get(_numer.get(key));
HashSet<XADDNode> t = root.collectNodes();
if (tempHash == null)
tempHash = t;
else
tempHash.addAll(t);
if (t.size() > _max_node_count)
_max_node_count = t.size();
// ---- node number evaluation ends
if (_evaluate_exact)
_exactposterior = _gm._context.substitute(
_originalexact_posterior, subst);
}
_node_count = tempHash.size();
// Generate samples from the current posteior and the xadd
_inference_time += System.currentTimeMillis();
generateSamples(SAMPLE_SIZE + SAMPLES_TO_IGNORE, false);
_inference_time = (System.currentTimeMillis() - _inference_time);
// keep the last sampleSize
// if (i % 2 == 0) {
for (String key : _samples.keySet()) {
List<Double> d = _samples.get(key).subList(
Math.max(0, _samples.get(key).size() - SAMPLE_SIZE - 1),
_samples.get(key).size() - 1);
_samples.put(key, new ArrayList<Double>());
_samples.get(key).addAll(d);
}
// }
CSVHandler.writecsv(Common.OUTPUT_FILEPATH.replace(".csv", "1.csv"),
_samples);
if (_evaluate_exact) {
long t = System.currentTimeMillis();
exactInfer();
_inference_time_exact += (System.currentTimeMillis() - t);
}
}
/**
* The samples are generated here.
*
* @param sampleSize
* @param append
*/
private void generateSamples(int sampleSize, boolean append) {
HashMap<String, ArithExpr> subst = new HashMap<String, ArithExpr>();
try {
for (String var : _varList.keySet()) {
if (!_samples.containsKey(var)) {
_samples.put(var, new ArrayList<Double>());
_samples.get(var).add(0D);
}
subst.put(var, new DoubleExpr(0));
}
long time = System.currentTimeMillis();
// the number of samples we want to generate
ArrayList<String[]> ar = new ArrayList<String[]>();
int counter = 0;
String[] s = new String[_varList.keySet().size()];
for (int i = 0; i < sampleSize; i++) {
counter = 0;
// System.out.println(i);
for (String var : _varList.keySet()) {
// int num = assignVars(var, subst, _numer.get(var));
// int denum = assignVars(var, subst, _denom.get(var));
// double d = sample(var, num, denum);
double d = sample(var, _numer.get(var), _denom.get(var),
subst);
_samples.get(var).add(d);
subst.put(var, new DoubleExpr(d));
s[counter++] = Double.toString(d);
}
ar.add(s);
}
Common.println("Time to generate " + sampleSize + " samples: "
+ (System.currentTimeMillis() - time),
Common._RESULTS_WRITER);
CSVHandler.writecsv(Common.OUTPUT_FILEPATH, ar, append);
} catch (Exception ex) {
System.err.println(ex.getMessage());
ex.printStackTrace();
System.exit(0);
}
}
protected void exactInfer() {
int temp = _exactposterior;
for (String key : _varList.keySet()) {
int t = _gm._context.getNodeCount(temp);
_node_count_exact += t;
temp = integrate(key, temp);
if (t > _max_node_count_exact)
_max_node_count_exact = t;
}
_node_count_exact += _gm._context.getNodeCount(temp);
_exactposterior = temp;
}
/**
* Build the cdf
*/
private void buildCDF() {
int temp;
_numer.clear();
_denom.clear();
long time = System.currentTimeMillis();
for (String var : _varList.keySet()) {
Common.println(var);
if (Common.WRITE_XADDS)
Common.println(var, Common._XADD_WRITER);
temp = _varList.get(var); // The xadd (cases) containing the
// variable var
if (Common.WRITE_XADDS)
Common.println(_gm._context.getString(temp),
Common._XADD_WRITER);
// Integrate the product of likelihood and the prior bounded on top
// by var
// So, first integrate with respect to a dummy variable t and then
// replace
// t with var
int aa = integrate(var, temp, "[" + var + " < t" + "]");
if (Common.WRITE_XADDS)
// NOTE: Can now export XADDs if required for reading in later (exportXADDToFile)
Common.println("After integratation of numerator:\n"
+ _gm._context.getString(aa, true),
Common._XADD_WRITER);
int numerator = replaceVar(aa, "t", var); // t is replaced here with
// var
_numer.put(var + ORIGINAL, numerator); // numerator is stored in the
// hashmap
if (Common.WRITE_XADDS)
Common.println("After var replace in numerator:\n"
+ _gm._context.getString(numerator, true),
Common._XADD_WRITER);
int denominator = integrate(var, temp); // computing denominator
// t is replaced here with the maximum ....
// So it is not required to integrate again
// int denominator = replaceVar(aa, "t", Double.toString(-1 *
// ((DoubleExpr)
// XADD.NEG_INFINITE)._dConstVal));
_denom.put(var + ORIGINAL, denominator);
if (Common.WRITE_XADDS)
Common.println("After integration in denominator:\n"
+ _gm._context.getString(denominator, true),
Common._XADD_WRITER);
}
Common.println("Time to build CDF: "
+ (System.currentTimeMillis() - time), Common._RESULTS_WRITER);
}
private void evaluate(int xadd, String var) {
ArrayList<String[]> ar = new ArrayList<String[]>();
String[] s;
HashMap<String, Boolean> bool_assign = new HashMap<String, Boolean>();
HashMap<String, Double> cont_assign = new HashMap<String, Double>();
DecimalFormat df = new DecimalFormat("#.##");
for (double x = -4; x < 4; x += .5) {
s = new String[2];
cont_assign.put(var, x);
s[0] = df.format(x);
Double d = _gm._context.evaluate(xadd, bool_assign, cont_assign);
if (d != null) {
s[1] = df.format(d);
ar.add(s);
}
}
CSVHandler.writecsv("./src/prefs/gaussian.csv", ar);
}
/**
* For sampling, removes the given variable from the subst, substitutes it
* in the xadd and return the new xadd
*
* @param var
* @param subst
* @param xadd
* @return
*/
private int assignVars(String var, HashMap<String, ArithExpr> subst,
int xadd) {
// HashMap<String, ArithExpr> subst = new HashMap<String, ArithExpr>();
/*
* subst.remove(var); double val = 0; for (String v : _samples.keySet())
* { if (!v.equals(var)) { // if (i - 1 < 0) { // val = 0; // } else {
* // val = samples.get(v).get(i - 1); // } val =
* _samples.get(v).get(i); subst.put(v, new XADD.DoubleExpr(val)); } }
*
* // println(_gm._context.getString(xadd));
*/
HashMap<String, ArithExpr> s = (HashMap<String, ArithExpr>) subst
.clone();
s.remove(var);
xadd = _gm._context.substitute(xadd, s);
return xadd;
}
private int replaceVar(int node, String var1, String var) {
HashMap<String, ArithExpr> subst = new HashMap<String, ArithExpr>();
ArithExpr a = new VarExpr(var);
subst.put(var1, a);
return _gm._context.substitute(node, subst);
}
/**
* Generates sample by binary search in the XADD Simply generate a uniform,
* evaluate the function, adjust boundary for the function it sampled from
*
* @param num : numerator of the CDF
* @param denom : Denominator for the CDF
*/
private double sample(String var, Integer num, Integer denom,
HashMap<String, ArithExpr> subst) {
float u = _r.nextFloat();
double high = 1, low = 0;
HashMap<String, Double> assignment = new HashMap<String, Double>();
for (String k : subst.keySet()) {
if (!k.matches(var))
assignment.put(k, ((DoubleExpr) subst.get(k))._dConstVal);
}
double val, d = _gm._context.evaluate(denom, null, assignment); // ((DoubleExpr)
// ((XADDTNode)
// _gm._context.getNode(denom))._expr)._dConstVal;
int iteration = 0;
while ((high - low > 1E-6 && low < high) && iteration++ < 500) { // The
// value
// to
// be
// adjusted
assignment.put(var, (high + low) / 2);
val = _gm._context.evaluate(num, null, assignment);
val = val / d;
if (val > u) {
high = assignment.get(var);
} else {
low = assignment.get(var);
}
}
return assignment.get(var);
}
/**
* Integrate
*
* @param var
* @param xadd
* @return
*/
protected int integrate(String var, int xadd) {
return integrate(var, xadd, null);
}
/**
* Integrate
*
* @param var
* @param xadd
* @param high
* @return
*/
private int integrate(String var, int xadd, String high) {
// XADD x = new XADD();
// String s = _gm._context.getString(xadd, true, false);
// s = s.substring(1, s.length() - 2);
// xadd = x.buildCanonicalXADD(HierarchicalParser.ParseString(s));
// xadd = integrate(var, xadd, x, null);
// s = x.getString(xadd, true, false);
// s = s.substring(1, s.length() - 2);
// xadd =
// _gm._context.buildCanonicalXADD(HierarchicalParser.ParseString(s));
return Common.integrate(var, xadd, _gm._context, high);
}
/**
* Find factors containing the variable of choice
*
* @param var
* @param factors
* @return
*/
private ArrayList<Factor> findCasesContains(String var,
ArrayList<Factor> factors) {
ArrayList<Factor> a = new ArrayList<Factor>();
for (Factor f : factors) {
if (f._vars.contains(var)) {
a.add(f);
}
}
return a;
}
/**
* Generates some statistical values on the generated samples
*
* @return
*/
protected HashMap<String, Double> samplesStat() {
HashMap<String, Double> av = new HashMap<String, Double>();
BufferedWriter bw;
try {
bw = new BufferedWriter(new FileWriter("var.csv"));
for (String key : _samples.keySet()) {
for (int i = 0; i < SAMPLE_SIZE; i++) {
if (av.containsKey(key)) {
av.put(key, av.get(key) + _samples.get(key).get(i));
} else {
av.put(key, _samples.get(key).get(i));
}
}
av.put(key, av.get(key) / (double) SAMPLE_SIZE);
}
for (String k : _samples.keySet()) {
String varKey = k + "_var";
for (int i = 0; i < SAMPLE_SIZE; i++) {
if (!av.containsKey(varKey)) {
av.put(varKey, 0D);
}
av.put(varKey,
av.get(varKey)
+ Math.pow(
_samples.get(k).get(i) - av.get(k),
2));
bw.append(varKey + "," + _samples.get(k).get(i) + ","
+ Math.pow(_samples.get(k).get(i) - av.get(k), 2)
+ ", " + av.get(varKey) + "\n");
}
av.put(varKey, av.get(varKey) / (double) SAMPLE_SIZE);
}
bw.close();
} catch (Exception e) {
e.printStackTrace();
}
return av;
}
/**
* Run test for the given dataset, i.e. compute expected utilities and
* compare them with the true values and report the accuracy
*
* @param ds
* @return
*/
public double test(PreferenceDataset ds) {
int correct = 0, wrong = 0;
int correct_exact = 0, wrong_exact = 0, count = 0;
Random r = new Random();
double eu1, eu2, eu1_exact, eu2_exact, expected_time = 0, expected_exact_time = 0;
long time;
for (int i = 0; i < ds.getPreferencesCount(); i++) {
int[] p = ds.getPreference(i);
time = System.currentTimeMillis();
Boolean b = testOne(p);
if (b == null)
continue;
if (b)
correct++;
else
wrong++;
expected_time += (System.currentTimeMillis() - time);
count++;
if (_evaluate_exact) {
time = System.currentTimeMillis();
b = testOneExact(p);
if (b == null)
continue;
if (b)
correct_exact++;
else
wrong_exact++;
expected_exact_time += (System.currentTimeMillis() - time);
}
}
Common.println("Time to evaluate one expected utility for user "
+ _userId + ": " + expected_time / (double) count,
Common._RESULTS_WRITER);
expected_time = expected_time / (double) count;
expected_exact_time = expected_exact_time / (double) count;
double percentage = (double) correct / (double) count;
String s = samplesStat().toString();
Common.println(s);
Common.println(s, Common._RESULTS_WRITER);
Common.println("user ID: " + _userId);
s = "# prefs: " + count + ", # correct: " + correct + ", # wrong: "
+ wrong + " : " + percentage * 100. + "%, expected_time: "
+ expected_time + "%, inference_time: " + _inference_time
+ ", no_nodes: " + _node_count + ", max_no_nodes: "
+ _max_node_count;
Common.println(s);
Common.println(s, Common._RESULTS_WRITER);
if (_evaluate_exact) {
Common.println("Time to evaluate one expected utility for user "
+ _userId + ": " + (expected_exact_time / (double) count),
Common._RESULTS_WRITER);
s = "# prefs_exact: " + count + ", # correct_exact: "
+ correct_exact + ", # wrong_exact: " + wrong_exact + " : "
+ (double) correct_exact / (double) count * 100.
+ "%, expected_time: " + expected_exact_time
+ "%, inference_time_exact: " + _inference_time_exact
+ ", no_exact_nodes: " + _node_count_exact
+ ", max_no_exact_nodes: " + _max_node_count_exact;
Common.println(s);
Common.println(s, Common._RESULTS_WRITER);
}
Common.flush();
return percentage;
}
}
|
204899_68 | /*
* (C) Copyright 2005, Gregor Heinrich (gregor :: arbylon : net) (This file is
* part of the org.knowceans experimental software packages.)
*/
/*
* LdaGibbsSampler is free software; you can redistribute it and/or modify it
* under the terms of the GNU General Public License as published by the Free
* Software Foundation; either version 2 of the License, or (at your option) any
* later version.
*/
/*
* LdaGibbsSampler is distributed in the hope that it will be useful, but
* WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or
* FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more
* details.
*/
/*
* You should have received a copy of the GNU General Public License along with
* this program; if not, write to the Free Software Foundation, Inc., 59 Temple
* Place, Suite 330, Boston, MA 02111-1307 USA
*/
/*
* Created on Mar 6, 2005
*/
package com.hankcs.lda;
import java.text.DecimalFormat;
import java.text.NumberFormat;
/**
* Gibbs sampler for estimating the best assignments of topics for words and
* documents in a corpus. The algorithm is introduced in Tom Griffiths' paper
* "Gibbs sampling in the generative model of Latent Dirichlet Allocation"
* (2002).<br>
* Gibbs sampler采样算法的实现
*
* @author heinrich
*/
public class LdaGibbsSampler {
/**
* document data (term lists)<br>
* 文档
*/
int[][] documents;
/**
* vocabulary size<br>
* 词表大小
*/
int V;
/**
* number of topics<br>
* 主题数目
*/
int K;
/**
* Dirichlet parameter (document--topic associations)<br>
* 文档——主题参数
*/
double alpha = 2.0;
/**
* Dirichlet parameter (topic--term associations)<br>
* 主题——词语参数
*/
double beta = 0.5;
/**
* topic assignments for each word.<br>
* 每个词语的主题 z[i][j] := 文档i的第j个词语的主题编号
*/
int z[][];
/**
* cwt[i][j] number of instances of word i (term?) assigned to topic j.<br>
* 计数器,nw[i][j] := 词语i归入主题j的次数
*/
int[][] nw;
/**
* na[i][j] number of words in document i assigned to topic j.<br>
* 计数器,nd[i][j] := 文档[i]中归入主题j的词语的个数
*/
int[][] nd;
/**
* nwsum[j] total number of words assigned to topic j.<br>
* 计数器,nwsum[j] := 归入主题j词语的个数
*/
int[] nwsum;
/**
* nasum[i] total number of words in document i.<br>
* 计数器,ndsum[i] := 文档i中全部词语的数量
*/
int[] ndsum;
/**
* cumulative statistics of theta<br>
* theta的累积量
*/
double[][] thetasum;
/**
* cumulative statistics of phi<br>
* phi的累积量
*/
double[][] phisum;
/**
* size of statistics<br>
* 样本容量
*/
int numstats;
/**
* sampling lag (?)<br>
* 多久更新一次统计量
*/
private static int THIN_INTERVAL = 20;
/**
* burn-in period<br>
* 收敛前的迭代次数
*/
private static int BURN_IN = 100;
/**
* max iterations<br>
* 最大迭代次数
*/
private static int ITERATIONS = 1000;
/**
* sample lag (if -1 only one sample taken)<br>
* 最后的模型个数(取收敛后的n个迭代的参数做平均可以使得模型质量更高)
*/
private static int SAMPLE_LAG = 10;
private static int dispcol = 0;
/**
* Initialise the Gibbs sampler with data.<br>
* 用数据初始化采样器
*
* @param documents 文档
* @param V vocabulary size 词表大小
*/
public LdaGibbsSampler(int[][] documents, int V) {
this.documents = documents;
this.V = V;
}
/**
* Initialisation: Must start with an assignment of observations to topics ?
* Many alternatives are possible, I chose to perform random assignments
* with equal probabilities<br>
* 随机初始化状态
*
* @param K number of topics K个主题
*/
public void initialState(int K) {
int M = documents.length;
// initialise count variables. 初始化计数器
nw = new int[V][K];
nd = new int[M][K];
nwsum = new int[K];
ndsum = new int[M];
// The z_i are are initialised to values in [1,K] to determine the
// initial state of the Markov chain.
z = new int[M][]; // z_i := 1到K之间的值,表示马氏链的初始状态
for (int m = 0; m < M; m++) {
int N = documents[m].length;
z[m] = new int[N];
for (int n = 0; n < N; n++) {
int topic = (int) (Math.random() * K);
z[m][n] = topic;
// number of instances of word i assigned to topic j
nw[documents[m][n]][topic]++;
// number of words in document i assigned to topic j.
nd[m][topic]++;
// total number of words assigned to topic j.
nwsum[topic]++;
}
// total number of words in document i
ndsum[m] = N;
}
}
public void gibbs(int K) {
gibbs(K, 2.0, 0.5);
}
/**
* Main method: Select initial state ? Repeat a large number of times: 1.
* Select an element 2. Update conditional on other elements. If
* appropriate, output summary for each run.<br>
* 采样
*
* @param K number of topics 主题数
* @param alpha symmetric prior parameter on document--topic associations 对称文档——主题先验概率?
* @param beta symmetric prior parameter on topic--term associations 对称主题——词语先验概率?
*/
public void gibbs(int K, double alpha, double beta) {
this.K = K;
this.alpha = alpha;
this.beta = beta;
// init sampler statistics 分配内存
if (SAMPLE_LAG > 0) {
thetasum = new double[documents.length][K];
phisum = new double[K][V];
numstats = 0;
}
// initial state of the Markov chain:
initialState(K);
System.out.println("Sampling " + ITERATIONS
+ " iterations with burn-in of " + BURN_IN + " (B/S="
+ THIN_INTERVAL + ").");
for (int i = 0; i < ITERATIONS; i++) {
// for all z_i
for (int m = 0; m < z.length; m++) {
for (int n = 0; n < z[m].length; n++) {
// (z_i = z[m][n])
// sample from p(z_i|z_-i, w)
int topic = sampleFullConditional(m, n);
z[m][n] = topic;
}
}
if ((i < BURN_IN) && (i % THIN_INTERVAL == 0)) {
System.out.print("B");
dispcol++;
}
// display progress
if ((i > BURN_IN) && (i % THIN_INTERVAL == 0)) {
System.out.print("S");
dispcol++;
}
// get statistics after burn-in
if ((i > BURN_IN) && (SAMPLE_LAG > 0) && (i % SAMPLE_LAG == 0)) {
updateParams();
System.out.print("|");
if (i % THIN_INTERVAL != 0)
dispcol++;
}
if (dispcol >= 100) {
System.out.println();
dispcol = 0;
}
}
System.out.println();
}
/**
* Sample a topic z_i from the full conditional distribution: p(z_i = j |
* z_-i, w) = (n_-i,j(w_i) + beta)/(n_-i,j(.) + W * beta) * (n_-i,j(d_i) +
* alpha)/(n_-i,.(d_i) + K * alpha) <br>
* 根据上述公式计算文档m中第n个词语的主题的完全条件分布,输出最可能的主题
*
* @param m document
* @param n word
*/
private int sampleFullConditional(int m, int n) {
// remove z_i from the count variables 先将这个词从计数器中抹掉
int topic = z[m][n];
nw[documents[m][n]][topic]--;
nd[m][topic]--;
nwsum[topic]--;
ndsum[m]--;
// do multinomial sampling via cumulative method: 通过多项式方法采样多项式分布
double[] p = new double[K];
for (int k = 0; k < K; k++) {
p[k] = (nw[documents[m][n]][k] + beta) / (nwsum[k] + V * beta)
* (nd[m][k] + alpha) / (ndsum[m] + K * alpha);
}
// cumulate multinomial parameters 累加多项式分布的参数
for (int k = 1; k < p.length; k++) {
p[k] += p[k - 1];
}
// scaled sample because of unnormalised p[] 正则化
double u = Math.random() * p[K - 1];
for (topic = 0; topic < p.length; topic++) {
if (u < p[topic])
break;
}
// add newly estimated z_i to count variables 将重新估计的该词语加入计数器
nw[documents[m][n]][topic]++;
nd[m][topic]++;
nwsum[topic]++;
ndsum[m]++;
return topic;
}
/**
* Add to the statistics the values of theta and phi for the current state.<br>
* 更新参数
*/
private void updateParams() {
for (int m = 0; m < documents.length; m++) {
for (int k = 0; k < K; k++) {
thetasum[m][k] += (nd[m][k] + alpha) / (ndsum[m] + K * alpha);
}
}
for (int k = 0; k < K; k++) {
for (int w = 0; w < V; w++) {
phisum[k][w] += (nw[w][k] + beta) / (nwsum[k] + V * beta);
}
}
numstats++;
}
/**
* Retrieve estimated document--topic associations. If sample lag > 0 then
* the mean value of all sampled statistics for theta[][] is taken.<br>
* 获取文档——主题矩阵
*
* @return theta multinomial mixture of document topics (M x K)
*/
public double[][] getTheta() {
double[][] theta = new double[documents.length][K];
if (SAMPLE_LAG > 0) {
for (int m = 0; m < documents.length; m++) {
for (int k = 0; k < K; k++) {
theta[m][k] = thetasum[m][k] / numstats;
}
}
} else {
for (int m = 0; m < documents.length; m++) {
for (int k = 0; k < K; k++) {
theta[m][k] = (nd[m][k] + alpha) / (ndsum[m] + K * alpha);
}
}
}
return theta;
}
/**
* Retrieve estimated topic--word associations. If sample lag > 0 then the
* mean value of all sampled statistics for phi[][] is taken.<br>
* 获取主题——词语矩阵
*
* @return phi multinomial mixture of topic words (K x V)
*/
public double[][] getPhi() {
double[][] phi = new double[K][V];
if (SAMPLE_LAG > 0) {
for (int k = 0; k < K; k++) {
for (int w = 0; w < V; w++) {
phi[k][w] = phisum[k][w] / numstats;
}
}
} else {
for (int k = 0; k < K; k++) {
for (int w = 0; w < V; w++) {
phi[k][w] = (nw[w][k] + beta) / (nwsum[k] + V * beta);
}
}
}
return phi;
}
/**
* Print table of multinomial data
*
* @param data vector of evidence
* @param fmax max frequency in display
* @return the scaled histogram bin values
*/
public static void hist(double[] data, int fmax) {
double[] hist = new double[data.length];
// scale maximum
double hmax = 0;
for (int i = 0; i < data.length; i++) {
hmax = Math.max(data[i], hmax);
}
double shrink = fmax / hmax;
for (int i = 0; i < data.length; i++) {
hist[i] = shrink * data[i];
}
NumberFormat nf = new DecimalFormat("00");
String scale = "";
for (int i = 1; i < fmax / 10 + 1; i++) {
scale += " . " + i % 10;
}
System.out.println("x" + nf.format(hmax / fmax) + "\t0" + scale);
for (int i = 0; i < hist.length; i++) {
System.out.print(i + "\t|");
for (int j = 0; j < Math.round(hist[i]); j++) {
if ((j + 1) % 10 == 0)
System.out.print("]");
else
System.out.print("|");
}
System.out.println();
}
}
/**
* Configure the gibbs sampler<br>
* 配置采样器
*
* @param iterations number of total iterations
* @param burnIn number of burn-in iterations
* @param thinInterval update statistics interval
* @param sampleLag sample interval (-1 for just one sample at the end)
*/
public void configure(int iterations, int burnIn, int thinInterval,
int sampleLag) {
ITERATIONS = iterations;
BURN_IN = burnIn;
THIN_INTERVAL = thinInterval;
SAMPLE_LAG = sampleLag;
}
/**
* Inference a new document by a pre-trained phi matrix
*
* @param phi pre-trained phi matrix
* @param doc document
* @return a p array
*/
public static double[] inference(double alpha, double beta, double[][] phi, int[] doc) {
int K = phi.length;
int V = phi[0].length;
// init
// initialise count variables. 初始化计数器
int[][] nw = new int[V][K];
int[] nd = new int[K];
int[] nwsum = new int[K];
int ndsum = 0;
// The z_i are are initialised to values in [1,K] to determine the
// initial state of the Markov chain.
int N = doc.length;
int[] z = new int[N]; // z_i := 1到K之间的值,表示马氏链的初始状态
for (int n = 0; n < N; n++) {
int topic = (int) (Math.random() * K);
z[n] = topic;
// number of instances of word i assigned to topic j
nw[doc[n]][topic]++;
// number of words in document i assigned to topic j.
nd[topic]++;
// total number of words assigned to topic j.
nwsum[topic]++;
}
// total number of words in document i
ndsum = N;
for (int i = 0; i < ITERATIONS; i++) {
for (int n = 0; n < z.length; n++) {
// (z_i = z[m][n])
// sample from p(z_i|z_-i, w)
// remove z_i from the count variables 先将这个词从计数器中抹掉
int topic = z[n];
nw[doc[n]][topic]--;
nd[topic]--;
nwsum[topic]--;
ndsum--;
// do multinomial sampling via cumulative method: 通过多项式方法采样多项式分布
double[] p = new double[K];
for (int k = 0; k < K; k++) {
p[k] = phi[k][doc[n]]
* (nd[k] + alpha) / (ndsum + K * alpha);
}
// cumulate multinomial parameters 累加多项式分布的参数
for (int k = 1; k < p.length; k++) {
p[k] += p[k - 1];
}
// scaled sample because of unnormalised p[] 正则化
double u = Math.random() * p[K - 1];
for (topic = 0; topic < p.length; topic++) {
if (u < p[topic])
break;
}
if (topic == K) {
throw new RuntimeException("the param K or topic is set too small");
}
// add newly estimated z_i to count variables 将重新估计的该词语加入计数器
nw[doc[n]][topic]++;
nd[topic]++;
nwsum[topic]++;
ndsum++;
z[n] = topic;
}
}
double[] theta = new double[K];
for (int k = 0; k < K; k++) {
theta[k] = (nd[k] + alpha) / (ndsum + K * alpha);
}
return theta;
}
public static double[] inference(double[][] phi, int[] doc) {
return inference(2.0, 0.5, phi, doc);
}
/**
* Driver with example data.<br>
* 测试入口
*
* @param args
*/
public static void main(String[] args) {
// words in documents
int[][] documents = {
{1, 4, 3, 2, 3, 1, 4, 3, 2, 3, 1, 4, 3, 2, 3, 6},
{2, 2, 4, 2, 4, 2, 2, 2, 2, 4, 2, 2},
{1, 6, 5, 6, 0, 1, 6, 5, 6, 0, 1, 6, 5, 6, 0, 0},
{5, 6, 6, 2, 3, 3, 6, 5, 6, 2, 2, 6, 5, 6, 6, 6, 0},
{2, 2, 4, 4, 4, 4, 1, 5, 5, 5, 5, 5, 5, 1, 1, 1, 1, 0},
{5, 4, 2, 3, 4, 5, 6, 6, 5, 4, 3, 2}}; // 文档的词语id集合
// vocabulary
int V = 7; // 词表大小
int M = documents.length;
// # topics
int K = 2; // 主题数目
// good values alpha = 2, beta = .5
double alpha = 2;
double beta = .5;
System.out.println("Latent Dirichlet Allocation using Gibbs Sampling.");
LdaGibbsSampler lda = new LdaGibbsSampler(documents, V);
lda.configure(10000, 2000, 100, 10);
lda.gibbs(K, alpha, beta);
double[][] theta = lda.getTheta();
double[][] phi = lda.getPhi();
System.out.println();
System.out.println();
System.out.println("Document--Topic Associations, Theta[d][k] (alpha="
+ alpha + ")");
System.out.print("d\\k\t");
for (int m = 0; m < theta[0].length; m++) {
System.out.print(" " + m % 10 + " ");
}
System.out.println();
for (int m = 0; m < theta.length; m++) {
System.out.print(m + "\t");
for (int k = 0; k < theta[m].length; k++) {
// System.out.print(theta[m][k] + " ");
System.out.print(shadeDouble(theta[m][k], 1) + " ");
}
System.out.println();
}
System.out.println();
System.out.println("Topic--Term Associations, Phi[k][w] (beta=" + beta
+ ")");
System.out.print("k\\w\t");
for (int w = 0; w < phi[0].length; w++) {
System.out.print(" " + w % 10 + " ");
}
System.out.println();
for (int k = 0; k < phi.length; k++) {
System.out.print(k + "\t");
for (int w = 0; w < phi[k].length; w++) {
// System.out.print(phi[k][w] + " ");
System.out.print(shadeDouble(phi[k][w], 1) + " ");
}
System.out.println();
}
// Let's inference a new document
int[] aNewDocument = {2, 2, 4, 2, 4, 2, 2, 2, 2, 4, 2, 2};
double[] newTheta = inference(alpha, beta, phi, aNewDocument);
for (int k = 0; k < newTheta.length; k++) {
// System.out.print(theta[m][k] + " ");
System.out.print(shadeDouble(newTheta[k], 1) + " ");
}
System.out.println();
}
static String[] shades = {" ", ". ", ": ", ":. ", ":: ",
"::. ", "::: ", ":::. ", ":::: ", "::::.", ":::::"};
static NumberFormat lnf = new DecimalFormat("00E0");
/**
* create a string representation whose gray value appears as an indicator
* of magnitude, cf. Hinton diagrams in statistics.
*
* @param d value
* @param max maximum value
* @return
*/
public static String shadeDouble(double d, double max) {
int a = (int) Math.floor(d * 10 / max + 0.5);
if (a > 10 || a < 0) {
String x = lnf.format(d);
a = 5 - x.length();
for (int i = 0; i < a; i++) {
x += " ";
}
return "<" + x + ">";
}
return "[" + shades[a] + "]";
}
} | hankcs/LDA4j | src/main/java/com/hankcs/lda/LdaGibbsSampler.java | 6,147 | // words in documents | line_comment | nl | /*
* (C) Copyright 2005, Gregor Heinrich (gregor :: arbylon : net) (This file is
* part of the org.knowceans experimental software packages.)
*/
/*
* LdaGibbsSampler is free software; you can redistribute it and/or modify it
* under the terms of the GNU General Public License as published by the Free
* Software Foundation; either version 2 of the License, or (at your option) any
* later version.
*/
/*
* LdaGibbsSampler is distributed in the hope that it will be useful, but
* WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or
* FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more
* details.
*/
/*
* You should have received a copy of the GNU General Public License along with
* this program; if not, write to the Free Software Foundation, Inc., 59 Temple
* Place, Suite 330, Boston, MA 02111-1307 USA
*/
/*
* Created on Mar 6, 2005
*/
package com.hankcs.lda;
import java.text.DecimalFormat;
import java.text.NumberFormat;
/**
* Gibbs sampler for estimating the best assignments of topics for words and
* documents in a corpus. The algorithm is introduced in Tom Griffiths' paper
* "Gibbs sampling in the generative model of Latent Dirichlet Allocation"
* (2002).<br>
* Gibbs sampler采样算法的实现
*
* @author heinrich
*/
public class LdaGibbsSampler {
/**
* document data (term lists)<br>
* 文档
*/
int[][] documents;
/**
* vocabulary size<br>
* 词表大小
*/
int V;
/**
* number of topics<br>
* 主题数目
*/
int K;
/**
* Dirichlet parameter (document--topic associations)<br>
* 文档——主题参数
*/
double alpha = 2.0;
/**
* Dirichlet parameter (topic--term associations)<br>
* 主题——词语参数
*/
double beta = 0.5;
/**
* topic assignments for each word.<br>
* 每个词语的主题 z[i][j] := 文档i的第j个词语的主题编号
*/
int z[][];
/**
* cwt[i][j] number of instances of word i (term?) assigned to topic j.<br>
* 计数器,nw[i][j] := 词语i归入主题j的次数
*/
int[][] nw;
/**
* na[i][j] number of words in document i assigned to topic j.<br>
* 计数器,nd[i][j] := 文档[i]中归入主题j的词语的个数
*/
int[][] nd;
/**
* nwsum[j] total number of words assigned to topic j.<br>
* 计数器,nwsum[j] := 归入主题j词语的个数
*/
int[] nwsum;
/**
* nasum[i] total number of words in document i.<br>
* 计数器,ndsum[i] := 文档i中全部词语的数量
*/
int[] ndsum;
/**
* cumulative statistics of theta<br>
* theta的累积量
*/
double[][] thetasum;
/**
* cumulative statistics of phi<br>
* phi的累积量
*/
double[][] phisum;
/**
* size of statistics<br>
* 样本容量
*/
int numstats;
/**
* sampling lag (?)<br>
* 多久更新一次统计量
*/
private static int THIN_INTERVAL = 20;
/**
* burn-in period<br>
* 收敛前的迭代次数
*/
private static int BURN_IN = 100;
/**
* max iterations<br>
* 最大迭代次数
*/
private static int ITERATIONS = 1000;
/**
* sample lag (if -1 only one sample taken)<br>
* 最后的模型个数(取收敛后的n个迭代的参数做平均可以使得模型质量更高)
*/
private static int SAMPLE_LAG = 10;
private static int dispcol = 0;
/**
* Initialise the Gibbs sampler with data.<br>
* 用数据初始化采样器
*
* @param documents 文档
* @param V vocabulary size 词表大小
*/
public LdaGibbsSampler(int[][] documents, int V) {
this.documents = documents;
this.V = V;
}
/**
* Initialisation: Must start with an assignment of observations to topics ?
* Many alternatives are possible, I chose to perform random assignments
* with equal probabilities<br>
* 随机初始化状态
*
* @param K number of topics K个主题
*/
public void initialState(int K) {
int M = documents.length;
// initialise count variables. 初始化计数器
nw = new int[V][K];
nd = new int[M][K];
nwsum = new int[K];
ndsum = new int[M];
// The z_i are are initialised to values in [1,K] to determine the
// initial state of the Markov chain.
z = new int[M][]; // z_i := 1到K之间的值,表示马氏链的初始状态
for (int m = 0; m < M; m++) {
int N = documents[m].length;
z[m] = new int[N];
for (int n = 0; n < N; n++) {
int topic = (int) (Math.random() * K);
z[m][n] = topic;
// number of instances of word i assigned to topic j
nw[documents[m][n]][topic]++;
// number of words in document i assigned to topic j.
nd[m][topic]++;
// total number of words assigned to topic j.
nwsum[topic]++;
}
// total number of words in document i
ndsum[m] = N;
}
}
public void gibbs(int K) {
gibbs(K, 2.0, 0.5);
}
/**
* Main method: Select initial state ? Repeat a large number of times: 1.
* Select an element 2. Update conditional on other elements. If
* appropriate, output summary for each run.<br>
* 采样
*
* @param K number of topics 主题数
* @param alpha symmetric prior parameter on document--topic associations 对称文档——主题先验概率?
* @param beta symmetric prior parameter on topic--term associations 对称主题——词语先验概率?
*/
public void gibbs(int K, double alpha, double beta) {
this.K = K;
this.alpha = alpha;
this.beta = beta;
// init sampler statistics 分配内存
if (SAMPLE_LAG > 0) {
thetasum = new double[documents.length][K];
phisum = new double[K][V];
numstats = 0;
}
// initial state of the Markov chain:
initialState(K);
System.out.println("Sampling " + ITERATIONS
+ " iterations with burn-in of " + BURN_IN + " (B/S="
+ THIN_INTERVAL + ").");
for (int i = 0; i < ITERATIONS; i++) {
// for all z_i
for (int m = 0; m < z.length; m++) {
for (int n = 0; n < z[m].length; n++) {
// (z_i = z[m][n])
// sample from p(z_i|z_-i, w)
int topic = sampleFullConditional(m, n);
z[m][n] = topic;
}
}
if ((i < BURN_IN) && (i % THIN_INTERVAL == 0)) {
System.out.print("B");
dispcol++;
}
// display progress
if ((i > BURN_IN) && (i % THIN_INTERVAL == 0)) {
System.out.print("S");
dispcol++;
}
// get statistics after burn-in
if ((i > BURN_IN) && (SAMPLE_LAG > 0) && (i % SAMPLE_LAG == 0)) {
updateParams();
System.out.print("|");
if (i % THIN_INTERVAL != 0)
dispcol++;
}
if (dispcol >= 100) {
System.out.println();
dispcol = 0;
}
}
System.out.println();
}
/**
* Sample a topic z_i from the full conditional distribution: p(z_i = j |
* z_-i, w) = (n_-i,j(w_i) + beta)/(n_-i,j(.) + W * beta) * (n_-i,j(d_i) +
* alpha)/(n_-i,.(d_i) + K * alpha) <br>
* 根据上述公式计算文档m中第n个词语的主题的完全条件分布,输出最可能的主题
*
* @param m document
* @param n word
*/
private int sampleFullConditional(int m, int n) {
// remove z_i from the count variables 先将这个词从计数器中抹掉
int topic = z[m][n];
nw[documents[m][n]][topic]--;
nd[m][topic]--;
nwsum[topic]--;
ndsum[m]--;
// do multinomial sampling via cumulative method: 通过多项式方法采样多项式分布
double[] p = new double[K];
for (int k = 0; k < K; k++) {
p[k] = (nw[documents[m][n]][k] + beta) / (nwsum[k] + V * beta)
* (nd[m][k] + alpha) / (ndsum[m] + K * alpha);
}
// cumulate multinomial parameters 累加多项式分布的参数
for (int k = 1; k < p.length; k++) {
p[k] += p[k - 1];
}
// scaled sample because of unnormalised p[] 正则化
double u = Math.random() * p[K - 1];
for (topic = 0; topic < p.length; topic++) {
if (u < p[topic])
break;
}
// add newly estimated z_i to count variables 将重新估计的该词语加入计数器
nw[documents[m][n]][topic]++;
nd[m][topic]++;
nwsum[topic]++;
ndsum[m]++;
return topic;
}
/**
* Add to the statistics the values of theta and phi for the current state.<br>
* 更新参数
*/
private void updateParams() {
for (int m = 0; m < documents.length; m++) {
for (int k = 0; k < K; k++) {
thetasum[m][k] += (nd[m][k] + alpha) / (ndsum[m] + K * alpha);
}
}
for (int k = 0; k < K; k++) {
for (int w = 0; w < V; w++) {
phisum[k][w] += (nw[w][k] + beta) / (nwsum[k] + V * beta);
}
}
numstats++;
}
/**
* Retrieve estimated document--topic associations. If sample lag > 0 then
* the mean value of all sampled statistics for theta[][] is taken.<br>
* 获取文档——主题矩阵
*
* @return theta multinomial mixture of document topics (M x K)
*/
public double[][] getTheta() {
double[][] theta = new double[documents.length][K];
if (SAMPLE_LAG > 0) {
for (int m = 0; m < documents.length; m++) {
for (int k = 0; k < K; k++) {
theta[m][k] = thetasum[m][k] / numstats;
}
}
} else {
for (int m = 0; m < documents.length; m++) {
for (int k = 0; k < K; k++) {
theta[m][k] = (nd[m][k] + alpha) / (ndsum[m] + K * alpha);
}
}
}
return theta;
}
/**
* Retrieve estimated topic--word associations. If sample lag > 0 then the
* mean value of all sampled statistics for phi[][] is taken.<br>
* 获取主题——词语矩阵
*
* @return phi multinomial mixture of topic words (K x V)
*/
public double[][] getPhi() {
double[][] phi = new double[K][V];
if (SAMPLE_LAG > 0) {
for (int k = 0; k < K; k++) {
for (int w = 0; w < V; w++) {
phi[k][w] = phisum[k][w] / numstats;
}
}
} else {
for (int k = 0; k < K; k++) {
for (int w = 0; w < V; w++) {
phi[k][w] = (nw[w][k] + beta) / (nwsum[k] + V * beta);
}
}
}
return phi;
}
/**
* Print table of multinomial data
*
* @param data vector of evidence
* @param fmax max frequency in display
* @return the scaled histogram bin values
*/
public static void hist(double[] data, int fmax) {
double[] hist = new double[data.length];
// scale maximum
double hmax = 0;
for (int i = 0; i < data.length; i++) {
hmax = Math.max(data[i], hmax);
}
double shrink = fmax / hmax;
for (int i = 0; i < data.length; i++) {
hist[i] = shrink * data[i];
}
NumberFormat nf = new DecimalFormat("00");
String scale = "";
for (int i = 1; i < fmax / 10 + 1; i++) {
scale += " . " + i % 10;
}
System.out.println("x" + nf.format(hmax / fmax) + "\t0" + scale);
for (int i = 0; i < hist.length; i++) {
System.out.print(i + "\t|");
for (int j = 0; j < Math.round(hist[i]); j++) {
if ((j + 1) % 10 == 0)
System.out.print("]");
else
System.out.print("|");
}
System.out.println();
}
}
/**
* Configure the gibbs sampler<br>
* 配置采样器
*
* @param iterations number of total iterations
* @param burnIn number of burn-in iterations
* @param thinInterval update statistics interval
* @param sampleLag sample interval (-1 for just one sample at the end)
*/
public void configure(int iterations, int burnIn, int thinInterval,
int sampleLag) {
ITERATIONS = iterations;
BURN_IN = burnIn;
THIN_INTERVAL = thinInterval;
SAMPLE_LAG = sampleLag;
}
/**
* Inference a new document by a pre-trained phi matrix
*
* @param phi pre-trained phi matrix
* @param doc document
* @return a p array
*/
public static double[] inference(double alpha, double beta, double[][] phi, int[] doc) {
int K = phi.length;
int V = phi[0].length;
// init
// initialise count variables. 初始化计数器
int[][] nw = new int[V][K];
int[] nd = new int[K];
int[] nwsum = new int[K];
int ndsum = 0;
// The z_i are are initialised to values in [1,K] to determine the
// initial state of the Markov chain.
int N = doc.length;
int[] z = new int[N]; // z_i := 1到K之间的值,表示马氏链的初始状态
for (int n = 0; n < N; n++) {
int topic = (int) (Math.random() * K);
z[n] = topic;
// number of instances of word i assigned to topic j
nw[doc[n]][topic]++;
// number of words in document i assigned to topic j.
nd[topic]++;
// total number of words assigned to topic j.
nwsum[topic]++;
}
// total number of words in document i
ndsum = N;
for (int i = 0; i < ITERATIONS; i++) {
for (int n = 0; n < z.length; n++) {
// (z_i = z[m][n])
// sample from p(z_i|z_-i, w)
// remove z_i from the count variables 先将这个词从计数器中抹掉
int topic = z[n];
nw[doc[n]][topic]--;
nd[topic]--;
nwsum[topic]--;
ndsum--;
// do multinomial sampling via cumulative method: 通过多项式方法采样多项式分布
double[] p = new double[K];
for (int k = 0; k < K; k++) {
p[k] = phi[k][doc[n]]
* (nd[k] + alpha) / (ndsum + K * alpha);
}
// cumulate multinomial parameters 累加多项式分布的参数
for (int k = 1; k < p.length; k++) {
p[k] += p[k - 1];
}
// scaled sample because of unnormalised p[] 正则化
double u = Math.random() * p[K - 1];
for (topic = 0; topic < p.length; topic++) {
if (u < p[topic])
break;
}
if (topic == K) {
throw new RuntimeException("the param K or topic is set too small");
}
// add newly estimated z_i to count variables 将重新估计的该词语加入计数器
nw[doc[n]][topic]++;
nd[topic]++;
nwsum[topic]++;
ndsum++;
z[n] = topic;
}
}
double[] theta = new double[K];
for (int k = 0; k < K; k++) {
theta[k] = (nd[k] + alpha) / (ndsum + K * alpha);
}
return theta;
}
public static double[] inference(double[][] phi, int[] doc) {
return inference(2.0, 0.5, phi, doc);
}
/**
* Driver with example data.<br>
* 测试入口
*
* @param args
*/
public static void main(String[] args) {
// words in<SUF>
int[][] documents = {
{1, 4, 3, 2, 3, 1, 4, 3, 2, 3, 1, 4, 3, 2, 3, 6},
{2, 2, 4, 2, 4, 2, 2, 2, 2, 4, 2, 2},
{1, 6, 5, 6, 0, 1, 6, 5, 6, 0, 1, 6, 5, 6, 0, 0},
{5, 6, 6, 2, 3, 3, 6, 5, 6, 2, 2, 6, 5, 6, 6, 6, 0},
{2, 2, 4, 4, 4, 4, 1, 5, 5, 5, 5, 5, 5, 1, 1, 1, 1, 0},
{5, 4, 2, 3, 4, 5, 6, 6, 5, 4, 3, 2}}; // 文档的词语id集合
// vocabulary
int V = 7; // 词表大小
int M = documents.length;
// # topics
int K = 2; // 主题数目
// good values alpha = 2, beta = .5
double alpha = 2;
double beta = .5;
System.out.println("Latent Dirichlet Allocation using Gibbs Sampling.");
LdaGibbsSampler lda = new LdaGibbsSampler(documents, V);
lda.configure(10000, 2000, 100, 10);
lda.gibbs(K, alpha, beta);
double[][] theta = lda.getTheta();
double[][] phi = lda.getPhi();
System.out.println();
System.out.println();
System.out.println("Document--Topic Associations, Theta[d][k] (alpha="
+ alpha + ")");
System.out.print("d\\k\t");
for (int m = 0; m < theta[0].length; m++) {
System.out.print(" " + m % 10 + " ");
}
System.out.println();
for (int m = 0; m < theta.length; m++) {
System.out.print(m + "\t");
for (int k = 0; k < theta[m].length; k++) {
// System.out.print(theta[m][k] + " ");
System.out.print(shadeDouble(theta[m][k], 1) + " ");
}
System.out.println();
}
System.out.println();
System.out.println("Topic--Term Associations, Phi[k][w] (beta=" + beta
+ ")");
System.out.print("k\\w\t");
for (int w = 0; w < phi[0].length; w++) {
System.out.print(" " + w % 10 + " ");
}
System.out.println();
for (int k = 0; k < phi.length; k++) {
System.out.print(k + "\t");
for (int w = 0; w < phi[k].length; w++) {
// System.out.print(phi[k][w] + " ");
System.out.print(shadeDouble(phi[k][w], 1) + " ");
}
System.out.println();
}
// Let's inference a new document
int[] aNewDocument = {2, 2, 4, 2, 4, 2, 2, 2, 2, 4, 2, 2};
double[] newTheta = inference(alpha, beta, phi, aNewDocument);
for (int k = 0; k < newTheta.length; k++) {
// System.out.print(theta[m][k] + " ");
System.out.print(shadeDouble(newTheta[k], 1) + " ");
}
System.out.println();
}
static String[] shades = {" ", ". ", ": ", ":. ", ":: ",
"::. ", "::: ", ":::. ", ":::: ", "::::.", ":::::"};
static NumberFormat lnf = new DecimalFormat("00E0");
/**
* create a string representation whose gray value appears as an indicator
* of magnitude, cf. Hinton diagrams in statistics.
*
* @param d value
* @param max maximum value
* @return
*/
public static String shadeDouble(double d, double max) {
int a = (int) Math.floor(d * 10 / max + 0.5);
if (a > 10 || a < 0) {
String x = lnf.format(d);
a = 5 - x.length();
for (int i = 0; i < a; i++) {
x += " ";
}
return "<" + x + ">";
}
return "[" + shades[a] + "]";
}
} |
204907_6 | package com.expleague.direct.gen;
import com.expleague.direct.BroadMatch;
import com.expleague.commons.io.StreamTools;
import com.expleague.commons.io.codec.seq.Dictionary;
import com.expleague.commons.math.io.Vec2CharSequenceConverter;
import com.expleague.commons.math.vectors.Vec;
import com.expleague.commons.math.vectors.VecTools;
import com.expleague.commons.math.vectors.impl.vectors.ArrayVec;
import com.expleague.commons.random.FastRandom;
import com.expleague.commons.seq.*;
import com.expleague.commons.util.ArrayTools;
import gnu.trove.list.TIntList;
import gnu.trove.list.array.TDoubleArrayList;
import gnu.trove.list.array.TIntArrayList;
import gnu.trove.map.hash.TObjectDoubleHashMap;
import gnu.trove.procedure.TIntDoubleProcedure;
import java.io.IOException;
import java.io.Writer;
import java.util.function.Consumer;
import static com.expleague.commons.math.vectors.VecTools.l1;
import static java.lang.Double.max;
import static java.lang.Math.exp;
import static java.lang.Math.log;
/**
* User: solar
* Date: 12.11.15
* Time: 11:33
*/
public class SimpleGenerativeModel {
public static final String EMPTY_ID = "##EMPTY##";
private final WordGenProbabilityProvider[] providers;
private final Dictionary<CharSeq> dict;
private final FastRandom rng = new FastRandom(0);
public static final int GIBBS_COUNT = 10;
public SimpleGenerativeModel(Dictionary<CharSeq> dict, TIntArrayList freqsLA) {
this.dict = dict;
this.providers = new WordGenProbabilityProvider[dict.size() + 1];
this.freqs = freqsLA;
this.totalFreq = freqsLA.sum();
}
public void loadStatistics(String fileName) throws IOException {
for (int i = 0; i < providers.length; i++) {
providers[i] = new WordGenProbabilityProvider(dict.size(), i);
}
final Vec2CharSequenceConverter converter = new Vec2CharSequenceConverter();
CharSeqTools.processLines(StreamTools.openTextFile(fileName), sequence -> {
final CharSequence[] split = CharSeqTools.split(sequence, '\t');
final WordGenProbabilityProvider provider;
if (!split[0].equals(EMPTY_ID)) {
final CharSequence[] parts = CharSeqTools.split(split[0].subSequence(1, split[0].length() - 1), ", ");
final SeqBuilder<CharSeq> builder = new ArraySeqBuilder<>(CharSeq.class);
for (final CharSequence part : parts) {
builder.add(CharSeq.create(part.toString()));
}
final int index1 = dict.parse(builder.build()).intAt(0);
if (index1 < 0)
return;
provider = providers[index1];
}
else provider = providers[providers.length - 1];
final Vec vec = converter.convertFrom(split[1]);
provider.beta = VecTools.copySparse(vec); // optimize storage space
});
double totalBigramFreq = 0;
for(int i = 0; i < providers.length; i++) {
totalBigramFreq += l1(providers[i].beta);
}
for(int i = 0; i < providers.length; i++) {
providers[i].probab = (l1(providers[i].beta) + 1) / (totalBigramFreq + providers.length);
}
for(int i = 0; i < providers.length; i++) {
providers[i].init(providers, dict);
}
}
private int index = 0;
private final TDoubleArrayList window = new TDoubleArrayList(1000);
private double windowSum = 0;
public double totalFreq = 0;
public final TIntArrayList freqs;
public void processSeq(IntSeq prevQSeq) {
for (int i = 0; i < prevQSeq.length(); i++) {
int symbol = prevQSeq.intAt(i);
if (freqs.size() < symbol)
freqs.fill(freqs.size(), symbol + 1, 0);
freqs.set(symbol, freqs.get(symbol) + 1);
totalFreq++;
}
}
public void processGeneration(IntSeq prevQSeq, IntSeq currentQSeq, double alpha) {
if (prevQSeq.length() * currentQSeq.length() > 10) // too many variants of bipartite graph
return;
final int variantsCount = 1 << (prevQSeq.length() * currentQSeq.length());
final int mask = (1 << currentQSeq.length()) - 1;
int bestVariant;
double bestLogProBab;
{ // expectation
final Vec weights = new ArrayVec(variantsCount);
for (int p = 0; p < variantsCount; p++) {
double variantLogProBab = 0;
{
int variant = p;
int generated = 0;
for (int i = 0; i < prevQSeq.length(); i++, variant >>= currentQSeq.length()) {
final int fragment = variant & mask;
generated |= fragment;
final int index = prevQSeq.intAt(i);
if (index < 0)
continue;
variantLogProBab += providers[index].logP(fragment, currentQSeq);
}
for (int i = 0; i < currentQSeq.length(); i++, generated >>= 1) {
if ((generated & 1) == 1)
continue;
variantLogProBab += log(freqs.get(currentQSeq.intAt(i)) + 1.) - log(totalFreq + freqs.size());
}
}
// Gibbs
weights.set(p, variantLogProBab);
// { // EM
// if (variantLogProBab > bestLogProBab) {
// bestLogProBab = variantLogProBab;
// bestVariant = p;
// }
// }
}
{ // Gibbs
double sum = 0;
double normalizer = weights.get(0);
for (int i = 0; i < variantsCount; i++) {
weights.set(i, exp(weights.get(i) - normalizer));
sum += weights.get(i);
}
for (int i = 0; i < GIBBS_COUNT; i++) {
bestVariant = rng.nextSimple(weights, sum);
bestLogProBab = log(weights.get(bestVariant)) + normalizer;
gradientStep(prevQSeq, currentQSeq, alpha / GIBBS_COUNT, mask, bestVariant, bestLogProBab);
}
}
{ // EM
// gradientStep(prevQSeq, currentQSeq, alpha, mask, bestVariant, bestLogProBab);
}
}
index++;
}
private void gradientStep(IntSeq prevQSeq, IntSeq currentQSeq, double alpha, int mask, int bestVariant, double bestLogProBab) {
// maximization gradient descent step
int generated = 0;
windowSum += bestLogProBab;
window.add(bestLogProBab);
final double remove;
if (window.size() > 100000) {
remove = window.removeAt(0);
windowSum -= remove;
}
boolean debug = BroadMatch.debug && (index % 100000 == 0);
if (debug)
System.out.print(windowSum / window.size() + "\t" + "\n");
// debug = false;
if (debug)
System.out.println(prevQSeq + " -> " + currentQSeq + " " + bestLogProBab);
double newProb = 0;
for (int i = 0; i < prevQSeq.length(); i++, bestVariant >>= currentQSeq.length()) {
final int fragment = bestVariant & mask;
generated |= fragment;
final int windex = prevQSeq.intAt(i);
if (windex < 0)
continue;
providers[windex].update(fragment, currentQSeq, alpha, dict, debug);
newProb += providers[windex].logP(fragment, currentQSeq);
}
if (debug)
System.out.print(EMPTY_ID + " ->");
for (int i = 0; i < currentQSeq.length(); i++, generated >>= 1) {
if ((generated & 1) == 1)
continue;
final int windex = currentQSeq.intAt(i);
if (debug)
System.out.print(dict.condition(windex));
newProb += log(freqs.get(windex) + 1.) - log(totalFreq + freqs.size());
}
if (debug)
System.out.println("\nNew probability: " + newProb);
}
public void print(Writer out, boolean limit) {
for (int i = 0; i < providers.length; i++) {
final WordGenProbabilityProvider provider = providers[i];
provider.print(dict, out, limit);
}
}
public void load(String inputFile) throws IOException {
CharSeqTools.processLines(StreamTools.openTextFile(inputFile), new Consumer<CharSequence>() {
int index = 0;
final StringBuilder builder = new StringBuilder();
public void accept(CharSequence line) {
if (line.equals("}")) {
WordGenProbabilityProvider provider = new WordGenProbabilityProvider(builder.toString(), dict);
providers[provider.aindex] = provider;
builder.delete(0, builder.length());
}
else builder.append(line);
}
});
}
public String findTheBestExpansion(ArraySeq<CharSeq> arg) {
final StringBuilder builder = new StringBuilder();
final TObjectDoubleHashMap<Seq<CharSeq>> expansionScores = new TObjectDoubleHashMap<>();
final double[] normalize = new double[1];
dict.visitVariants(arg, freqs, totalFreq, (seq, probab) -> {
if (probab < -100)
return true;
for (int i = 0; i < seq.length(); i++) {
if (i > 0)
builder.append(" ");
final int symIndex = seq.intAt(i);
visitExpVariants(symIndex, (a, b) -> {
// System.out.println(dict.get(a).toString() + " " + b);
final double symProbab = b * exp(probab);
// double logProbab = log(symProbab);
// if (logProbab < 1e-20)
// return false;
normalize[0] = max(exp(probab), normalize[0]);
expansionScores.adjustOrPutValue(dict.get(a), symProbab, symProbab);
return true;
}, 1.);
// builder.append(dict.get(symIndex));
}
// builder.append("\t").append(probab).append("\n");
return true;
});
//noinspection unchecked
final Seq<CharSeq>[] keys = expansionScores.keys(new Seq[expansionScores.size()]);
final double[] scores = expansionScores.values();
final int[] order = ArrayTools.sequence(0, keys.length);
ArrayTools.parallelSort(scores, order);
for (int i = order.length - 1; i >= 0; i--) {
final double prob = scores[i] / normalize[0];
if (prob < 1e-7)
break;
builder.append(keys[order[i]].toString()).append(" -> ").append(prob).append("\n");
}
return builder.toString();
}
private void visitExpVariants(final int index, TIntDoubleProcedure todo, double genProb) {
if (genProb < 1e-10 || index < 0)
return;
WordGenProbabilityProvider provider = providers[index];
final Seq<CharSeq> phrase = dict.get(index);
// System.out.println("Expanding: " + phrase);
if (provider != null) {
provider.visitVariants((symIndex, symProb) -> {
final double currentGenProb = genProb * symProb;
final WordGenProbabilityProvider symProvider = providers[symIndex];
if (symProvider != null && symProvider.isMeaningful(index)) {
visitExpVariants(symIndex, todo, currentGenProb);
todo.execute(symIndex, currentGenProb);
}
return true;
});
}
}
}
| spbsu-ml-community/jmll | experiments/src/main/java/com/expleague/direct/gen/SimpleGenerativeModel.java | 3,170 | // bestVariant = p; | line_comment | nl | package com.expleague.direct.gen;
import com.expleague.direct.BroadMatch;
import com.expleague.commons.io.StreamTools;
import com.expleague.commons.io.codec.seq.Dictionary;
import com.expleague.commons.math.io.Vec2CharSequenceConverter;
import com.expleague.commons.math.vectors.Vec;
import com.expleague.commons.math.vectors.VecTools;
import com.expleague.commons.math.vectors.impl.vectors.ArrayVec;
import com.expleague.commons.random.FastRandom;
import com.expleague.commons.seq.*;
import com.expleague.commons.util.ArrayTools;
import gnu.trove.list.TIntList;
import gnu.trove.list.array.TDoubleArrayList;
import gnu.trove.list.array.TIntArrayList;
import gnu.trove.map.hash.TObjectDoubleHashMap;
import gnu.trove.procedure.TIntDoubleProcedure;
import java.io.IOException;
import java.io.Writer;
import java.util.function.Consumer;
import static com.expleague.commons.math.vectors.VecTools.l1;
import static java.lang.Double.max;
import static java.lang.Math.exp;
import static java.lang.Math.log;
/**
* User: solar
* Date: 12.11.15
* Time: 11:33
*/
public class SimpleGenerativeModel {
public static final String EMPTY_ID = "##EMPTY##";
private final WordGenProbabilityProvider[] providers;
private final Dictionary<CharSeq> dict;
private final FastRandom rng = new FastRandom(0);
public static final int GIBBS_COUNT = 10;
public SimpleGenerativeModel(Dictionary<CharSeq> dict, TIntArrayList freqsLA) {
this.dict = dict;
this.providers = new WordGenProbabilityProvider[dict.size() + 1];
this.freqs = freqsLA;
this.totalFreq = freqsLA.sum();
}
public void loadStatistics(String fileName) throws IOException {
for (int i = 0; i < providers.length; i++) {
providers[i] = new WordGenProbabilityProvider(dict.size(), i);
}
final Vec2CharSequenceConverter converter = new Vec2CharSequenceConverter();
CharSeqTools.processLines(StreamTools.openTextFile(fileName), sequence -> {
final CharSequence[] split = CharSeqTools.split(sequence, '\t');
final WordGenProbabilityProvider provider;
if (!split[0].equals(EMPTY_ID)) {
final CharSequence[] parts = CharSeqTools.split(split[0].subSequence(1, split[0].length() - 1), ", ");
final SeqBuilder<CharSeq> builder = new ArraySeqBuilder<>(CharSeq.class);
for (final CharSequence part : parts) {
builder.add(CharSeq.create(part.toString()));
}
final int index1 = dict.parse(builder.build()).intAt(0);
if (index1 < 0)
return;
provider = providers[index1];
}
else provider = providers[providers.length - 1];
final Vec vec = converter.convertFrom(split[1]);
provider.beta = VecTools.copySparse(vec); // optimize storage space
});
double totalBigramFreq = 0;
for(int i = 0; i < providers.length; i++) {
totalBigramFreq += l1(providers[i].beta);
}
for(int i = 0; i < providers.length; i++) {
providers[i].probab = (l1(providers[i].beta) + 1) / (totalBigramFreq + providers.length);
}
for(int i = 0; i < providers.length; i++) {
providers[i].init(providers, dict);
}
}
private int index = 0;
private final TDoubleArrayList window = new TDoubleArrayList(1000);
private double windowSum = 0;
public double totalFreq = 0;
public final TIntArrayList freqs;
public void processSeq(IntSeq prevQSeq) {
for (int i = 0; i < prevQSeq.length(); i++) {
int symbol = prevQSeq.intAt(i);
if (freqs.size() < symbol)
freqs.fill(freqs.size(), symbol + 1, 0);
freqs.set(symbol, freqs.get(symbol) + 1);
totalFreq++;
}
}
public void processGeneration(IntSeq prevQSeq, IntSeq currentQSeq, double alpha) {
if (prevQSeq.length() * currentQSeq.length() > 10) // too many variants of bipartite graph
return;
final int variantsCount = 1 << (prevQSeq.length() * currentQSeq.length());
final int mask = (1 << currentQSeq.length()) - 1;
int bestVariant;
double bestLogProBab;
{ // expectation
final Vec weights = new ArrayVec(variantsCount);
for (int p = 0; p < variantsCount; p++) {
double variantLogProBab = 0;
{
int variant = p;
int generated = 0;
for (int i = 0; i < prevQSeq.length(); i++, variant >>= currentQSeq.length()) {
final int fragment = variant & mask;
generated |= fragment;
final int index = prevQSeq.intAt(i);
if (index < 0)
continue;
variantLogProBab += providers[index].logP(fragment, currentQSeq);
}
for (int i = 0; i < currentQSeq.length(); i++, generated >>= 1) {
if ((generated & 1) == 1)
continue;
variantLogProBab += log(freqs.get(currentQSeq.intAt(i)) + 1.) - log(totalFreq + freqs.size());
}
}
// Gibbs
weights.set(p, variantLogProBab);
// { // EM
// if (variantLogProBab > bestLogProBab) {
// bestLogProBab = variantLogProBab;
// bestVariant =<SUF>
// }
// }
}
{ // Gibbs
double sum = 0;
double normalizer = weights.get(0);
for (int i = 0; i < variantsCount; i++) {
weights.set(i, exp(weights.get(i) - normalizer));
sum += weights.get(i);
}
for (int i = 0; i < GIBBS_COUNT; i++) {
bestVariant = rng.nextSimple(weights, sum);
bestLogProBab = log(weights.get(bestVariant)) + normalizer;
gradientStep(prevQSeq, currentQSeq, alpha / GIBBS_COUNT, mask, bestVariant, bestLogProBab);
}
}
{ // EM
// gradientStep(prevQSeq, currentQSeq, alpha, mask, bestVariant, bestLogProBab);
}
}
index++;
}
private void gradientStep(IntSeq prevQSeq, IntSeq currentQSeq, double alpha, int mask, int bestVariant, double bestLogProBab) {
// maximization gradient descent step
int generated = 0;
windowSum += bestLogProBab;
window.add(bestLogProBab);
final double remove;
if (window.size() > 100000) {
remove = window.removeAt(0);
windowSum -= remove;
}
boolean debug = BroadMatch.debug && (index % 100000 == 0);
if (debug)
System.out.print(windowSum / window.size() + "\t" + "\n");
// debug = false;
if (debug)
System.out.println(prevQSeq + " -> " + currentQSeq + " " + bestLogProBab);
double newProb = 0;
for (int i = 0; i < prevQSeq.length(); i++, bestVariant >>= currentQSeq.length()) {
final int fragment = bestVariant & mask;
generated |= fragment;
final int windex = prevQSeq.intAt(i);
if (windex < 0)
continue;
providers[windex].update(fragment, currentQSeq, alpha, dict, debug);
newProb += providers[windex].logP(fragment, currentQSeq);
}
if (debug)
System.out.print(EMPTY_ID + " ->");
for (int i = 0; i < currentQSeq.length(); i++, generated >>= 1) {
if ((generated & 1) == 1)
continue;
final int windex = currentQSeq.intAt(i);
if (debug)
System.out.print(dict.condition(windex));
newProb += log(freqs.get(windex) + 1.) - log(totalFreq + freqs.size());
}
if (debug)
System.out.println("\nNew probability: " + newProb);
}
public void print(Writer out, boolean limit) {
for (int i = 0; i < providers.length; i++) {
final WordGenProbabilityProvider provider = providers[i];
provider.print(dict, out, limit);
}
}
public void load(String inputFile) throws IOException {
CharSeqTools.processLines(StreamTools.openTextFile(inputFile), new Consumer<CharSequence>() {
int index = 0;
final StringBuilder builder = new StringBuilder();
public void accept(CharSequence line) {
if (line.equals("}")) {
WordGenProbabilityProvider provider = new WordGenProbabilityProvider(builder.toString(), dict);
providers[provider.aindex] = provider;
builder.delete(0, builder.length());
}
else builder.append(line);
}
});
}
public String findTheBestExpansion(ArraySeq<CharSeq> arg) {
final StringBuilder builder = new StringBuilder();
final TObjectDoubleHashMap<Seq<CharSeq>> expansionScores = new TObjectDoubleHashMap<>();
final double[] normalize = new double[1];
dict.visitVariants(arg, freqs, totalFreq, (seq, probab) -> {
if (probab < -100)
return true;
for (int i = 0; i < seq.length(); i++) {
if (i > 0)
builder.append(" ");
final int symIndex = seq.intAt(i);
visitExpVariants(symIndex, (a, b) -> {
// System.out.println(dict.get(a).toString() + " " + b);
final double symProbab = b * exp(probab);
// double logProbab = log(symProbab);
// if (logProbab < 1e-20)
// return false;
normalize[0] = max(exp(probab), normalize[0]);
expansionScores.adjustOrPutValue(dict.get(a), symProbab, symProbab);
return true;
}, 1.);
// builder.append(dict.get(symIndex));
}
// builder.append("\t").append(probab).append("\n");
return true;
});
//noinspection unchecked
final Seq<CharSeq>[] keys = expansionScores.keys(new Seq[expansionScores.size()]);
final double[] scores = expansionScores.values();
final int[] order = ArrayTools.sequence(0, keys.length);
ArrayTools.parallelSort(scores, order);
for (int i = order.length - 1; i >= 0; i--) {
final double prob = scores[i] / normalize[0];
if (prob < 1e-7)
break;
builder.append(keys[order[i]].toString()).append(" -> ").append(prob).append("\n");
}
return builder.toString();
}
private void visitExpVariants(final int index, TIntDoubleProcedure todo, double genProb) {
if (genProb < 1e-10 || index < 0)
return;
WordGenProbabilityProvider provider = providers[index];
final Seq<CharSeq> phrase = dict.get(index);
// System.out.println("Expanding: " + phrase);
if (provider != null) {
provider.visitVariants((symIndex, symProb) -> {
final double currentGenProb = genProb * symProb;
final WordGenProbabilityProvider symProvider = providers[symIndex];
if (symProvider != null && symProvider.isMeaningful(index)) {
visitExpVariants(symIndex, todo, currentGenProb);
todo.execute(symIndex, currentGenProb);
}
return true;
});
}
}
}
|
204926_1 | package edu.cmu.lti.algorithm.learning.gm;
import java.io.BufferedWriter;
import edu.cmu.lti.algorithm.container.VectorX;
import edu.cmu.lti.algorithm.container.VectorD;
import edu.cmu.lti.algorithm.container.VectorI;
import edu.cmu.lti.algorithm.container.VecVecI;
import edu.cmu.lti.algorithm.math.rand.FRand;
import edu.cmu.lti.util.file.FFile;
import edu.cmu.lti.util.html.EColor;
import edu.cmu.lti.util.system.FSystem;
/**
* this is the first draft, now it is bloated to a package
* @author nlao
*
*/
public class CRFB {
public static class Param extends edu.cmu.lti.util.run.Param{
private static final long serialVersionUID = 2008042701L; // YYYYMMDD
public Param(Class c) {
super(c);
parse();
}
public void parse(){
//m = getInt("m",5);
//eps = getDouble("eps",1e-5);
//lang = getString("lang");
//diagco=getBoolean("diagco", false);
}
}
public static enum EVType {
IN(0,EColor.azure)/*conditioned on*/
, OUT(1,EColor.lightskyblue)/*to be evaluated*/
, MID(2,EColor.rosybrown2);//hidden nodes
//really a nice place to put data!
public EColor color;
public int id;
EVType(int id, EColor color){
this.id = id;
this.color = color;
}
}
public static class Factor{
public int id;
public double w=0;
public int iV1,iV2;
//assume iV1<iV2, if iV1==-1 then it is a bias feature
public Factor(int id, int iV1, int iV2){
this.iV2= iV2;
this.iV1= iV1;
}
public String toString(){
return String.format("(%d,%d)%.1f",iV1,iV2,w);
}
public String print(){
return String.format("%d\t%d\t%.3f",iV1,iV2,w);
}
}
public static class Variable{
//public SetI mi= new SetI();
public VectorX<Factor> vf= new VectorX<Factor>(Factor.class);
//use reference to update it outside the model
//public Variable(SetI mia,SetI mid){ this.mia= mi; }
EVType type;
int id;
public Variable(int id, EVType type){
this.id = id;
//mia= new SetI();
//mid= new SetI();
this.type=type;
}
}
// variables
public VectorX<Variable> vVar= new VectorX<Variable>(Variable.class);
// factors
public VectorX<Factor> vFactor= new VectorX<Factor>(Factor.class);
// weights
//VectorD vW;
double[] x ;
// expectations//in log domain?
public VectorD vEVar=new VectorD();
public VectorD vEFa;
public VectorI viZ=new VectorI();
public VectorI viY=new VectorI();
public VectorI viH=new VectorI();
public VectorI viX=new VectorI();
public VectorI viA=new VectorI();
/*public void selectSubNet(VectorI viY, VectorI viH , VectorI viZ){
this.viH = viH;
this.viY = viY;
this.viX = viH; viX.addAll(viY);
this.viZ = viZ;
}*/
/**
* x={y,h},
* estimate p(x|z)
* @param viZ: ids of z variables
* @param viX: ids of x variables
*/
public void meanField(VectorI vi){
vEVar.extend(viA.size());
for (int iScan=0; iScan<5; ++iScan)
for (int ix : vi)
expectVar(ix);
}
private double expectVar(int id){
double e=0;
for (Factor fa: vVar.get(id).vf)
e+= expectFactor(id,fa);
//exp(e1)/(exp(e0)+exp(e1))=1/(1+exp(e0-e1))
double p=1/(1+Math.exp(-e));
vEVar.set(id, p);
return p;
}
private double expectFactor(int iVar, Factor fa){//int iF){
//= vFactor.get(iF);
if (fa.w==0) return 0.0;
double e=1;
if (fa.iV2!=iVar) e*=vEVar.get(fa.iV2);
if (fa.iV1>=0) if (fa.iV1!=iVar) e*=vEVar.get(fa.iV1);
return e*fa.w;
}
private double expectFactor(int id){
Factor fa= vFactor.get(id);
double e=vEVar.get(fa.iV2);
if (fa.iV1>=0) e*=vEVar.get(fa.iV1);
vEFa.set(id, e);
return e;
}
/**
* @param vY
* @return loss=-log(p(y|z))
*/
protected double getValue( VectorD vY){
double loss=0;
//for (int iy: viY)
for (int i=0; i<vY.size(); ++i){
if (vY.get(i)==1.0)
loss += -Math.log(vEVar.get(viY.get(i)));
else
loss += -Math.log(1-vEVar.get(viY.get(i)));
}
return 0;
}
//public void setData( VectorD vZ){ vEVar.set(viZ, vZ); }
public VectorD vX;
public VectorD vX_y;
public double loss=0;
public VectorD vG;
public Variable addVar(EVType type){
int id = vVar.size();
Variable var=new Variable(id,type);
vVar.add(var);
viA.add(id);
switch(type){
case OUT: viY.add(id);viX.add(id);break;
case MID: viH.add(id);viX.add(id);break;
case IN: viZ.add(id); break;
}
return var;
}
public String toString(){
return String.format("|vVar|=%d, |vFa|=%d"
, vVar.size(), vFactor.size());
}
public Factor addFactor(int V1, int V2){
if (V1==V2)
FSystem.dieShouldNotHappen();
if (V1>V2){ int a=V2; V2=V1;V1=a; }
Factor f=new Factor(vFactor.size(), V1,V2);
vFactor.add(f);
if (V1!=-1) vVar.get(V1).vf.add(f);
if (V2!=-1) vVar.get(V2).vf.add(f);
return f;
}
public void test(VectorD vZ){//Sample s){
vEVar.set(viZ, vZ);
//test();
meanField(viX);
vX= (VectorD) vEVar.clone();//vEVar.sub(viX);
}
//public void test(){}
//public void train(){}
public void train(VectorD vY, VectorD vZ){//Sample s){//
test(vZ);
loss = getValue(vY);
vEVar.set(viY, vY);
meanField(viH);
vX_y= (VectorD) vEVar.clone();//vEVar.sub(viX);
vG=vX_y.minus(vX);
}
/**
* vector of all variables
* @param vA
*/
public void trainA(VectorD vA){
train(vA.sub(viY), vA.sub(viZ));
}
public void testA(VectorD vA){
test(vA.sub(viZ));
}
public VecVecI sampleGibbs(int n, int nBurnIn,int nThining){
vEVar.extend(viA.size());
vEVar.setAll(0.5);
VectorI vi= this.viX;
//if (withHidden) vi.addAll(b.viA);
//else vi.addOn(b.viZ).addOn(b.viY).sortOn();
VecVecI vv=new VecVecI ();
if (nBurnIn>0)
for (int i=0;i< nBurnIn; ++i) scanGibbs(vi);
for (int i=0;i<n; ++i){
if (nBurnIn<=0)
for (int j=0;j<vEVar.size(); ++j)
vEVar.set(j,(double)FRand.drawBinary(0.5));
for (int j=0;j<nThining; ++j) scanGibbs(vi);
vv.add(vEVar.sub(vi).toVectorI());
System.out.print(".");
}
System.out.println();
return vv;
//return null;
}
protected void scanGibbs(VectorI vi){
for (int i : vi){
expectVar(i);
if (FRand.drawBoolean( vEVar.get(i)))
vEVar.set(i,1.0);
else
vEVar.set(i,0.0);
}
return;
}
public boolean save(String fn){
BufferedWriter bw = FFile.newWriter(fn);
FFile.write(bw,vVar.size()+"\n");
for ( Factor f :vFactor )
FFile.write(bw, f.print()+"\n");
FFile.flush(bw);
return true;
}
/**
* estimate p(y|x)
* @param yb: starting id of y variables
* @param ye: ending id of y variables
*/
//public void variational(int yb, int ye){ }
public static void main(String[] args) {
//TODO: test it with data from GM hw
try {
} catch ( Exception e ) {
e.printStackTrace();
}
}
}
| noon99jaki/pra | edu/cmu/lti/algorithm/learning/gm/CRFB.java | 2,859 | //m = getInt("m",5); | line_comment | nl | package edu.cmu.lti.algorithm.learning.gm;
import java.io.BufferedWriter;
import edu.cmu.lti.algorithm.container.VectorX;
import edu.cmu.lti.algorithm.container.VectorD;
import edu.cmu.lti.algorithm.container.VectorI;
import edu.cmu.lti.algorithm.container.VecVecI;
import edu.cmu.lti.algorithm.math.rand.FRand;
import edu.cmu.lti.util.file.FFile;
import edu.cmu.lti.util.html.EColor;
import edu.cmu.lti.util.system.FSystem;
/**
* this is the first draft, now it is bloated to a package
* @author nlao
*
*/
public class CRFB {
public static class Param extends edu.cmu.lti.util.run.Param{
private static final long serialVersionUID = 2008042701L; // YYYYMMDD
public Param(Class c) {
super(c);
parse();
}
public void parse(){
//m =<SUF>
//eps = getDouble("eps",1e-5);
//lang = getString("lang");
//diagco=getBoolean("diagco", false);
}
}
public static enum EVType {
IN(0,EColor.azure)/*conditioned on*/
, OUT(1,EColor.lightskyblue)/*to be evaluated*/
, MID(2,EColor.rosybrown2);//hidden nodes
//really a nice place to put data!
public EColor color;
public int id;
EVType(int id, EColor color){
this.id = id;
this.color = color;
}
}
public static class Factor{
public int id;
public double w=0;
public int iV1,iV2;
//assume iV1<iV2, if iV1==-1 then it is a bias feature
public Factor(int id, int iV1, int iV2){
this.iV2= iV2;
this.iV1= iV1;
}
public String toString(){
return String.format("(%d,%d)%.1f",iV1,iV2,w);
}
public String print(){
return String.format("%d\t%d\t%.3f",iV1,iV2,w);
}
}
public static class Variable{
//public SetI mi= new SetI();
public VectorX<Factor> vf= new VectorX<Factor>(Factor.class);
//use reference to update it outside the model
//public Variable(SetI mia,SetI mid){ this.mia= mi; }
EVType type;
int id;
public Variable(int id, EVType type){
this.id = id;
//mia= new SetI();
//mid= new SetI();
this.type=type;
}
}
// variables
public VectorX<Variable> vVar= new VectorX<Variable>(Variable.class);
// factors
public VectorX<Factor> vFactor= new VectorX<Factor>(Factor.class);
// weights
//VectorD vW;
double[] x ;
// expectations//in log domain?
public VectorD vEVar=new VectorD();
public VectorD vEFa;
public VectorI viZ=new VectorI();
public VectorI viY=new VectorI();
public VectorI viH=new VectorI();
public VectorI viX=new VectorI();
public VectorI viA=new VectorI();
/*public void selectSubNet(VectorI viY, VectorI viH , VectorI viZ){
this.viH = viH;
this.viY = viY;
this.viX = viH; viX.addAll(viY);
this.viZ = viZ;
}*/
/**
* x={y,h},
* estimate p(x|z)
* @param viZ: ids of z variables
* @param viX: ids of x variables
*/
public void meanField(VectorI vi){
vEVar.extend(viA.size());
for (int iScan=0; iScan<5; ++iScan)
for (int ix : vi)
expectVar(ix);
}
private double expectVar(int id){
double e=0;
for (Factor fa: vVar.get(id).vf)
e+= expectFactor(id,fa);
//exp(e1)/(exp(e0)+exp(e1))=1/(1+exp(e0-e1))
double p=1/(1+Math.exp(-e));
vEVar.set(id, p);
return p;
}
private double expectFactor(int iVar, Factor fa){//int iF){
//= vFactor.get(iF);
if (fa.w==0) return 0.0;
double e=1;
if (fa.iV2!=iVar) e*=vEVar.get(fa.iV2);
if (fa.iV1>=0) if (fa.iV1!=iVar) e*=vEVar.get(fa.iV1);
return e*fa.w;
}
private double expectFactor(int id){
Factor fa= vFactor.get(id);
double e=vEVar.get(fa.iV2);
if (fa.iV1>=0) e*=vEVar.get(fa.iV1);
vEFa.set(id, e);
return e;
}
/**
* @param vY
* @return loss=-log(p(y|z))
*/
protected double getValue( VectorD vY){
double loss=0;
//for (int iy: viY)
for (int i=0; i<vY.size(); ++i){
if (vY.get(i)==1.0)
loss += -Math.log(vEVar.get(viY.get(i)));
else
loss += -Math.log(1-vEVar.get(viY.get(i)));
}
return 0;
}
//public void setData( VectorD vZ){ vEVar.set(viZ, vZ); }
public VectorD vX;
public VectorD vX_y;
public double loss=0;
public VectorD vG;
public Variable addVar(EVType type){
int id = vVar.size();
Variable var=new Variable(id,type);
vVar.add(var);
viA.add(id);
switch(type){
case OUT: viY.add(id);viX.add(id);break;
case MID: viH.add(id);viX.add(id);break;
case IN: viZ.add(id); break;
}
return var;
}
public String toString(){
return String.format("|vVar|=%d, |vFa|=%d"
, vVar.size(), vFactor.size());
}
public Factor addFactor(int V1, int V2){
if (V1==V2)
FSystem.dieShouldNotHappen();
if (V1>V2){ int a=V2; V2=V1;V1=a; }
Factor f=new Factor(vFactor.size(), V1,V2);
vFactor.add(f);
if (V1!=-1) vVar.get(V1).vf.add(f);
if (V2!=-1) vVar.get(V2).vf.add(f);
return f;
}
public void test(VectorD vZ){//Sample s){
vEVar.set(viZ, vZ);
//test();
meanField(viX);
vX= (VectorD) vEVar.clone();//vEVar.sub(viX);
}
//public void test(){}
//public void train(){}
public void train(VectorD vY, VectorD vZ){//Sample s){//
test(vZ);
loss = getValue(vY);
vEVar.set(viY, vY);
meanField(viH);
vX_y= (VectorD) vEVar.clone();//vEVar.sub(viX);
vG=vX_y.minus(vX);
}
/**
* vector of all variables
* @param vA
*/
public void trainA(VectorD vA){
train(vA.sub(viY), vA.sub(viZ));
}
public void testA(VectorD vA){
test(vA.sub(viZ));
}
public VecVecI sampleGibbs(int n, int nBurnIn,int nThining){
vEVar.extend(viA.size());
vEVar.setAll(0.5);
VectorI vi= this.viX;
//if (withHidden) vi.addAll(b.viA);
//else vi.addOn(b.viZ).addOn(b.viY).sortOn();
VecVecI vv=new VecVecI ();
if (nBurnIn>0)
for (int i=0;i< nBurnIn; ++i) scanGibbs(vi);
for (int i=0;i<n; ++i){
if (nBurnIn<=0)
for (int j=0;j<vEVar.size(); ++j)
vEVar.set(j,(double)FRand.drawBinary(0.5));
for (int j=0;j<nThining; ++j) scanGibbs(vi);
vv.add(vEVar.sub(vi).toVectorI());
System.out.print(".");
}
System.out.println();
return vv;
//return null;
}
protected void scanGibbs(VectorI vi){
for (int i : vi){
expectVar(i);
if (FRand.drawBoolean( vEVar.get(i)))
vEVar.set(i,1.0);
else
vEVar.set(i,0.0);
}
return;
}
public boolean save(String fn){
BufferedWriter bw = FFile.newWriter(fn);
FFile.write(bw,vVar.size()+"\n");
for ( Factor f :vFactor )
FFile.write(bw, f.print()+"\n");
FFile.flush(bw);
return true;
}
/**
* estimate p(y|x)
* @param yb: starting id of y variables
* @param ye: ending id of y variables
*/
//public void variational(int yb, int ye){ }
public static void main(String[] args) {
//TODO: test it with data from GM hw
try {
} catch ( Exception e ) {
e.printStackTrace();
}
}
}
|
204926_15 | package edu.cmu.lti.algorithm.learning.gm;
import java.io.BufferedWriter;
import edu.cmu.lti.algorithm.container.VectorX;
import edu.cmu.lti.algorithm.container.VectorD;
import edu.cmu.lti.algorithm.container.VectorI;
import edu.cmu.lti.algorithm.container.VecVecI;
import edu.cmu.lti.algorithm.math.rand.FRand;
import edu.cmu.lti.util.file.FFile;
import edu.cmu.lti.util.html.EColor;
import edu.cmu.lti.util.system.FSystem;
/**
* this is the first draft, now it is bloated to a package
* @author nlao
*
*/
public class CRFB {
public static class Param extends edu.cmu.lti.util.run.Param{
private static final long serialVersionUID = 2008042701L; // YYYYMMDD
public Param(Class c) {
super(c);
parse();
}
public void parse(){
//m = getInt("m",5);
//eps = getDouble("eps",1e-5);
//lang = getString("lang");
//diagco=getBoolean("diagco", false);
}
}
public static enum EVType {
IN(0,EColor.azure)/*conditioned on*/
, OUT(1,EColor.lightskyblue)/*to be evaluated*/
, MID(2,EColor.rosybrown2);//hidden nodes
//really a nice place to put data!
public EColor color;
public int id;
EVType(int id, EColor color){
this.id = id;
this.color = color;
}
}
public static class Factor{
public int id;
public double w=0;
public int iV1,iV2;
//assume iV1<iV2, if iV1==-1 then it is a bias feature
public Factor(int id, int iV1, int iV2){
this.iV2= iV2;
this.iV1= iV1;
}
public String toString(){
return String.format("(%d,%d)%.1f",iV1,iV2,w);
}
public String print(){
return String.format("%d\t%d\t%.3f",iV1,iV2,w);
}
}
public static class Variable{
//public SetI mi= new SetI();
public VectorX<Factor> vf= new VectorX<Factor>(Factor.class);
//use reference to update it outside the model
//public Variable(SetI mia,SetI mid){ this.mia= mi; }
EVType type;
int id;
public Variable(int id, EVType type){
this.id = id;
//mia= new SetI();
//mid= new SetI();
this.type=type;
}
}
// variables
public VectorX<Variable> vVar= new VectorX<Variable>(Variable.class);
// factors
public VectorX<Factor> vFactor= new VectorX<Factor>(Factor.class);
// weights
//VectorD vW;
double[] x ;
// expectations//in log domain?
public VectorD vEVar=new VectorD();
public VectorD vEFa;
public VectorI viZ=new VectorI();
public VectorI viY=new VectorI();
public VectorI viH=new VectorI();
public VectorI viX=new VectorI();
public VectorI viA=new VectorI();
/*public void selectSubNet(VectorI viY, VectorI viH , VectorI viZ){
this.viH = viH;
this.viY = viY;
this.viX = viH; viX.addAll(viY);
this.viZ = viZ;
}*/
/**
* x={y,h},
* estimate p(x|z)
* @param viZ: ids of z variables
* @param viX: ids of x variables
*/
public void meanField(VectorI vi){
vEVar.extend(viA.size());
for (int iScan=0; iScan<5; ++iScan)
for (int ix : vi)
expectVar(ix);
}
private double expectVar(int id){
double e=0;
for (Factor fa: vVar.get(id).vf)
e+= expectFactor(id,fa);
//exp(e1)/(exp(e0)+exp(e1))=1/(1+exp(e0-e1))
double p=1/(1+Math.exp(-e));
vEVar.set(id, p);
return p;
}
private double expectFactor(int iVar, Factor fa){//int iF){
//= vFactor.get(iF);
if (fa.w==0) return 0.0;
double e=1;
if (fa.iV2!=iVar) e*=vEVar.get(fa.iV2);
if (fa.iV1>=0) if (fa.iV1!=iVar) e*=vEVar.get(fa.iV1);
return e*fa.w;
}
private double expectFactor(int id){
Factor fa= vFactor.get(id);
double e=vEVar.get(fa.iV2);
if (fa.iV1>=0) e*=vEVar.get(fa.iV1);
vEFa.set(id, e);
return e;
}
/**
* @param vY
* @return loss=-log(p(y|z))
*/
protected double getValue( VectorD vY){
double loss=0;
//for (int iy: viY)
for (int i=0; i<vY.size(); ++i){
if (vY.get(i)==1.0)
loss += -Math.log(vEVar.get(viY.get(i)));
else
loss += -Math.log(1-vEVar.get(viY.get(i)));
}
return 0;
}
//public void setData( VectorD vZ){ vEVar.set(viZ, vZ); }
public VectorD vX;
public VectorD vX_y;
public double loss=0;
public VectorD vG;
public Variable addVar(EVType type){
int id = vVar.size();
Variable var=new Variable(id,type);
vVar.add(var);
viA.add(id);
switch(type){
case OUT: viY.add(id);viX.add(id);break;
case MID: viH.add(id);viX.add(id);break;
case IN: viZ.add(id); break;
}
return var;
}
public String toString(){
return String.format("|vVar|=%d, |vFa|=%d"
, vVar.size(), vFactor.size());
}
public Factor addFactor(int V1, int V2){
if (V1==V2)
FSystem.dieShouldNotHappen();
if (V1>V2){ int a=V2; V2=V1;V1=a; }
Factor f=new Factor(vFactor.size(), V1,V2);
vFactor.add(f);
if (V1!=-1) vVar.get(V1).vf.add(f);
if (V2!=-1) vVar.get(V2).vf.add(f);
return f;
}
public void test(VectorD vZ){//Sample s){
vEVar.set(viZ, vZ);
//test();
meanField(viX);
vX= (VectorD) vEVar.clone();//vEVar.sub(viX);
}
//public void test(){}
//public void train(){}
public void train(VectorD vY, VectorD vZ){//Sample s){//
test(vZ);
loss = getValue(vY);
vEVar.set(viY, vY);
meanField(viH);
vX_y= (VectorD) vEVar.clone();//vEVar.sub(viX);
vG=vX_y.minus(vX);
}
/**
* vector of all variables
* @param vA
*/
public void trainA(VectorD vA){
train(vA.sub(viY), vA.sub(viZ));
}
public void testA(VectorD vA){
test(vA.sub(viZ));
}
public VecVecI sampleGibbs(int n, int nBurnIn,int nThining){
vEVar.extend(viA.size());
vEVar.setAll(0.5);
VectorI vi= this.viX;
//if (withHidden) vi.addAll(b.viA);
//else vi.addOn(b.viZ).addOn(b.viY).sortOn();
VecVecI vv=new VecVecI ();
if (nBurnIn>0)
for (int i=0;i< nBurnIn; ++i) scanGibbs(vi);
for (int i=0;i<n; ++i){
if (nBurnIn<=0)
for (int j=0;j<vEVar.size(); ++j)
vEVar.set(j,(double)FRand.drawBinary(0.5));
for (int j=0;j<nThining; ++j) scanGibbs(vi);
vv.add(vEVar.sub(vi).toVectorI());
System.out.print(".");
}
System.out.println();
return vv;
//return null;
}
protected void scanGibbs(VectorI vi){
for (int i : vi){
expectVar(i);
if (FRand.drawBoolean( vEVar.get(i)))
vEVar.set(i,1.0);
else
vEVar.set(i,0.0);
}
return;
}
public boolean save(String fn){
BufferedWriter bw = FFile.newWriter(fn);
FFile.write(bw,vVar.size()+"\n");
for ( Factor f :vFactor )
FFile.write(bw, f.print()+"\n");
FFile.flush(bw);
return true;
}
/**
* estimate p(y|x)
* @param yb: starting id of y variables
* @param ye: ending id of y variables
*/
//public void variational(int yb, int ye){ }
public static void main(String[] args) {
//TODO: test it with data from GM hw
try {
} catch ( Exception e ) {
e.printStackTrace();
}
}
}
| noon99jaki/pra | edu/cmu/lti/algorithm/learning/gm/CRFB.java | 2,859 | //= vFactor.get(iF); | line_comment | nl | package edu.cmu.lti.algorithm.learning.gm;
import java.io.BufferedWriter;
import edu.cmu.lti.algorithm.container.VectorX;
import edu.cmu.lti.algorithm.container.VectorD;
import edu.cmu.lti.algorithm.container.VectorI;
import edu.cmu.lti.algorithm.container.VecVecI;
import edu.cmu.lti.algorithm.math.rand.FRand;
import edu.cmu.lti.util.file.FFile;
import edu.cmu.lti.util.html.EColor;
import edu.cmu.lti.util.system.FSystem;
/**
* this is the first draft, now it is bloated to a package
* @author nlao
*
*/
public class CRFB {
public static class Param extends edu.cmu.lti.util.run.Param{
private static final long serialVersionUID = 2008042701L; // YYYYMMDD
public Param(Class c) {
super(c);
parse();
}
public void parse(){
//m = getInt("m",5);
//eps = getDouble("eps",1e-5);
//lang = getString("lang");
//diagco=getBoolean("diagco", false);
}
}
public static enum EVType {
IN(0,EColor.azure)/*conditioned on*/
, OUT(1,EColor.lightskyblue)/*to be evaluated*/
, MID(2,EColor.rosybrown2);//hidden nodes
//really a nice place to put data!
public EColor color;
public int id;
EVType(int id, EColor color){
this.id = id;
this.color = color;
}
}
public static class Factor{
public int id;
public double w=0;
public int iV1,iV2;
//assume iV1<iV2, if iV1==-1 then it is a bias feature
public Factor(int id, int iV1, int iV2){
this.iV2= iV2;
this.iV1= iV1;
}
public String toString(){
return String.format("(%d,%d)%.1f",iV1,iV2,w);
}
public String print(){
return String.format("%d\t%d\t%.3f",iV1,iV2,w);
}
}
public static class Variable{
//public SetI mi= new SetI();
public VectorX<Factor> vf= new VectorX<Factor>(Factor.class);
//use reference to update it outside the model
//public Variable(SetI mia,SetI mid){ this.mia= mi; }
EVType type;
int id;
public Variable(int id, EVType type){
this.id = id;
//mia= new SetI();
//mid= new SetI();
this.type=type;
}
}
// variables
public VectorX<Variable> vVar= new VectorX<Variable>(Variable.class);
// factors
public VectorX<Factor> vFactor= new VectorX<Factor>(Factor.class);
// weights
//VectorD vW;
double[] x ;
// expectations//in log domain?
public VectorD vEVar=new VectorD();
public VectorD vEFa;
public VectorI viZ=new VectorI();
public VectorI viY=new VectorI();
public VectorI viH=new VectorI();
public VectorI viX=new VectorI();
public VectorI viA=new VectorI();
/*public void selectSubNet(VectorI viY, VectorI viH , VectorI viZ){
this.viH = viH;
this.viY = viY;
this.viX = viH; viX.addAll(viY);
this.viZ = viZ;
}*/
/**
* x={y,h},
* estimate p(x|z)
* @param viZ: ids of z variables
* @param viX: ids of x variables
*/
public void meanField(VectorI vi){
vEVar.extend(viA.size());
for (int iScan=0; iScan<5; ++iScan)
for (int ix : vi)
expectVar(ix);
}
private double expectVar(int id){
double e=0;
for (Factor fa: vVar.get(id).vf)
e+= expectFactor(id,fa);
//exp(e1)/(exp(e0)+exp(e1))=1/(1+exp(e0-e1))
double p=1/(1+Math.exp(-e));
vEVar.set(id, p);
return p;
}
private double expectFactor(int iVar, Factor fa){//int iF){
//= vFactor.get(iF);<SUF>
if (fa.w==0) return 0.0;
double e=1;
if (fa.iV2!=iVar) e*=vEVar.get(fa.iV2);
if (fa.iV1>=0) if (fa.iV1!=iVar) e*=vEVar.get(fa.iV1);
return e*fa.w;
}
private double expectFactor(int id){
Factor fa= vFactor.get(id);
double e=vEVar.get(fa.iV2);
if (fa.iV1>=0) e*=vEVar.get(fa.iV1);
vEFa.set(id, e);
return e;
}
/**
* @param vY
* @return loss=-log(p(y|z))
*/
protected double getValue( VectorD vY){
double loss=0;
//for (int iy: viY)
for (int i=0; i<vY.size(); ++i){
if (vY.get(i)==1.0)
loss += -Math.log(vEVar.get(viY.get(i)));
else
loss += -Math.log(1-vEVar.get(viY.get(i)));
}
return 0;
}
//public void setData( VectorD vZ){ vEVar.set(viZ, vZ); }
public VectorD vX;
public VectorD vX_y;
public double loss=0;
public VectorD vG;
public Variable addVar(EVType type){
int id = vVar.size();
Variable var=new Variable(id,type);
vVar.add(var);
viA.add(id);
switch(type){
case OUT: viY.add(id);viX.add(id);break;
case MID: viH.add(id);viX.add(id);break;
case IN: viZ.add(id); break;
}
return var;
}
public String toString(){
return String.format("|vVar|=%d, |vFa|=%d"
, vVar.size(), vFactor.size());
}
public Factor addFactor(int V1, int V2){
if (V1==V2)
FSystem.dieShouldNotHappen();
if (V1>V2){ int a=V2; V2=V1;V1=a; }
Factor f=new Factor(vFactor.size(), V1,V2);
vFactor.add(f);
if (V1!=-1) vVar.get(V1).vf.add(f);
if (V2!=-1) vVar.get(V2).vf.add(f);
return f;
}
public void test(VectorD vZ){//Sample s){
vEVar.set(viZ, vZ);
//test();
meanField(viX);
vX= (VectorD) vEVar.clone();//vEVar.sub(viX);
}
//public void test(){}
//public void train(){}
public void train(VectorD vY, VectorD vZ){//Sample s){//
test(vZ);
loss = getValue(vY);
vEVar.set(viY, vY);
meanField(viH);
vX_y= (VectorD) vEVar.clone();//vEVar.sub(viX);
vG=vX_y.minus(vX);
}
/**
* vector of all variables
* @param vA
*/
public void trainA(VectorD vA){
train(vA.sub(viY), vA.sub(viZ));
}
public void testA(VectorD vA){
test(vA.sub(viZ));
}
public VecVecI sampleGibbs(int n, int nBurnIn,int nThining){
vEVar.extend(viA.size());
vEVar.setAll(0.5);
VectorI vi= this.viX;
//if (withHidden) vi.addAll(b.viA);
//else vi.addOn(b.viZ).addOn(b.viY).sortOn();
VecVecI vv=new VecVecI ();
if (nBurnIn>0)
for (int i=0;i< nBurnIn; ++i) scanGibbs(vi);
for (int i=0;i<n; ++i){
if (nBurnIn<=0)
for (int j=0;j<vEVar.size(); ++j)
vEVar.set(j,(double)FRand.drawBinary(0.5));
for (int j=0;j<nThining; ++j) scanGibbs(vi);
vv.add(vEVar.sub(vi).toVectorI());
System.out.print(".");
}
System.out.println();
return vv;
//return null;
}
protected void scanGibbs(VectorI vi){
for (int i : vi){
expectVar(i);
if (FRand.drawBoolean( vEVar.get(i)))
vEVar.set(i,1.0);
else
vEVar.set(i,0.0);
}
return;
}
public boolean save(String fn){
BufferedWriter bw = FFile.newWriter(fn);
FFile.write(bw,vVar.size()+"\n");
for ( Factor f :vFactor )
FFile.write(bw, f.print()+"\n");
FFile.flush(bw);
return true;
}
/**
* estimate p(y|x)
* @param yb: starting id of y variables
* @param ye: ending id of y variables
*/
//public void variational(int yb, int ye){ }
public static void main(String[] args) {
//TODO: test it with data from GM hw
try {
} catch ( Exception e ) {
e.printStackTrace();
}
}
}
|
204960_19 | /*
* Copyright 2009 Phil Burk, Mobileer 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.
*/
package com.jsyn.engine;
/*
* Multiple tables of sawtooth data.
* organized by octaves below the Nyquist Rate.
* used to generate band-limited Sawtooth, Impulse, Pulse, Square and Triangle BL waveforms
*
<pre>
Analysis of octave requirements for tables.
OctavesIndex Frequency Partials
0 N/2 11025 1
1 N/4 5512 2
2 N/8 2756 4
3 N/16 1378 8
4 N/32 689 16
5 N/64 344 32
6 N/128 172 64
7 N/256 86 128
</pre>
*
* @author Phil Burk (C) 2009 Mobileer Inc
*/
public class MultiTable {
public final static int NUM_TABLES = 8;
public final static int CYCLE_SIZE = (1 << 10);
private static MultiTable instance = new MultiTable(NUM_TABLES, CYCLE_SIZE);
private double phaseScalar;
private float[][] tables; // array of array of tables
/**************************************************************************
* Initialize sawtooth wavetables. Table[0] should contain a pure sine wave. Succeeding tables
* should have increasing numbers of partials.
*/
public MultiTable(int numTables, int cycleSize) {
int tableSize = cycleSize + 1;
// Allocate array of arrays.
tables = new float[numTables][tableSize];
float[] sineTable = tables[0];
phaseScalar = (float) (cycleSize * 0.5);
/* Fill initial sine table with values for -PI to PI. */
for (int j = 0; j < tableSize; j++) {
sineTable[j] = (float) Math.sin(((((double) j) / (double) cycleSize) * Math.PI * 2.0)
- Math.PI);
}
/*
* Build each table from scratch and scale partials by raised cosine* to eliminate Gibbs
* effect.
*/
for (int i = 1; i < numTables; i++) {
int numPartials;
double kGibbs;
float[] table = tables[i];
/* Add together partials for this table. */
numPartials = 1 << i;
kGibbs = Math.PI / (2 * numPartials);
for (int k = 0; k < numPartials; k++) {
double ampl, cGibbs;
int sineIndex = 0;
int partial = k + 1;
cGibbs = Math.cos(k * kGibbs);
/* Calculate amplitude for Nth partial */
ampl = cGibbs * cGibbs / partial;
for (int j = 0; j < tableSize; j++) {
table[j] += (float) ampl * sineTable[sineIndex];
sineIndex += partial;
/* Wrap index at end of table.. */
if (sineIndex >= cycleSize) {
sineIndex -= cycleSize;
}
}
}
}
/* Normalize after */
for (int i = 1; i < numTables; i++) {
normalizeArray(tables[i]);
}
}
/**************************************************************************/
public static float normalizeArray(float[] fdata) {
float max, val, gain;
int i;
// determine maximum value.
max = 0.0f;
for (i = 0; i < fdata.length; i++) {
val = Math.abs(fdata[i]);
if (val > max)
max = val;
}
if (max < 0.0000001f)
max = 0.0000001f;
// scale array
gain = 1.0f / max;
for (i = 0; i < fdata.length; i++)
fdata[i] *= gain;
return gain;
}
/*****************************************************************************
* When the phaseInc maps to the highest level table, then we start interpolating between the
* highest table and the raw sawtooth value (phase). When phaseInc points to highest table:
* flevel = NUM_TABLES - 1 = -1 - log2(pInc); log2(pInc) = - NUM_TABLES pInc = 2**(-NUM_TABLES)
*/
private final static double LOWEST_PHASE_INC_INV = (1 << NUM_TABLES);
/**************************************************************************/
/* Phase ranges from -1.0 to +1.0 */
public double calculateSawtooth(double currentPhase, double positivePhaseIncrement,
double flevel) {
float[] tableBase;
double val;
double hiSam; /* Use when verticalFraction is 1.0 */
double loSam; /* Use when verticalFraction is 0.0 */
double sam1, sam2;
/* Use Phase to determine sampleIndex into table. */
double findex = ((phaseScalar * currentPhase) + phaseScalar);
// findex is > 0 so we do not need to call floor().
int sampleIndex = (int) findex;
double horizontalFraction = findex - sampleIndex;
int tableIndex = (int) flevel;
if (tableIndex > (NUM_TABLES - 2)) {
/*
* Just use top table and mix with arithmetic sawtooth if below lowest frequency.
* Generate new fraction for interpolating between 0.0 and lowest table frequency.
*/
double fraction = positivePhaseIncrement * LOWEST_PHASE_INC_INV;
tableBase = tables[(NUM_TABLES - 1)];
/* Get adjacent samples. Assume guard point present. */
sam1 = tableBase[sampleIndex];
sam2 = tableBase[sampleIndex + 1];
/* Interpolate between adjacent samples. */
loSam = sam1 + (horizontalFraction * (sam2 - sam1));
/* Use arithmetic version for low frequencies. */
/* fraction is 0.0 at 0 Hz */
val = currentPhase + (fraction * (loSam - currentPhase));
} else {
double verticalFraction = flevel - tableIndex;
if (tableIndex < 0) {
if (tableIndex < -1) // above Nyquist!
{
val = 0.0;
} else {
/*
* At top of supported range, interpolate between 0.0 and first partial.
*/
tableBase = tables[0]; /* Sine wave table. */
/* Get adjacent samples. Assume guard point present. */
sam1 = tableBase[sampleIndex];
sam2 = tableBase[sampleIndex + 1];
/* Interpolate between adjacent samples. */
hiSam = sam1 + (horizontalFraction * (sam2 - sam1));
/* loSam = 0.0 */
// verticalFraction is 0.0 at Nyquist
val = verticalFraction * hiSam;
}
} else {
/*
* Interpolate between adjacent levels to prevent harmonics from popping.
*/
tableBase = tables[tableIndex + 1];
/* Get adjacent samples. Assume guard point present. */
sam1 = tableBase[sampleIndex];
sam2 = tableBase[sampleIndex + 1];
/* Interpolate between adjacent samples. */
hiSam = sam1 + (horizontalFraction * (sam2 - sam1));
/* Get adjacent samples. Assume guard point present. */
tableBase = tables[tableIndex];
sam1 = tableBase[sampleIndex];
sam2 = tableBase[sampleIndex + 1];
/* Interpolate between adjacent samples. */
loSam = sam1 + (horizontalFraction * (sam2 - sam1));
val = loSam + (verticalFraction * (hiSam - loSam));
}
}
return val;
}
public double convertPhaseIncrementToLevel(double positivePhaseIncrement) {
if (positivePhaseIncrement < 1.0e-30) {
positivePhaseIncrement = 1.0e-30;
}
return -1.0 - (Math.log(positivePhaseIncrement) / Math.log(2.0));
}
public static MultiTable getInstance() {
return instance;
}
}
| philburk/jsyn | src/main/java/com/jsyn/engine/MultiTable.java | 2,178 | /* Interpolate between adjacent samples. */ | block_comment | nl | /*
* Copyright 2009 Phil Burk, Mobileer 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.
*/
package com.jsyn.engine;
/*
* Multiple tables of sawtooth data.
* organized by octaves below the Nyquist Rate.
* used to generate band-limited Sawtooth, Impulse, Pulse, Square and Triangle BL waveforms
*
<pre>
Analysis of octave requirements for tables.
OctavesIndex Frequency Partials
0 N/2 11025 1
1 N/4 5512 2
2 N/8 2756 4
3 N/16 1378 8
4 N/32 689 16
5 N/64 344 32
6 N/128 172 64
7 N/256 86 128
</pre>
*
* @author Phil Burk (C) 2009 Mobileer Inc
*/
public class MultiTable {
public final static int NUM_TABLES = 8;
public final static int CYCLE_SIZE = (1 << 10);
private static MultiTable instance = new MultiTable(NUM_TABLES, CYCLE_SIZE);
private double phaseScalar;
private float[][] tables; // array of array of tables
/**************************************************************************
* Initialize sawtooth wavetables. Table[0] should contain a pure sine wave. Succeeding tables
* should have increasing numbers of partials.
*/
public MultiTable(int numTables, int cycleSize) {
int tableSize = cycleSize + 1;
// Allocate array of arrays.
tables = new float[numTables][tableSize];
float[] sineTable = tables[0];
phaseScalar = (float) (cycleSize * 0.5);
/* Fill initial sine table with values for -PI to PI. */
for (int j = 0; j < tableSize; j++) {
sineTable[j] = (float) Math.sin(((((double) j) / (double) cycleSize) * Math.PI * 2.0)
- Math.PI);
}
/*
* Build each table from scratch and scale partials by raised cosine* to eliminate Gibbs
* effect.
*/
for (int i = 1; i < numTables; i++) {
int numPartials;
double kGibbs;
float[] table = tables[i];
/* Add together partials for this table. */
numPartials = 1 << i;
kGibbs = Math.PI / (2 * numPartials);
for (int k = 0; k < numPartials; k++) {
double ampl, cGibbs;
int sineIndex = 0;
int partial = k + 1;
cGibbs = Math.cos(k * kGibbs);
/* Calculate amplitude for Nth partial */
ampl = cGibbs * cGibbs / partial;
for (int j = 0; j < tableSize; j++) {
table[j] += (float) ampl * sineTable[sineIndex];
sineIndex += partial;
/* Wrap index at end of table.. */
if (sineIndex >= cycleSize) {
sineIndex -= cycleSize;
}
}
}
}
/* Normalize after */
for (int i = 1; i < numTables; i++) {
normalizeArray(tables[i]);
}
}
/**************************************************************************/
public static float normalizeArray(float[] fdata) {
float max, val, gain;
int i;
// determine maximum value.
max = 0.0f;
for (i = 0; i < fdata.length; i++) {
val = Math.abs(fdata[i]);
if (val > max)
max = val;
}
if (max < 0.0000001f)
max = 0.0000001f;
// scale array
gain = 1.0f / max;
for (i = 0; i < fdata.length; i++)
fdata[i] *= gain;
return gain;
}
/*****************************************************************************
* When the phaseInc maps to the highest level table, then we start interpolating between the
* highest table and the raw sawtooth value (phase). When phaseInc points to highest table:
* flevel = NUM_TABLES - 1 = -1 - log2(pInc); log2(pInc) = - NUM_TABLES pInc = 2**(-NUM_TABLES)
*/
private final static double LOWEST_PHASE_INC_INV = (1 << NUM_TABLES);
/**************************************************************************/
/* Phase ranges from -1.0 to +1.0 */
public double calculateSawtooth(double currentPhase, double positivePhaseIncrement,
double flevel) {
float[] tableBase;
double val;
double hiSam; /* Use when verticalFraction is 1.0 */
double loSam; /* Use when verticalFraction is 0.0 */
double sam1, sam2;
/* Use Phase to determine sampleIndex into table. */
double findex = ((phaseScalar * currentPhase) + phaseScalar);
// findex is > 0 so we do not need to call floor().
int sampleIndex = (int) findex;
double horizontalFraction = findex - sampleIndex;
int tableIndex = (int) flevel;
if (tableIndex > (NUM_TABLES - 2)) {
/*
* Just use top table and mix with arithmetic sawtooth if below lowest frequency.
* Generate new fraction for interpolating between 0.0 and lowest table frequency.
*/
double fraction = positivePhaseIncrement * LOWEST_PHASE_INC_INV;
tableBase = tables[(NUM_TABLES - 1)];
/* Get adjacent samples. Assume guard point present. */
sam1 = tableBase[sampleIndex];
sam2 = tableBase[sampleIndex + 1];
/* Interpolate between adjacent<SUF>*/
loSam = sam1 + (horizontalFraction * (sam2 - sam1));
/* Use arithmetic version for low frequencies. */
/* fraction is 0.0 at 0 Hz */
val = currentPhase + (fraction * (loSam - currentPhase));
} else {
double verticalFraction = flevel - tableIndex;
if (tableIndex < 0) {
if (tableIndex < -1) // above Nyquist!
{
val = 0.0;
} else {
/*
* At top of supported range, interpolate between 0.0 and first partial.
*/
tableBase = tables[0]; /* Sine wave table. */
/* Get adjacent samples. Assume guard point present. */
sam1 = tableBase[sampleIndex];
sam2 = tableBase[sampleIndex + 1];
/* Interpolate between adjacent samples. */
hiSam = sam1 + (horizontalFraction * (sam2 - sam1));
/* loSam = 0.0 */
// verticalFraction is 0.0 at Nyquist
val = verticalFraction * hiSam;
}
} else {
/*
* Interpolate between adjacent levels to prevent harmonics from popping.
*/
tableBase = tables[tableIndex + 1];
/* Get adjacent samples. Assume guard point present. */
sam1 = tableBase[sampleIndex];
sam2 = tableBase[sampleIndex + 1];
/* Interpolate between adjacent samples. */
hiSam = sam1 + (horizontalFraction * (sam2 - sam1));
/* Get adjacent samples. Assume guard point present. */
tableBase = tables[tableIndex];
sam1 = tableBase[sampleIndex];
sam2 = tableBase[sampleIndex + 1];
/* Interpolate between adjacent samples. */
loSam = sam1 + (horizontalFraction * (sam2 - sam1));
val = loSam + (verticalFraction * (hiSam - loSam));
}
}
return val;
}
public double convertPhaseIncrementToLevel(double positivePhaseIncrement) {
if (positivePhaseIncrement < 1.0e-30) {
positivePhaseIncrement = 1.0e-30;
}
return -1.0 - (Math.log(positivePhaseIncrement) / Math.log(2.0));
}
public static MultiTable getInstance() {
return instance;
}
}
|
204960_25 | /*
* Copyright 2009 Phil Burk, Mobileer 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.
*/
package com.jsyn.engine;
/*
* Multiple tables of sawtooth data.
* organized by octaves below the Nyquist Rate.
* used to generate band-limited Sawtooth, Impulse, Pulse, Square and Triangle BL waveforms
*
<pre>
Analysis of octave requirements for tables.
OctavesIndex Frequency Partials
0 N/2 11025 1
1 N/4 5512 2
2 N/8 2756 4
3 N/16 1378 8
4 N/32 689 16
5 N/64 344 32
6 N/128 172 64
7 N/256 86 128
</pre>
*
* @author Phil Burk (C) 2009 Mobileer Inc
*/
public class MultiTable {
public final static int NUM_TABLES = 8;
public final static int CYCLE_SIZE = (1 << 10);
private static MultiTable instance = new MultiTable(NUM_TABLES, CYCLE_SIZE);
private double phaseScalar;
private float[][] tables; // array of array of tables
/**************************************************************************
* Initialize sawtooth wavetables. Table[0] should contain a pure sine wave. Succeeding tables
* should have increasing numbers of partials.
*/
public MultiTable(int numTables, int cycleSize) {
int tableSize = cycleSize + 1;
// Allocate array of arrays.
tables = new float[numTables][tableSize];
float[] sineTable = tables[0];
phaseScalar = (float) (cycleSize * 0.5);
/* Fill initial sine table with values for -PI to PI. */
for (int j = 0; j < tableSize; j++) {
sineTable[j] = (float) Math.sin(((((double) j) / (double) cycleSize) * Math.PI * 2.0)
- Math.PI);
}
/*
* Build each table from scratch and scale partials by raised cosine* to eliminate Gibbs
* effect.
*/
for (int i = 1; i < numTables; i++) {
int numPartials;
double kGibbs;
float[] table = tables[i];
/* Add together partials for this table. */
numPartials = 1 << i;
kGibbs = Math.PI / (2 * numPartials);
for (int k = 0; k < numPartials; k++) {
double ampl, cGibbs;
int sineIndex = 0;
int partial = k + 1;
cGibbs = Math.cos(k * kGibbs);
/* Calculate amplitude for Nth partial */
ampl = cGibbs * cGibbs / partial;
for (int j = 0; j < tableSize; j++) {
table[j] += (float) ampl * sineTable[sineIndex];
sineIndex += partial;
/* Wrap index at end of table.. */
if (sineIndex >= cycleSize) {
sineIndex -= cycleSize;
}
}
}
}
/* Normalize after */
for (int i = 1; i < numTables; i++) {
normalizeArray(tables[i]);
}
}
/**************************************************************************/
public static float normalizeArray(float[] fdata) {
float max, val, gain;
int i;
// determine maximum value.
max = 0.0f;
for (i = 0; i < fdata.length; i++) {
val = Math.abs(fdata[i]);
if (val > max)
max = val;
}
if (max < 0.0000001f)
max = 0.0000001f;
// scale array
gain = 1.0f / max;
for (i = 0; i < fdata.length; i++)
fdata[i] *= gain;
return gain;
}
/*****************************************************************************
* When the phaseInc maps to the highest level table, then we start interpolating between the
* highest table and the raw sawtooth value (phase). When phaseInc points to highest table:
* flevel = NUM_TABLES - 1 = -1 - log2(pInc); log2(pInc) = - NUM_TABLES pInc = 2**(-NUM_TABLES)
*/
private final static double LOWEST_PHASE_INC_INV = (1 << NUM_TABLES);
/**************************************************************************/
/* Phase ranges from -1.0 to +1.0 */
public double calculateSawtooth(double currentPhase, double positivePhaseIncrement,
double flevel) {
float[] tableBase;
double val;
double hiSam; /* Use when verticalFraction is 1.0 */
double loSam; /* Use when verticalFraction is 0.0 */
double sam1, sam2;
/* Use Phase to determine sampleIndex into table. */
double findex = ((phaseScalar * currentPhase) + phaseScalar);
// findex is > 0 so we do not need to call floor().
int sampleIndex = (int) findex;
double horizontalFraction = findex - sampleIndex;
int tableIndex = (int) flevel;
if (tableIndex > (NUM_TABLES - 2)) {
/*
* Just use top table and mix with arithmetic sawtooth if below lowest frequency.
* Generate new fraction for interpolating between 0.0 and lowest table frequency.
*/
double fraction = positivePhaseIncrement * LOWEST_PHASE_INC_INV;
tableBase = tables[(NUM_TABLES - 1)];
/* Get adjacent samples. Assume guard point present. */
sam1 = tableBase[sampleIndex];
sam2 = tableBase[sampleIndex + 1];
/* Interpolate between adjacent samples. */
loSam = sam1 + (horizontalFraction * (sam2 - sam1));
/* Use arithmetic version for low frequencies. */
/* fraction is 0.0 at 0 Hz */
val = currentPhase + (fraction * (loSam - currentPhase));
} else {
double verticalFraction = flevel - tableIndex;
if (tableIndex < 0) {
if (tableIndex < -1) // above Nyquist!
{
val = 0.0;
} else {
/*
* At top of supported range, interpolate between 0.0 and first partial.
*/
tableBase = tables[0]; /* Sine wave table. */
/* Get adjacent samples. Assume guard point present. */
sam1 = tableBase[sampleIndex];
sam2 = tableBase[sampleIndex + 1];
/* Interpolate between adjacent samples. */
hiSam = sam1 + (horizontalFraction * (sam2 - sam1));
/* loSam = 0.0 */
// verticalFraction is 0.0 at Nyquist
val = verticalFraction * hiSam;
}
} else {
/*
* Interpolate between adjacent levels to prevent harmonics from popping.
*/
tableBase = tables[tableIndex + 1];
/* Get adjacent samples. Assume guard point present. */
sam1 = tableBase[sampleIndex];
sam2 = tableBase[sampleIndex + 1];
/* Interpolate between adjacent samples. */
hiSam = sam1 + (horizontalFraction * (sam2 - sam1));
/* Get adjacent samples. Assume guard point present. */
tableBase = tables[tableIndex];
sam1 = tableBase[sampleIndex];
sam2 = tableBase[sampleIndex + 1];
/* Interpolate between adjacent samples. */
loSam = sam1 + (horizontalFraction * (sam2 - sam1));
val = loSam + (verticalFraction * (hiSam - loSam));
}
}
return val;
}
public double convertPhaseIncrementToLevel(double positivePhaseIncrement) {
if (positivePhaseIncrement < 1.0e-30) {
positivePhaseIncrement = 1.0e-30;
}
return -1.0 - (Math.log(positivePhaseIncrement) / Math.log(2.0));
}
public static MultiTable getInstance() {
return instance;
}
}
| philburk/jsyn | src/main/java/com/jsyn/engine/MultiTable.java | 2,178 | /* Interpolate between adjacent samples. */ | block_comment | nl | /*
* Copyright 2009 Phil Burk, Mobileer 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.
*/
package com.jsyn.engine;
/*
* Multiple tables of sawtooth data.
* organized by octaves below the Nyquist Rate.
* used to generate band-limited Sawtooth, Impulse, Pulse, Square and Triangle BL waveforms
*
<pre>
Analysis of octave requirements for tables.
OctavesIndex Frequency Partials
0 N/2 11025 1
1 N/4 5512 2
2 N/8 2756 4
3 N/16 1378 8
4 N/32 689 16
5 N/64 344 32
6 N/128 172 64
7 N/256 86 128
</pre>
*
* @author Phil Burk (C) 2009 Mobileer Inc
*/
public class MultiTable {
public final static int NUM_TABLES = 8;
public final static int CYCLE_SIZE = (1 << 10);
private static MultiTable instance = new MultiTable(NUM_TABLES, CYCLE_SIZE);
private double phaseScalar;
private float[][] tables; // array of array of tables
/**************************************************************************
* Initialize sawtooth wavetables. Table[0] should contain a pure sine wave. Succeeding tables
* should have increasing numbers of partials.
*/
public MultiTable(int numTables, int cycleSize) {
int tableSize = cycleSize + 1;
// Allocate array of arrays.
tables = new float[numTables][tableSize];
float[] sineTable = tables[0];
phaseScalar = (float) (cycleSize * 0.5);
/* Fill initial sine table with values for -PI to PI. */
for (int j = 0; j < tableSize; j++) {
sineTable[j] = (float) Math.sin(((((double) j) / (double) cycleSize) * Math.PI * 2.0)
- Math.PI);
}
/*
* Build each table from scratch and scale partials by raised cosine* to eliminate Gibbs
* effect.
*/
for (int i = 1; i < numTables; i++) {
int numPartials;
double kGibbs;
float[] table = tables[i];
/* Add together partials for this table. */
numPartials = 1 << i;
kGibbs = Math.PI / (2 * numPartials);
for (int k = 0; k < numPartials; k++) {
double ampl, cGibbs;
int sineIndex = 0;
int partial = k + 1;
cGibbs = Math.cos(k * kGibbs);
/* Calculate amplitude for Nth partial */
ampl = cGibbs * cGibbs / partial;
for (int j = 0; j < tableSize; j++) {
table[j] += (float) ampl * sineTable[sineIndex];
sineIndex += partial;
/* Wrap index at end of table.. */
if (sineIndex >= cycleSize) {
sineIndex -= cycleSize;
}
}
}
}
/* Normalize after */
for (int i = 1; i < numTables; i++) {
normalizeArray(tables[i]);
}
}
/**************************************************************************/
public static float normalizeArray(float[] fdata) {
float max, val, gain;
int i;
// determine maximum value.
max = 0.0f;
for (i = 0; i < fdata.length; i++) {
val = Math.abs(fdata[i]);
if (val > max)
max = val;
}
if (max < 0.0000001f)
max = 0.0000001f;
// scale array
gain = 1.0f / max;
for (i = 0; i < fdata.length; i++)
fdata[i] *= gain;
return gain;
}
/*****************************************************************************
* When the phaseInc maps to the highest level table, then we start interpolating between the
* highest table and the raw sawtooth value (phase). When phaseInc points to highest table:
* flevel = NUM_TABLES - 1 = -1 - log2(pInc); log2(pInc) = - NUM_TABLES pInc = 2**(-NUM_TABLES)
*/
private final static double LOWEST_PHASE_INC_INV = (1 << NUM_TABLES);
/**************************************************************************/
/* Phase ranges from -1.0 to +1.0 */
public double calculateSawtooth(double currentPhase, double positivePhaseIncrement,
double flevel) {
float[] tableBase;
double val;
double hiSam; /* Use when verticalFraction is 1.0 */
double loSam; /* Use when verticalFraction is 0.0 */
double sam1, sam2;
/* Use Phase to determine sampleIndex into table. */
double findex = ((phaseScalar * currentPhase) + phaseScalar);
// findex is > 0 so we do not need to call floor().
int sampleIndex = (int) findex;
double horizontalFraction = findex - sampleIndex;
int tableIndex = (int) flevel;
if (tableIndex > (NUM_TABLES - 2)) {
/*
* Just use top table and mix with arithmetic sawtooth if below lowest frequency.
* Generate new fraction for interpolating between 0.0 and lowest table frequency.
*/
double fraction = positivePhaseIncrement * LOWEST_PHASE_INC_INV;
tableBase = tables[(NUM_TABLES - 1)];
/* Get adjacent samples. Assume guard point present. */
sam1 = tableBase[sampleIndex];
sam2 = tableBase[sampleIndex + 1];
/* Interpolate between adjacent samples. */
loSam = sam1 + (horizontalFraction * (sam2 - sam1));
/* Use arithmetic version for low frequencies. */
/* fraction is 0.0 at 0 Hz */
val = currentPhase + (fraction * (loSam - currentPhase));
} else {
double verticalFraction = flevel - tableIndex;
if (tableIndex < 0) {
if (tableIndex < -1) // above Nyquist!
{
val = 0.0;
} else {
/*
* At top of supported range, interpolate between 0.0 and first partial.
*/
tableBase = tables[0]; /* Sine wave table. */
/* Get adjacent samples. Assume guard point present. */
sam1 = tableBase[sampleIndex];
sam2 = tableBase[sampleIndex + 1];
/* Interpolate between adjacent<SUF>*/
hiSam = sam1 + (horizontalFraction * (sam2 - sam1));
/* loSam = 0.0 */
// verticalFraction is 0.0 at Nyquist
val = verticalFraction * hiSam;
}
} else {
/*
* Interpolate between adjacent levels to prevent harmonics from popping.
*/
tableBase = tables[tableIndex + 1];
/* Get adjacent samples. Assume guard point present. */
sam1 = tableBase[sampleIndex];
sam2 = tableBase[sampleIndex + 1];
/* Interpolate between adjacent samples. */
hiSam = sam1 + (horizontalFraction * (sam2 - sam1));
/* Get adjacent samples. Assume guard point present. */
tableBase = tables[tableIndex];
sam1 = tableBase[sampleIndex];
sam2 = tableBase[sampleIndex + 1];
/* Interpolate between adjacent samples. */
loSam = sam1 + (horizontalFraction * (sam2 - sam1));
val = loSam + (verticalFraction * (hiSam - loSam));
}
}
return val;
}
public double convertPhaseIncrementToLevel(double positivePhaseIncrement) {
if (positivePhaseIncrement < 1.0e-30) {
positivePhaseIncrement = 1.0e-30;
}
return -1.0 - (Math.log(positivePhaseIncrement) / Math.log(2.0));
}
public static MultiTable getInstance() {
return instance;
}
}
|
204960_30 | /*
* Copyright 2009 Phil Burk, Mobileer 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.
*/
package com.jsyn.engine;
/*
* Multiple tables of sawtooth data.
* organized by octaves below the Nyquist Rate.
* used to generate band-limited Sawtooth, Impulse, Pulse, Square and Triangle BL waveforms
*
<pre>
Analysis of octave requirements for tables.
OctavesIndex Frequency Partials
0 N/2 11025 1
1 N/4 5512 2
2 N/8 2756 4
3 N/16 1378 8
4 N/32 689 16
5 N/64 344 32
6 N/128 172 64
7 N/256 86 128
</pre>
*
* @author Phil Burk (C) 2009 Mobileer Inc
*/
public class MultiTable {
public final static int NUM_TABLES = 8;
public final static int CYCLE_SIZE = (1 << 10);
private static MultiTable instance = new MultiTable(NUM_TABLES, CYCLE_SIZE);
private double phaseScalar;
private float[][] tables; // array of array of tables
/**************************************************************************
* Initialize sawtooth wavetables. Table[0] should contain a pure sine wave. Succeeding tables
* should have increasing numbers of partials.
*/
public MultiTable(int numTables, int cycleSize) {
int tableSize = cycleSize + 1;
// Allocate array of arrays.
tables = new float[numTables][tableSize];
float[] sineTable = tables[0];
phaseScalar = (float) (cycleSize * 0.5);
/* Fill initial sine table with values for -PI to PI. */
for (int j = 0; j < tableSize; j++) {
sineTable[j] = (float) Math.sin(((((double) j) / (double) cycleSize) * Math.PI * 2.0)
- Math.PI);
}
/*
* Build each table from scratch and scale partials by raised cosine* to eliminate Gibbs
* effect.
*/
for (int i = 1; i < numTables; i++) {
int numPartials;
double kGibbs;
float[] table = tables[i];
/* Add together partials for this table. */
numPartials = 1 << i;
kGibbs = Math.PI / (2 * numPartials);
for (int k = 0; k < numPartials; k++) {
double ampl, cGibbs;
int sineIndex = 0;
int partial = k + 1;
cGibbs = Math.cos(k * kGibbs);
/* Calculate amplitude for Nth partial */
ampl = cGibbs * cGibbs / partial;
for (int j = 0; j < tableSize; j++) {
table[j] += (float) ampl * sineTable[sineIndex];
sineIndex += partial;
/* Wrap index at end of table.. */
if (sineIndex >= cycleSize) {
sineIndex -= cycleSize;
}
}
}
}
/* Normalize after */
for (int i = 1; i < numTables; i++) {
normalizeArray(tables[i]);
}
}
/**************************************************************************/
public static float normalizeArray(float[] fdata) {
float max, val, gain;
int i;
// determine maximum value.
max = 0.0f;
for (i = 0; i < fdata.length; i++) {
val = Math.abs(fdata[i]);
if (val > max)
max = val;
}
if (max < 0.0000001f)
max = 0.0000001f;
// scale array
gain = 1.0f / max;
for (i = 0; i < fdata.length; i++)
fdata[i] *= gain;
return gain;
}
/*****************************************************************************
* When the phaseInc maps to the highest level table, then we start interpolating between the
* highest table and the raw sawtooth value (phase). When phaseInc points to highest table:
* flevel = NUM_TABLES - 1 = -1 - log2(pInc); log2(pInc) = - NUM_TABLES pInc = 2**(-NUM_TABLES)
*/
private final static double LOWEST_PHASE_INC_INV = (1 << NUM_TABLES);
/**************************************************************************/
/* Phase ranges from -1.0 to +1.0 */
public double calculateSawtooth(double currentPhase, double positivePhaseIncrement,
double flevel) {
float[] tableBase;
double val;
double hiSam; /* Use when verticalFraction is 1.0 */
double loSam; /* Use when verticalFraction is 0.0 */
double sam1, sam2;
/* Use Phase to determine sampleIndex into table. */
double findex = ((phaseScalar * currentPhase) + phaseScalar);
// findex is > 0 so we do not need to call floor().
int sampleIndex = (int) findex;
double horizontalFraction = findex - sampleIndex;
int tableIndex = (int) flevel;
if (tableIndex > (NUM_TABLES - 2)) {
/*
* Just use top table and mix with arithmetic sawtooth if below lowest frequency.
* Generate new fraction for interpolating between 0.0 and lowest table frequency.
*/
double fraction = positivePhaseIncrement * LOWEST_PHASE_INC_INV;
tableBase = tables[(NUM_TABLES - 1)];
/* Get adjacent samples. Assume guard point present. */
sam1 = tableBase[sampleIndex];
sam2 = tableBase[sampleIndex + 1];
/* Interpolate between adjacent samples. */
loSam = sam1 + (horizontalFraction * (sam2 - sam1));
/* Use arithmetic version for low frequencies. */
/* fraction is 0.0 at 0 Hz */
val = currentPhase + (fraction * (loSam - currentPhase));
} else {
double verticalFraction = flevel - tableIndex;
if (tableIndex < 0) {
if (tableIndex < -1) // above Nyquist!
{
val = 0.0;
} else {
/*
* At top of supported range, interpolate between 0.0 and first partial.
*/
tableBase = tables[0]; /* Sine wave table. */
/* Get adjacent samples. Assume guard point present. */
sam1 = tableBase[sampleIndex];
sam2 = tableBase[sampleIndex + 1];
/* Interpolate between adjacent samples. */
hiSam = sam1 + (horizontalFraction * (sam2 - sam1));
/* loSam = 0.0 */
// verticalFraction is 0.0 at Nyquist
val = verticalFraction * hiSam;
}
} else {
/*
* Interpolate between adjacent levels to prevent harmonics from popping.
*/
tableBase = tables[tableIndex + 1];
/* Get adjacent samples. Assume guard point present. */
sam1 = tableBase[sampleIndex];
sam2 = tableBase[sampleIndex + 1];
/* Interpolate between adjacent samples. */
hiSam = sam1 + (horizontalFraction * (sam2 - sam1));
/* Get adjacent samples. Assume guard point present. */
tableBase = tables[tableIndex];
sam1 = tableBase[sampleIndex];
sam2 = tableBase[sampleIndex + 1];
/* Interpolate between adjacent samples. */
loSam = sam1 + (horizontalFraction * (sam2 - sam1));
val = loSam + (verticalFraction * (hiSam - loSam));
}
}
return val;
}
public double convertPhaseIncrementToLevel(double positivePhaseIncrement) {
if (positivePhaseIncrement < 1.0e-30) {
positivePhaseIncrement = 1.0e-30;
}
return -1.0 - (Math.log(positivePhaseIncrement) / Math.log(2.0));
}
public static MultiTable getInstance() {
return instance;
}
}
| philburk/jsyn | src/main/java/com/jsyn/engine/MultiTable.java | 2,178 | /* Interpolate between adjacent samples. */ | block_comment | nl | /*
* Copyright 2009 Phil Burk, Mobileer 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.
*/
package com.jsyn.engine;
/*
* Multiple tables of sawtooth data.
* organized by octaves below the Nyquist Rate.
* used to generate band-limited Sawtooth, Impulse, Pulse, Square and Triangle BL waveforms
*
<pre>
Analysis of octave requirements for tables.
OctavesIndex Frequency Partials
0 N/2 11025 1
1 N/4 5512 2
2 N/8 2756 4
3 N/16 1378 8
4 N/32 689 16
5 N/64 344 32
6 N/128 172 64
7 N/256 86 128
</pre>
*
* @author Phil Burk (C) 2009 Mobileer Inc
*/
public class MultiTable {
public final static int NUM_TABLES = 8;
public final static int CYCLE_SIZE = (1 << 10);
private static MultiTable instance = new MultiTable(NUM_TABLES, CYCLE_SIZE);
private double phaseScalar;
private float[][] tables; // array of array of tables
/**************************************************************************
* Initialize sawtooth wavetables. Table[0] should contain a pure sine wave. Succeeding tables
* should have increasing numbers of partials.
*/
public MultiTable(int numTables, int cycleSize) {
int tableSize = cycleSize + 1;
// Allocate array of arrays.
tables = new float[numTables][tableSize];
float[] sineTable = tables[0];
phaseScalar = (float) (cycleSize * 0.5);
/* Fill initial sine table with values for -PI to PI. */
for (int j = 0; j < tableSize; j++) {
sineTable[j] = (float) Math.sin(((((double) j) / (double) cycleSize) * Math.PI * 2.0)
- Math.PI);
}
/*
* Build each table from scratch and scale partials by raised cosine* to eliminate Gibbs
* effect.
*/
for (int i = 1; i < numTables; i++) {
int numPartials;
double kGibbs;
float[] table = tables[i];
/* Add together partials for this table. */
numPartials = 1 << i;
kGibbs = Math.PI / (2 * numPartials);
for (int k = 0; k < numPartials; k++) {
double ampl, cGibbs;
int sineIndex = 0;
int partial = k + 1;
cGibbs = Math.cos(k * kGibbs);
/* Calculate amplitude for Nth partial */
ampl = cGibbs * cGibbs / partial;
for (int j = 0; j < tableSize; j++) {
table[j] += (float) ampl * sineTable[sineIndex];
sineIndex += partial;
/* Wrap index at end of table.. */
if (sineIndex >= cycleSize) {
sineIndex -= cycleSize;
}
}
}
}
/* Normalize after */
for (int i = 1; i < numTables; i++) {
normalizeArray(tables[i]);
}
}
/**************************************************************************/
public static float normalizeArray(float[] fdata) {
float max, val, gain;
int i;
// determine maximum value.
max = 0.0f;
for (i = 0; i < fdata.length; i++) {
val = Math.abs(fdata[i]);
if (val > max)
max = val;
}
if (max < 0.0000001f)
max = 0.0000001f;
// scale array
gain = 1.0f / max;
for (i = 0; i < fdata.length; i++)
fdata[i] *= gain;
return gain;
}
/*****************************************************************************
* When the phaseInc maps to the highest level table, then we start interpolating between the
* highest table and the raw sawtooth value (phase). When phaseInc points to highest table:
* flevel = NUM_TABLES - 1 = -1 - log2(pInc); log2(pInc) = - NUM_TABLES pInc = 2**(-NUM_TABLES)
*/
private final static double LOWEST_PHASE_INC_INV = (1 << NUM_TABLES);
/**************************************************************************/
/* Phase ranges from -1.0 to +1.0 */
public double calculateSawtooth(double currentPhase, double positivePhaseIncrement,
double flevel) {
float[] tableBase;
double val;
double hiSam; /* Use when verticalFraction is 1.0 */
double loSam; /* Use when verticalFraction is 0.0 */
double sam1, sam2;
/* Use Phase to determine sampleIndex into table. */
double findex = ((phaseScalar * currentPhase) + phaseScalar);
// findex is > 0 so we do not need to call floor().
int sampleIndex = (int) findex;
double horizontalFraction = findex - sampleIndex;
int tableIndex = (int) flevel;
if (tableIndex > (NUM_TABLES - 2)) {
/*
* Just use top table and mix with arithmetic sawtooth if below lowest frequency.
* Generate new fraction for interpolating between 0.0 and lowest table frequency.
*/
double fraction = positivePhaseIncrement * LOWEST_PHASE_INC_INV;
tableBase = tables[(NUM_TABLES - 1)];
/* Get adjacent samples. Assume guard point present. */
sam1 = tableBase[sampleIndex];
sam2 = tableBase[sampleIndex + 1];
/* Interpolate between adjacent samples. */
loSam = sam1 + (horizontalFraction * (sam2 - sam1));
/* Use arithmetic version for low frequencies. */
/* fraction is 0.0 at 0 Hz */
val = currentPhase + (fraction * (loSam - currentPhase));
} else {
double verticalFraction = flevel - tableIndex;
if (tableIndex < 0) {
if (tableIndex < -1) // above Nyquist!
{
val = 0.0;
} else {
/*
* At top of supported range, interpolate between 0.0 and first partial.
*/
tableBase = tables[0]; /* Sine wave table. */
/* Get adjacent samples. Assume guard point present. */
sam1 = tableBase[sampleIndex];
sam2 = tableBase[sampleIndex + 1];
/* Interpolate between adjacent samples. */
hiSam = sam1 + (horizontalFraction * (sam2 - sam1));
/* loSam = 0.0 */
// verticalFraction is 0.0 at Nyquist
val = verticalFraction * hiSam;
}
} else {
/*
* Interpolate between adjacent levels to prevent harmonics from popping.
*/
tableBase = tables[tableIndex + 1];
/* Get adjacent samples. Assume guard point present. */
sam1 = tableBase[sampleIndex];
sam2 = tableBase[sampleIndex + 1];
/* Interpolate between adjacent<SUF>*/
hiSam = sam1 + (horizontalFraction * (sam2 - sam1));
/* Get adjacent samples. Assume guard point present. */
tableBase = tables[tableIndex];
sam1 = tableBase[sampleIndex];
sam2 = tableBase[sampleIndex + 1];
/* Interpolate between adjacent samples. */
loSam = sam1 + (horizontalFraction * (sam2 - sam1));
val = loSam + (verticalFraction * (hiSam - loSam));
}
}
return val;
}
public double convertPhaseIncrementToLevel(double positivePhaseIncrement) {
if (positivePhaseIncrement < 1.0e-30) {
positivePhaseIncrement = 1.0e-30;
}
return -1.0 - (Math.log(positivePhaseIncrement) / Math.log(2.0));
}
public static MultiTable getInstance() {
return instance;
}
}
|
204960_32 | /*
* Copyright 2009 Phil Burk, Mobileer 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.
*/
package com.jsyn.engine;
/*
* Multiple tables of sawtooth data.
* organized by octaves below the Nyquist Rate.
* used to generate band-limited Sawtooth, Impulse, Pulse, Square and Triangle BL waveforms
*
<pre>
Analysis of octave requirements for tables.
OctavesIndex Frequency Partials
0 N/2 11025 1
1 N/4 5512 2
2 N/8 2756 4
3 N/16 1378 8
4 N/32 689 16
5 N/64 344 32
6 N/128 172 64
7 N/256 86 128
</pre>
*
* @author Phil Burk (C) 2009 Mobileer Inc
*/
public class MultiTable {
public final static int NUM_TABLES = 8;
public final static int CYCLE_SIZE = (1 << 10);
private static MultiTable instance = new MultiTable(NUM_TABLES, CYCLE_SIZE);
private double phaseScalar;
private float[][] tables; // array of array of tables
/**************************************************************************
* Initialize sawtooth wavetables. Table[0] should contain a pure sine wave. Succeeding tables
* should have increasing numbers of partials.
*/
public MultiTable(int numTables, int cycleSize) {
int tableSize = cycleSize + 1;
// Allocate array of arrays.
tables = new float[numTables][tableSize];
float[] sineTable = tables[0];
phaseScalar = (float) (cycleSize * 0.5);
/* Fill initial sine table with values for -PI to PI. */
for (int j = 0; j < tableSize; j++) {
sineTable[j] = (float) Math.sin(((((double) j) / (double) cycleSize) * Math.PI * 2.0)
- Math.PI);
}
/*
* Build each table from scratch and scale partials by raised cosine* to eliminate Gibbs
* effect.
*/
for (int i = 1; i < numTables; i++) {
int numPartials;
double kGibbs;
float[] table = tables[i];
/* Add together partials for this table. */
numPartials = 1 << i;
kGibbs = Math.PI / (2 * numPartials);
for (int k = 0; k < numPartials; k++) {
double ampl, cGibbs;
int sineIndex = 0;
int partial = k + 1;
cGibbs = Math.cos(k * kGibbs);
/* Calculate amplitude for Nth partial */
ampl = cGibbs * cGibbs / partial;
for (int j = 0; j < tableSize; j++) {
table[j] += (float) ampl * sineTable[sineIndex];
sineIndex += partial;
/* Wrap index at end of table.. */
if (sineIndex >= cycleSize) {
sineIndex -= cycleSize;
}
}
}
}
/* Normalize after */
for (int i = 1; i < numTables; i++) {
normalizeArray(tables[i]);
}
}
/**************************************************************************/
public static float normalizeArray(float[] fdata) {
float max, val, gain;
int i;
// determine maximum value.
max = 0.0f;
for (i = 0; i < fdata.length; i++) {
val = Math.abs(fdata[i]);
if (val > max)
max = val;
}
if (max < 0.0000001f)
max = 0.0000001f;
// scale array
gain = 1.0f / max;
for (i = 0; i < fdata.length; i++)
fdata[i] *= gain;
return gain;
}
/*****************************************************************************
* When the phaseInc maps to the highest level table, then we start interpolating between the
* highest table and the raw sawtooth value (phase). When phaseInc points to highest table:
* flevel = NUM_TABLES - 1 = -1 - log2(pInc); log2(pInc) = - NUM_TABLES pInc = 2**(-NUM_TABLES)
*/
private final static double LOWEST_PHASE_INC_INV = (1 << NUM_TABLES);
/**************************************************************************/
/* Phase ranges from -1.0 to +1.0 */
public double calculateSawtooth(double currentPhase, double positivePhaseIncrement,
double flevel) {
float[] tableBase;
double val;
double hiSam; /* Use when verticalFraction is 1.0 */
double loSam; /* Use when verticalFraction is 0.0 */
double sam1, sam2;
/* Use Phase to determine sampleIndex into table. */
double findex = ((phaseScalar * currentPhase) + phaseScalar);
// findex is > 0 so we do not need to call floor().
int sampleIndex = (int) findex;
double horizontalFraction = findex - sampleIndex;
int tableIndex = (int) flevel;
if (tableIndex > (NUM_TABLES - 2)) {
/*
* Just use top table and mix with arithmetic sawtooth if below lowest frequency.
* Generate new fraction for interpolating between 0.0 and lowest table frequency.
*/
double fraction = positivePhaseIncrement * LOWEST_PHASE_INC_INV;
tableBase = tables[(NUM_TABLES - 1)];
/* Get adjacent samples. Assume guard point present. */
sam1 = tableBase[sampleIndex];
sam2 = tableBase[sampleIndex + 1];
/* Interpolate between adjacent samples. */
loSam = sam1 + (horizontalFraction * (sam2 - sam1));
/* Use arithmetic version for low frequencies. */
/* fraction is 0.0 at 0 Hz */
val = currentPhase + (fraction * (loSam - currentPhase));
} else {
double verticalFraction = flevel - tableIndex;
if (tableIndex < 0) {
if (tableIndex < -1) // above Nyquist!
{
val = 0.0;
} else {
/*
* At top of supported range, interpolate between 0.0 and first partial.
*/
tableBase = tables[0]; /* Sine wave table. */
/* Get adjacent samples. Assume guard point present. */
sam1 = tableBase[sampleIndex];
sam2 = tableBase[sampleIndex + 1];
/* Interpolate between adjacent samples. */
hiSam = sam1 + (horizontalFraction * (sam2 - sam1));
/* loSam = 0.0 */
// verticalFraction is 0.0 at Nyquist
val = verticalFraction * hiSam;
}
} else {
/*
* Interpolate between adjacent levels to prevent harmonics from popping.
*/
tableBase = tables[tableIndex + 1];
/* Get adjacent samples. Assume guard point present. */
sam1 = tableBase[sampleIndex];
sam2 = tableBase[sampleIndex + 1];
/* Interpolate between adjacent samples. */
hiSam = sam1 + (horizontalFraction * (sam2 - sam1));
/* Get adjacent samples. Assume guard point present. */
tableBase = tables[tableIndex];
sam1 = tableBase[sampleIndex];
sam2 = tableBase[sampleIndex + 1];
/* Interpolate between adjacent samples. */
loSam = sam1 + (horizontalFraction * (sam2 - sam1));
val = loSam + (verticalFraction * (hiSam - loSam));
}
}
return val;
}
public double convertPhaseIncrementToLevel(double positivePhaseIncrement) {
if (positivePhaseIncrement < 1.0e-30) {
positivePhaseIncrement = 1.0e-30;
}
return -1.0 - (Math.log(positivePhaseIncrement) / Math.log(2.0));
}
public static MultiTable getInstance() {
return instance;
}
}
| philburk/jsyn | src/main/java/com/jsyn/engine/MultiTable.java | 2,178 | /* Interpolate between adjacent samples. */ | block_comment | nl | /*
* Copyright 2009 Phil Burk, Mobileer 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.
*/
package com.jsyn.engine;
/*
* Multiple tables of sawtooth data.
* organized by octaves below the Nyquist Rate.
* used to generate band-limited Sawtooth, Impulse, Pulse, Square and Triangle BL waveforms
*
<pre>
Analysis of octave requirements for tables.
OctavesIndex Frequency Partials
0 N/2 11025 1
1 N/4 5512 2
2 N/8 2756 4
3 N/16 1378 8
4 N/32 689 16
5 N/64 344 32
6 N/128 172 64
7 N/256 86 128
</pre>
*
* @author Phil Burk (C) 2009 Mobileer Inc
*/
public class MultiTable {
public final static int NUM_TABLES = 8;
public final static int CYCLE_SIZE = (1 << 10);
private static MultiTable instance = new MultiTable(NUM_TABLES, CYCLE_SIZE);
private double phaseScalar;
private float[][] tables; // array of array of tables
/**************************************************************************
* Initialize sawtooth wavetables. Table[0] should contain a pure sine wave. Succeeding tables
* should have increasing numbers of partials.
*/
public MultiTable(int numTables, int cycleSize) {
int tableSize = cycleSize + 1;
// Allocate array of arrays.
tables = new float[numTables][tableSize];
float[] sineTable = tables[0];
phaseScalar = (float) (cycleSize * 0.5);
/* Fill initial sine table with values for -PI to PI. */
for (int j = 0; j < tableSize; j++) {
sineTable[j] = (float) Math.sin(((((double) j) / (double) cycleSize) * Math.PI * 2.0)
- Math.PI);
}
/*
* Build each table from scratch and scale partials by raised cosine* to eliminate Gibbs
* effect.
*/
for (int i = 1; i < numTables; i++) {
int numPartials;
double kGibbs;
float[] table = tables[i];
/* Add together partials for this table. */
numPartials = 1 << i;
kGibbs = Math.PI / (2 * numPartials);
for (int k = 0; k < numPartials; k++) {
double ampl, cGibbs;
int sineIndex = 0;
int partial = k + 1;
cGibbs = Math.cos(k * kGibbs);
/* Calculate amplitude for Nth partial */
ampl = cGibbs * cGibbs / partial;
for (int j = 0; j < tableSize; j++) {
table[j] += (float) ampl * sineTable[sineIndex];
sineIndex += partial;
/* Wrap index at end of table.. */
if (sineIndex >= cycleSize) {
sineIndex -= cycleSize;
}
}
}
}
/* Normalize after */
for (int i = 1; i < numTables; i++) {
normalizeArray(tables[i]);
}
}
/**************************************************************************/
public static float normalizeArray(float[] fdata) {
float max, val, gain;
int i;
// determine maximum value.
max = 0.0f;
for (i = 0; i < fdata.length; i++) {
val = Math.abs(fdata[i]);
if (val > max)
max = val;
}
if (max < 0.0000001f)
max = 0.0000001f;
// scale array
gain = 1.0f / max;
for (i = 0; i < fdata.length; i++)
fdata[i] *= gain;
return gain;
}
/*****************************************************************************
* When the phaseInc maps to the highest level table, then we start interpolating between the
* highest table and the raw sawtooth value (phase). When phaseInc points to highest table:
* flevel = NUM_TABLES - 1 = -1 - log2(pInc); log2(pInc) = - NUM_TABLES pInc = 2**(-NUM_TABLES)
*/
private final static double LOWEST_PHASE_INC_INV = (1 << NUM_TABLES);
/**************************************************************************/
/* Phase ranges from -1.0 to +1.0 */
public double calculateSawtooth(double currentPhase, double positivePhaseIncrement,
double flevel) {
float[] tableBase;
double val;
double hiSam; /* Use when verticalFraction is 1.0 */
double loSam; /* Use when verticalFraction is 0.0 */
double sam1, sam2;
/* Use Phase to determine sampleIndex into table. */
double findex = ((phaseScalar * currentPhase) + phaseScalar);
// findex is > 0 so we do not need to call floor().
int sampleIndex = (int) findex;
double horizontalFraction = findex - sampleIndex;
int tableIndex = (int) flevel;
if (tableIndex > (NUM_TABLES - 2)) {
/*
* Just use top table and mix with arithmetic sawtooth if below lowest frequency.
* Generate new fraction for interpolating between 0.0 and lowest table frequency.
*/
double fraction = positivePhaseIncrement * LOWEST_PHASE_INC_INV;
tableBase = tables[(NUM_TABLES - 1)];
/* Get adjacent samples. Assume guard point present. */
sam1 = tableBase[sampleIndex];
sam2 = tableBase[sampleIndex + 1];
/* Interpolate between adjacent samples. */
loSam = sam1 + (horizontalFraction * (sam2 - sam1));
/* Use arithmetic version for low frequencies. */
/* fraction is 0.0 at 0 Hz */
val = currentPhase + (fraction * (loSam - currentPhase));
} else {
double verticalFraction = flevel - tableIndex;
if (tableIndex < 0) {
if (tableIndex < -1) // above Nyquist!
{
val = 0.0;
} else {
/*
* At top of supported range, interpolate between 0.0 and first partial.
*/
tableBase = tables[0]; /* Sine wave table. */
/* Get adjacent samples. Assume guard point present. */
sam1 = tableBase[sampleIndex];
sam2 = tableBase[sampleIndex + 1];
/* Interpolate between adjacent samples. */
hiSam = sam1 + (horizontalFraction * (sam2 - sam1));
/* loSam = 0.0 */
// verticalFraction is 0.0 at Nyquist
val = verticalFraction * hiSam;
}
} else {
/*
* Interpolate between adjacent levels to prevent harmonics from popping.
*/
tableBase = tables[tableIndex + 1];
/* Get adjacent samples. Assume guard point present. */
sam1 = tableBase[sampleIndex];
sam2 = tableBase[sampleIndex + 1];
/* Interpolate between adjacent samples. */
hiSam = sam1 + (horizontalFraction * (sam2 - sam1));
/* Get adjacent samples. Assume guard point present. */
tableBase = tables[tableIndex];
sam1 = tableBase[sampleIndex];
sam2 = tableBase[sampleIndex + 1];
/* Interpolate between adjacent<SUF>*/
loSam = sam1 + (horizontalFraction * (sam2 - sam1));
val = loSam + (verticalFraction * (hiSam - loSam));
}
}
return val;
}
public double convertPhaseIncrementToLevel(double positivePhaseIncrement) {
if (positivePhaseIncrement < 1.0e-30) {
positivePhaseIncrement = 1.0e-30;
}
return -1.0 - (Math.log(positivePhaseIncrement) / Math.log(2.0));
}
public static MultiTable getInstance() {
return instance;
}
}
|
204971_3 | package referenceLibrary;
import java.lang.reflect.Field;
import dataIO.Log;
import dataIO.Log.Tier;
/**
* \brief Single class that holds the naming of all XML tags and attributes,
* one structured place to add or make changes.
*
* @author Bastiaan Cockx @BastiaanCockx ([email protected]), DTU, Denmark
* @author Robert Clegg ([email protected]) University of Birmingham, U.K.
* @author Sankalp Arya ([email protected]) University of Nottingham, U.K.
*/
public class XmlRef
{
public static String[] getAllOptions()
{
Field[] fields = XmlRef.class.getFields();
String[] options = new String[fields.length];
int i = 0;
for ( Field f : fields )
try {
options[i++] = (String) f.get(new String());
} catch (IllegalArgumentException | IllegalAccessException e) {
Log.out(Tier.CRITICAL, "problem in ObjectRef field declaration"
+ "\n cannot obtain all options");
e.printStackTrace();
}
return options;
}
/* Nodes */
////////////
/**
* Aspect loaded by aspect interface.
*/
public final static String aspect = "aspect";
/**
* An item in a list or a hashmap.
*/
public final static String item = "item";
/**
* Agent node.
*/
public final static String agent = "agent";
/**
* templateAgent node, used by spawner.
*/
public final static String templateAgent = "templateAgent";
/**
* Process manager node.
*/
public final static String process = "process";
/**
* Assigns species module to be part of species description.
*/
public final static String speciesModule = "speciesModule";
/**
* Parameter node, used to set general parameters.
*/
public final static String parameter = "param";
/**
* Indicates {@code surface.Point} object.
*/
public final static String point = "point";
/**
* Indicates constant in expression.
*/
public final static String constant = "constant";
/**
* Indicates constant in expression.
*/
public final static String constants = "constants";
/**
* Indicates a solute.
*/
public final static String solute = "solute";
/**
* Method for setting the diffusivity array of a solute's spatial grid.
*/
public final static String diffusivitySetter = "diffusivitySetter";
/**
* Indicates an mathematical expression.
*/
public final static String expression = "expression";
/**
* Indicates a grid voxel.
*/
public final static String voxel = "vox";
/**
* Indicates a reaction: could be environmental or agent-based.
*/
public final static String reaction = "reaction";
/**
* Tag for the stoichiometry of a reaction.
*/
public final static String stoichiometric = "stoichiometric";
/**
* Tag for the stoichiometry of a reaction.
*/
public final static String stoichiometry = "stoichiometry";
/**
* Tag for a component of a reaction.
*/
public final static String component = "component";
/**
* Tag for a stoichiometric constant of a component of a reaction.
*/
public final static String coefficient = "coefficient";
/* Container Nodes */
/////////////////////
/**
* Encapsulates the entire simulation.
*/
public final static String simulation = "simulation";
/**
* Timer node.
*/
public final static String timer = "timer";
/**
* Encapsulates all simulation-wide parameters.
*/
// TODO remove?
@Deprecated
public final static String generalParams = "general";
/**
* Encapsulates all species definitions for a simulation.
*/
public final static String speciesLibrary = "speciesLib";
/**
* Encapsulates all common environmental reactions for a simulation.
*/
public final static String reactionLibrary = "reactionLib";
/**
* An agent species.
*/
public final static String species = "species";
/**
* Encapsulates all content associated with a single compartment.
*/
public final static String compartment = "compartment";
/**
* Encapsulates the child node defining the shape of a compartment.
*/
public final static String compartmentShape = "shape";
/**
* Encapsulates the child node for each dimension of a shape.
*/
public final static String shapeDimension = "dimension";
/**
* Tag for the ResolutionCalculator class that should be used for a
* dimension.
*/
public final static String resolutionCalculator = "resolutionCalculator";
/**
* Tag for the boolean denoting whether a dimension is cyclic (true) or
* not (false).
*/
public final static String isCyclic = "isCyclic";
/**
* Encapsulates the child node for a dimension boundary.
*/
public final static String dimensionBoundary = "boundary";
/**
* Tag for all extra-cellular reactions in the compartment, i.e. those
* that are not controlled by an {@code Agent}.
*/
public final static String reactions = "reactions";
/**
* Encapsulates all agents for one compartment.
*/
public final static String agents = "agents";
/**
* Encapsulates the environment (solutes, environmental reactions, etc) for
* one compartment.
*/
public final static String environment = "environment";
/**
* Encapsulates all process managers for one compartment, except arrival
* and departure processes.
*/
public final static String processManagers = "processManagers";
/**
* Process managers that run arrival processes
*/
public static final String arrivalProcesses = "arrivalProcesses";
/**
* Process managers that run departure processes
*/
public static final String departureProcesses = "departureProcesses";
/**
* Arrivals lounge is an instantiable map containing the agents arriving in
* a compartment.
*/
public final static String arrivalsLounge = "arrivalsLounge";
/* Attributes */
////////////////
/**
* General name attribute.
*/
public final static String nameAttribute = "name";
/**
* General value attribute.
*/
public final static String valueAttribute = "value";
/**
* Type indicates object type for aspect nodes.
*/
public final static String typeAttribute = "type";
/**
* Indicates XMLable java class.
*/
public final static String classAttribute = "class";
/**
* Indicates package of XMLable java class.
*/
public final static String packageAttribute = "package";
/**
* Indicates key for hashmap.
*/
public final static String keyAttribute = "key";
/**
* Indicates object type for the hashmap key.
*/
public final static String keyClassAttribute = "keyType";
/**
* Attribute can hold a comment (has no simulation effects).
*/
public final static String commentAttribute = "comment";
/**
* Attribute can hold (up to three) dimension names.
*/
// TODO check this fits in with current model building practice
public final static String dimensionNamesAttribute = "dimensions";
/**
* Attribute can hold a target resolution as a {@code double}.
*/
public final static String targetResolutionAttribute = "targetResolution";
/**
* Indicates output folder (set as simulation attribute).
*/
// TODO change to "outputFolder"?
public final static String outputFolder = "outputfolder";
/**
* Verbosity of log messages.
*/
public final static String logLevel = "log";
/**
* The size of time step that the global {@code Timer} will take.
*/
public final static String timerStepSize = "stepSize";
/**
* The time point at which the simulation will end.
*/
public final static String endOfSimulation = "endOfSimulation";
/**
* Comma separated string of {@code double}s that indicates a spatial
* point position in the compartment.
*/
public final static String position = "position";
/**
* Comma separated string of {@code int}s that indicates a grid voxel in
* the compartment.
*/
public final static String coordinates = "coord";
/**
* Indicates film layer thickness for diffusion of chemical species.
*/
public final static String layerThickness = "layerThickness";
/**
* The "default" diffusivity in the bulk/solute.
*/
public final static String defaultDiffusivity = "defaultDiffusivity";
/**
* Diffusivity in the biofilm.
*/
public final static String biofilmDiffusivity = "biofilmDiffusivity";
/**
* Indicates a threshold double value.
*/
public final static String threshold = "threshold";
/**
* Indicates a solute concentration.
*/
public final static String concentration = "concentration";
/**
* The name of the compartment from which an arrivals lounge originates
*/
public final static String originAttribute = "origin";
//////////// NOT sorted yet
/**
* Priority of a process manager.
*/
public final static String processPriority = "priority";
/**
* Priority of any given element.
* TODO merge with former (processPriority)
*/
public final static String priority = "priority";
/**
* Time for the first timestep of a process manager.
*/
public final static String processFirstStep = "firstStep";
/**
* Time step size for a process manager.
*/
public final static String processTimeStepSize = "timerStepSize";
/**
* TODO
*/
public final static String inputAttribute = "input";
/**
* Fields that can be set by the user.
*/
public final static String fields = "fields";
/**
* extreme min
*/
public final static String min = "min";
/**
* extreme max
*/
public final static String max = "max";
/**
* The class of ResolutionCalculator that a Shape should use.
*/
public final static String resCalcClass = "resolutionCalculator";
/**
* TODO
*/
public final static String solutes = "solutes";
/**
* Seed for the random number generator.
*/
public final static String seed = "randomSeed";
/**
* Object identity number.
*/
public final static String identity = "identity";
/**
* Name of the compartment for a boundary's partner boundary.
*/
public final static String partnerCompartment = "partnerCompartment";
/**
* TODO
*/
public final static String dominant = "dominant";
/**
* TODO
*/
public final static String gridMethod = "gridMethod";
/**
* TODO
*/
public final static String variable = "variable";
/**
* TODO
*/
public final static String spawnNode = "spawn";
/**
* Tag for the (integer) number of agents to create new.
*/
public final static String numberOfAgents = "number";
/**
* Tag for the region of space in which to spawn new agents.
*/
public final static String spawnDomain = "domain";
/**
* Force scalar used to scale the collision algorithm force distance
* functions
*/
public final static String forceScalar = "forceScalar";
/**
*
*/
public static final String InstantiableMapLable = "map";
/**
* species modules wrapper
*/
public static final String modules = "modules";
/**
* Timer current time (Now)
*/
public static final String currentTime = "currentTime";
/**
* Pile node label attribute
*/
public static final String nodeLabel = "nodeLabel";
/**
* Pile entry class attribute
*/
public static final String entryClassAttribute = "entryClass";
/**
* search distance for nearby eps particles
*/
public static final String epsDist = "epsDist";
/**
* agent tree type
*/
public static final String tree = "tree";
/**
* 0 or 1 refering to min or max boundary
*/
public static final String extreme = "extreme";
/**
* Referring to instantiatable list node
*/
public static final String list = "list";
/**
* Referring to instantiatable map node
*/
public static final String map = "map";
public static final String currentIter = "currentIter";
/**
* number of joints for random spawn agents
*/
public static final String numberOfJoints = "numberOfJoints";
/**
* number of points to spawn
*/
public static final String points = "points";
/**
* General range attribute.
*/
public final static String rangeAttribute = "range";
/**
* Range applicable to this attribute.
*/
public final static String rangeForAttribute = "rangeFor";
/**
* volume (for nonspatial compartment)
*/
public static final String volume = "volume";
/**
* chemostat volume flowrate
*/
public static final String volumeFlowRate = "volumeFlowRate";
/**
* transferCoefficient
*/
public static final String transferCoefficient = "transferCoefficient";
/**
* Map containing names of destinations for departure processes
*/
public static final String destinationNames = "destinationNames";
/**
* List containing names of destinations for departure processes
*/
public static final String originNames = "originNames";
/**
* define transfer coefficient to be volume specific
*/
public static final String volumeSpecific = "volumeSpecific";
/**
* chemostat volume flowrate for constant chemostat volume
*/
public static final String constantVolume = "constantVolume";
/**
* Toggle boundary agent removal on or of
*/
public static final String agentRemoval = "agentRemoval";
/**
* Indicates sub folder (set for SA or GA).
*/
public final static String subFolder = "subfolder";
/**
* Number of global time steps to skip for next xml out
*/
public static final String outputskip = "outputskip";
/**
* Number of global time steps to skip for next xml out
*/
public static final String outputTime = "outputTime";
/**
* Scaling factor determined by the real to modelled ratio
*/
public final static String compartmentScale = "scale";
/**
* Actual size of the dimension
*/
public final static String realMax = "realMax";
/**
* Actual size of the dimension
*/
public final static String realMin = "realMin";
/**
* Additional required configuration files to be loaded.
*/
public static final String configuration = "configuration";
public static final String chemicalLibrary = "chemicalLib";
public static final String chemical = "chemical";
public static final String formationGibbs = "formationGibbs";
public static final String composition = "composition";
public static final String oxidationState = "oxidationState";
public static final String halfReaction = "halfReaction";
public static final String metabolicReaction = "metabolicReaction";
/**
* allows for setting exponential (exp) range scaling in sampler
*/
public static final String rangeScaleAttribute = "scaling";
/**
* All spawners in the compartment
*/
public static final String spawners = "spawners";
public static final String spawner = "spawner";
public static final String layerShape = "layerShape";
public static final String cellShape = "cellShape";
public static final String morphology = "morphology";
public final static String agentBody = "body";
/**
* refers to linAlg orientation object (unit Vector)
*/
public static final String orientation = "orientation";
/**
*
*/
public static final String physicalObject = "physicalObject";
public static final String radius = "radius";
public static final String length = "length";
public static final String objects = "objects";
public static final String processSkips = "skips";
public static final String bookkeeper = "bookkeeper";
public static final String keeperEntry = "entry";
public static final String eventID = "eventType";
public static final String event = "event";
public static final String link = "link";
public static final String spring = "spring";
public static final String member = "member";
public static final String record = "record";
public static String nodeSystem = "nodeSystem";
public static String xmlImport = "import";
public static String forceFunction = "forceFunction";
public static String collisionDictionary = "collisionDictionary";
}
| kreft/iDynoMiCS-2 | src/referenceLibrary/XmlRef.java | 4,273 | /**
* Agent node.
*/ | block_comment | nl | package referenceLibrary;
import java.lang.reflect.Field;
import dataIO.Log;
import dataIO.Log.Tier;
/**
* \brief Single class that holds the naming of all XML tags and attributes,
* one structured place to add or make changes.
*
* @author Bastiaan Cockx @BastiaanCockx ([email protected]), DTU, Denmark
* @author Robert Clegg ([email protected]) University of Birmingham, U.K.
* @author Sankalp Arya ([email protected]) University of Nottingham, U.K.
*/
public class XmlRef
{
public static String[] getAllOptions()
{
Field[] fields = XmlRef.class.getFields();
String[] options = new String[fields.length];
int i = 0;
for ( Field f : fields )
try {
options[i++] = (String) f.get(new String());
} catch (IllegalArgumentException | IllegalAccessException e) {
Log.out(Tier.CRITICAL, "problem in ObjectRef field declaration"
+ "\n cannot obtain all options");
e.printStackTrace();
}
return options;
}
/* Nodes */
////////////
/**
* Aspect loaded by aspect interface.
*/
public final static String aspect = "aspect";
/**
* An item in a list or a hashmap.
*/
public final static String item = "item";
/**
* Agent node.
<SUF>*/
public final static String agent = "agent";
/**
* templateAgent node, used by spawner.
*/
public final static String templateAgent = "templateAgent";
/**
* Process manager node.
*/
public final static String process = "process";
/**
* Assigns species module to be part of species description.
*/
public final static String speciesModule = "speciesModule";
/**
* Parameter node, used to set general parameters.
*/
public final static String parameter = "param";
/**
* Indicates {@code surface.Point} object.
*/
public final static String point = "point";
/**
* Indicates constant in expression.
*/
public final static String constant = "constant";
/**
* Indicates constant in expression.
*/
public final static String constants = "constants";
/**
* Indicates a solute.
*/
public final static String solute = "solute";
/**
* Method for setting the diffusivity array of a solute's spatial grid.
*/
public final static String diffusivitySetter = "diffusivitySetter";
/**
* Indicates an mathematical expression.
*/
public final static String expression = "expression";
/**
* Indicates a grid voxel.
*/
public final static String voxel = "vox";
/**
* Indicates a reaction: could be environmental or agent-based.
*/
public final static String reaction = "reaction";
/**
* Tag for the stoichiometry of a reaction.
*/
public final static String stoichiometric = "stoichiometric";
/**
* Tag for the stoichiometry of a reaction.
*/
public final static String stoichiometry = "stoichiometry";
/**
* Tag for a component of a reaction.
*/
public final static String component = "component";
/**
* Tag for a stoichiometric constant of a component of a reaction.
*/
public final static String coefficient = "coefficient";
/* Container Nodes */
/////////////////////
/**
* Encapsulates the entire simulation.
*/
public final static String simulation = "simulation";
/**
* Timer node.
*/
public final static String timer = "timer";
/**
* Encapsulates all simulation-wide parameters.
*/
// TODO remove?
@Deprecated
public final static String generalParams = "general";
/**
* Encapsulates all species definitions for a simulation.
*/
public final static String speciesLibrary = "speciesLib";
/**
* Encapsulates all common environmental reactions for a simulation.
*/
public final static String reactionLibrary = "reactionLib";
/**
* An agent species.
*/
public final static String species = "species";
/**
* Encapsulates all content associated with a single compartment.
*/
public final static String compartment = "compartment";
/**
* Encapsulates the child node defining the shape of a compartment.
*/
public final static String compartmentShape = "shape";
/**
* Encapsulates the child node for each dimension of a shape.
*/
public final static String shapeDimension = "dimension";
/**
* Tag for the ResolutionCalculator class that should be used for a
* dimension.
*/
public final static String resolutionCalculator = "resolutionCalculator";
/**
* Tag for the boolean denoting whether a dimension is cyclic (true) or
* not (false).
*/
public final static String isCyclic = "isCyclic";
/**
* Encapsulates the child node for a dimension boundary.
*/
public final static String dimensionBoundary = "boundary";
/**
* Tag for all extra-cellular reactions in the compartment, i.e. those
* that are not controlled by an {@code Agent}.
*/
public final static String reactions = "reactions";
/**
* Encapsulates all agents for one compartment.
*/
public final static String agents = "agents";
/**
* Encapsulates the environment (solutes, environmental reactions, etc) for
* one compartment.
*/
public final static String environment = "environment";
/**
* Encapsulates all process managers for one compartment, except arrival
* and departure processes.
*/
public final static String processManagers = "processManagers";
/**
* Process managers that run arrival processes
*/
public static final String arrivalProcesses = "arrivalProcesses";
/**
* Process managers that run departure processes
*/
public static final String departureProcesses = "departureProcesses";
/**
* Arrivals lounge is an instantiable map containing the agents arriving in
* a compartment.
*/
public final static String arrivalsLounge = "arrivalsLounge";
/* Attributes */
////////////////
/**
* General name attribute.
*/
public final static String nameAttribute = "name";
/**
* General value attribute.
*/
public final static String valueAttribute = "value";
/**
* Type indicates object type for aspect nodes.
*/
public final static String typeAttribute = "type";
/**
* Indicates XMLable java class.
*/
public final static String classAttribute = "class";
/**
* Indicates package of XMLable java class.
*/
public final static String packageAttribute = "package";
/**
* Indicates key for hashmap.
*/
public final static String keyAttribute = "key";
/**
* Indicates object type for the hashmap key.
*/
public final static String keyClassAttribute = "keyType";
/**
* Attribute can hold a comment (has no simulation effects).
*/
public final static String commentAttribute = "comment";
/**
* Attribute can hold (up to three) dimension names.
*/
// TODO check this fits in with current model building practice
public final static String dimensionNamesAttribute = "dimensions";
/**
* Attribute can hold a target resolution as a {@code double}.
*/
public final static String targetResolutionAttribute = "targetResolution";
/**
* Indicates output folder (set as simulation attribute).
*/
// TODO change to "outputFolder"?
public final static String outputFolder = "outputfolder";
/**
* Verbosity of log messages.
*/
public final static String logLevel = "log";
/**
* The size of time step that the global {@code Timer} will take.
*/
public final static String timerStepSize = "stepSize";
/**
* The time point at which the simulation will end.
*/
public final static String endOfSimulation = "endOfSimulation";
/**
* Comma separated string of {@code double}s that indicates a spatial
* point position in the compartment.
*/
public final static String position = "position";
/**
* Comma separated string of {@code int}s that indicates a grid voxel in
* the compartment.
*/
public final static String coordinates = "coord";
/**
* Indicates film layer thickness for diffusion of chemical species.
*/
public final static String layerThickness = "layerThickness";
/**
* The "default" diffusivity in the bulk/solute.
*/
public final static String defaultDiffusivity = "defaultDiffusivity";
/**
* Diffusivity in the biofilm.
*/
public final static String biofilmDiffusivity = "biofilmDiffusivity";
/**
* Indicates a threshold double value.
*/
public final static String threshold = "threshold";
/**
* Indicates a solute concentration.
*/
public final static String concentration = "concentration";
/**
* The name of the compartment from which an arrivals lounge originates
*/
public final static String originAttribute = "origin";
//////////// NOT sorted yet
/**
* Priority of a process manager.
*/
public final static String processPriority = "priority";
/**
* Priority of any given element.
* TODO merge with former (processPriority)
*/
public final static String priority = "priority";
/**
* Time for the first timestep of a process manager.
*/
public final static String processFirstStep = "firstStep";
/**
* Time step size for a process manager.
*/
public final static String processTimeStepSize = "timerStepSize";
/**
* TODO
*/
public final static String inputAttribute = "input";
/**
* Fields that can be set by the user.
*/
public final static String fields = "fields";
/**
* extreme min
*/
public final static String min = "min";
/**
* extreme max
*/
public final static String max = "max";
/**
* The class of ResolutionCalculator that a Shape should use.
*/
public final static String resCalcClass = "resolutionCalculator";
/**
* TODO
*/
public final static String solutes = "solutes";
/**
* Seed for the random number generator.
*/
public final static String seed = "randomSeed";
/**
* Object identity number.
*/
public final static String identity = "identity";
/**
* Name of the compartment for a boundary's partner boundary.
*/
public final static String partnerCompartment = "partnerCompartment";
/**
* TODO
*/
public final static String dominant = "dominant";
/**
* TODO
*/
public final static String gridMethod = "gridMethod";
/**
* TODO
*/
public final static String variable = "variable";
/**
* TODO
*/
public final static String spawnNode = "spawn";
/**
* Tag for the (integer) number of agents to create new.
*/
public final static String numberOfAgents = "number";
/**
* Tag for the region of space in which to spawn new agents.
*/
public final static String spawnDomain = "domain";
/**
* Force scalar used to scale the collision algorithm force distance
* functions
*/
public final static String forceScalar = "forceScalar";
/**
*
*/
public static final String InstantiableMapLable = "map";
/**
* species modules wrapper
*/
public static final String modules = "modules";
/**
* Timer current time (Now)
*/
public static final String currentTime = "currentTime";
/**
* Pile node label attribute
*/
public static final String nodeLabel = "nodeLabel";
/**
* Pile entry class attribute
*/
public static final String entryClassAttribute = "entryClass";
/**
* search distance for nearby eps particles
*/
public static final String epsDist = "epsDist";
/**
* agent tree type
*/
public static final String tree = "tree";
/**
* 0 or 1 refering to min or max boundary
*/
public static final String extreme = "extreme";
/**
* Referring to instantiatable list node
*/
public static final String list = "list";
/**
* Referring to instantiatable map node
*/
public static final String map = "map";
public static final String currentIter = "currentIter";
/**
* number of joints for random spawn agents
*/
public static final String numberOfJoints = "numberOfJoints";
/**
* number of points to spawn
*/
public static final String points = "points";
/**
* General range attribute.
*/
public final static String rangeAttribute = "range";
/**
* Range applicable to this attribute.
*/
public final static String rangeForAttribute = "rangeFor";
/**
* volume (for nonspatial compartment)
*/
public static final String volume = "volume";
/**
* chemostat volume flowrate
*/
public static final String volumeFlowRate = "volumeFlowRate";
/**
* transferCoefficient
*/
public static final String transferCoefficient = "transferCoefficient";
/**
* Map containing names of destinations for departure processes
*/
public static final String destinationNames = "destinationNames";
/**
* List containing names of destinations for departure processes
*/
public static final String originNames = "originNames";
/**
* define transfer coefficient to be volume specific
*/
public static final String volumeSpecific = "volumeSpecific";
/**
* chemostat volume flowrate for constant chemostat volume
*/
public static final String constantVolume = "constantVolume";
/**
* Toggle boundary agent removal on or of
*/
public static final String agentRemoval = "agentRemoval";
/**
* Indicates sub folder (set for SA or GA).
*/
public final static String subFolder = "subfolder";
/**
* Number of global time steps to skip for next xml out
*/
public static final String outputskip = "outputskip";
/**
* Number of global time steps to skip for next xml out
*/
public static final String outputTime = "outputTime";
/**
* Scaling factor determined by the real to modelled ratio
*/
public final static String compartmentScale = "scale";
/**
* Actual size of the dimension
*/
public final static String realMax = "realMax";
/**
* Actual size of the dimension
*/
public final static String realMin = "realMin";
/**
* Additional required configuration files to be loaded.
*/
public static final String configuration = "configuration";
public static final String chemicalLibrary = "chemicalLib";
public static final String chemical = "chemical";
public static final String formationGibbs = "formationGibbs";
public static final String composition = "composition";
public static final String oxidationState = "oxidationState";
public static final String halfReaction = "halfReaction";
public static final String metabolicReaction = "metabolicReaction";
/**
* allows for setting exponential (exp) range scaling in sampler
*/
public static final String rangeScaleAttribute = "scaling";
/**
* All spawners in the compartment
*/
public static final String spawners = "spawners";
public static final String spawner = "spawner";
public static final String layerShape = "layerShape";
public static final String cellShape = "cellShape";
public static final String morphology = "morphology";
public final static String agentBody = "body";
/**
* refers to linAlg orientation object (unit Vector)
*/
public static final String orientation = "orientation";
/**
*
*/
public static final String physicalObject = "physicalObject";
public static final String radius = "radius";
public static final String length = "length";
public static final String objects = "objects";
public static final String processSkips = "skips";
public static final String bookkeeper = "bookkeeper";
public static final String keeperEntry = "entry";
public static final String eventID = "eventType";
public static final String event = "event";
public static final String link = "link";
public static final String spring = "spring";
public static final String member = "member";
public static final String record = "record";
public static String nodeSystem = "nodeSystem";
public static String xmlImport = "import";
public static String forceFunction = "forceFunction";
public static String collisionDictionary = "collisionDictionary";
}
|
204972_20 | package com.topic.model;
/*
* This program is free software; you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation; either version 2 of the License, or
* (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License along with this
* program.
*/
import java.io.IOException;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
import com.topic.utils.FileUtil;
import com.topic.utils.FuncUtils;
/**
* TopicModel4J: A Java package for topic models
*
* Gibbs sampling for BTM
*
* Reference:
* Cheng X, Yan X, Lan Y, et al. Btm: Topic modeling over short texts[J]. IEEE Transactions on Knowledge and Data Engineering, 2014, 26(12): 2928-2941.
* Yan X, Guo J, Lan Y, et al. A biterm topic model for short texts[C]//Proceedings of the 22nd international conference on World Wide Web. ACM, 2013: 1445-1456.
*
* @author: Yang Qian,Yuanchun Jian,Yidong Chai,Yezheng Liu,Jianshan Sun (HeFei University of Technology)
*/
public class BTM
{
public double alpha; // Hyper-parameter alpha
public double beta; // Hyper-parameter beta
public int K; // number of topics
public int iterations; // number of iterations
public Map<String, Integer> wordToIndexMap = new HashMap<String, Integer>();; //word to index
public List<String> indexToWordMap = new ArrayList<String>(); //index to String word
public int M; // number of documents in the corpus
public int V; // number of words in the corpus
public int [][] docword;//word index array
//biterm realted
public int[][] biterms;
public int windowSize;
public int[] z;
public int[][] nkw;
public int[] nkw_sum;
public int[] nk;
//output
public int topWordsOutputNumber;
public String outputFileDirectory;
public BTM(String inputFile, String inputFileCode, int topicNumber,
double inputAlpha, double inputBeta, int inputIterations, int inTopWords, int windowS,
String outputFileDir){
//read data
ArrayList<String> docLines = new ArrayList<String>();
FileUtil.readLines(inputFile, docLines,inputFileCode);
M = docLines.size();
docword = new int[M][];
int j = 0;
for(String line : docLines){
List<String> words = new ArrayList<String>();
FileUtil.tokenizeAndLowerCase(line, words);
docword[j] = new int[words.size()];
for(int i = 0; i < words.size(); i++){
String word = words.get(i);
if(!wordToIndexMap.containsKey(word)){
int newIndex = wordToIndexMap.size();
wordToIndexMap.put(word, newIndex);
indexToWordMap.add(word);
docword[j][i] = newIndex;
} else {
docword[j][i] = wordToIndexMap.get(word);
}
}
j++;
}
V = indexToWordMap.size();
alpha = inputAlpha;
beta = inputBeta;
K = topicNumber;
windowSize = windowS;
iterations = inputIterations;
topWordsOutputNumber = inTopWords;
outputFileDirectory = outputFileDir;
//generate biterms
biterms = generateBiterms(docword, windowSize);
//initialize
initialize();
}
/**
* Randomly assign the topic for each biterm
*/
public void initialize(){
//Biterm size
int NB = biterms.length;
//biterm realted
z = new int[NB];
nkw = new int[K][V];
nkw_sum = new int[K];
nk = new int[K];
for (int b = 0; b < NB; ++b) {
int topic = (int) (Math.random() * K);
z[b] = topic;
nkw[topic][biterms[b][0]]++;
nkw[topic][biterms[b][1]]++;
nk[topic]++;
nkw_sum[topic] += 2;
}
}
public void MCMCSampling(){
for (int iter = 1; iter <= iterations; iter++) {
System.out.println("iteration : " + iter);
gibbsOneIteration();
}
// output the result
writeTopWordsWithProbability();
writeTopicDistri();
writeTopicDocument();
// writeTopWords();
}
public void gibbsOneIteration() {
for (int i = 0; i < biterms.length; i++) {
int topic = z[i];
updateCount(i, topic, 0);
double[] p = new double[K];
for (int k = 0; k < K; ++k) {
p[k] = (nk[k] + alpha) * ((nkw[k][biterms[i][0]] + beta) / (nkw_sum[k] + V * beta))
* ((nkw[k][biterms[i][1]] + beta) / (nkw_sum[k] + V * beta + 1));
}
topic = FuncUtils.rouletteGambling(p); //roulette gambling for updating the topic of a word
z[i] = topic;
updateCount(i, topic, 1);
}
}
/**
* update the count nkw, nk and nkw_sum
*
* @param biterm
* @param topic
* @param flag
* @return null
*/
void updateCount(int biterm, int topic, int flag) {
if (flag == 0) {
nkw[topic][biterms[biterm][0]]--;
nkw[topic][biterms[biterm][1]]--;
nk[topic]--;
nkw_sum[topic] -= 2;
}else {
nkw[topic][biterms[biterm][0]]++;
nkw[topic][biterms[biterm][1]]++;
nk[topic]++;
nkw_sum[topic] += 2;
}
}
/**
* obtain the parameter theta
*/
public double[] estimateTheta() {
double[] theta = new double[K];
for (int k = 0; k < K; k++) {
theta[k] = (nk[k] + alpha) / (biterms.length + K * alpha);
}
return theta;
}
/**
* obtain the parameter phi
*/
public double[][] estimatePhi() {
double[][] phi = new double[K][V];
for (int k = 0; k < K; k++) {
for (int w = 0; w < V; w++) {
phi[k][w] = (nkw[k][w] + beta) / (nkw_sum[k] + V * beta);
}
}
return phi;
}
/**
* evaluating the topic posterior P(z|d) for document d
*/
public double[][] estimatePdz() {
double[][] phi = estimatePhi();
double[] theta = estimateTheta();
double[][] pdz = new double[docword.length][K];
System.out.println(docword.length);
for (int i = 0; i < docword.length; i++) {
int[] document = docword[i];
int[][] bitermsDoc = generateBitermsForOneDoc(document, windowSize);
double pzb[] = new double[K];
for(int b = 0 ;b < bitermsDoc.length; b++){
double sum = 0.0;
for( int k=0; k < K; k++){
pzb[k] = theta[k] * phi[k][bitermsDoc[b][0]] * phi[k][bitermsDoc[b][1]];
sum += pzb[k];
}
//normalize pzb
for (int k=0; k < K; k++) {
pzb[k] = pzb[k]/sum;
pdz[i][k] += pzb[k];
}
}
}
//normalize pdz
for (int i = 0; i < pdz.length; i++) {
for (int k = 0; k < pdz[i].length; k++) {
pdz[i][k] = pdz[i][k]/generateBitermsForOneDoc(docword[i], windowSize).length;
}
}
return pdz;
}
/**
* write top words with probability for each topic
*/
public void writeTopWordsWithProbability(){
StringBuilder sBuilder = new StringBuilder();
double[][] phi = estimatePhi();
int topicNumber = 1;
for (double[] phi_z : phi) {
sBuilder.append("Topic:" + topicNumber + "\n");
for (int i = 0; i < topWordsOutputNumber; i++) {
int max_index = FuncUtils.maxValueIndex(phi_z);
sBuilder.append(indexToWordMap.get(max_index) + " :" + phi_z[max_index] + "\n");
phi_z[max_index] = 0;
}
sBuilder.append("\n");
topicNumber++;
}
try {
FileUtil.writeFile(outputFileDirectory + "BTM_topic_word_" + K + ".txt", sBuilder.toString(),"gbk");
} catch (IOException e) {
e.printStackTrace();
}
}
/**
* write top words with probability for each topic
*/
public void writeTopWords(){
StringBuilder sBuilder = new StringBuilder();
double[][] phi = estimatePhi();
for (double[] phi_z : phi) {
for (int i = 0; i < topWordsOutputNumber; i++) {
int max_index = FuncUtils.maxValueIndex(phi_z);
sBuilder.append(indexToWordMap.get(max_index) + "\t");
phi_z[max_index] = 0;
}
sBuilder.append("\n");
}
try {
FileUtil.writeFile(outputFileDirectory + "BTM_topic_wordnop_" + K + ".txt", sBuilder.toString(),"gbk");
} catch (IOException e) {
e.printStackTrace();
}
}
/**
* write theta for each topic
*/
public void writeTopicDistri(){
double[] theta = estimateTheta();
StringBuilder sBuilder = new StringBuilder();
for (int k = 0; k < K; k++) {
sBuilder.append(theta[k] + "\n");
}
try {
FileUtil.writeFile(outputFileDirectory + "BTM_topic_theta_" + K + ".txt", sBuilder.toString(),"gbk");
} catch (IOException e) {
e.printStackTrace();
}
}
/**
* write topic components for each document
*/
public void writeTopicDocument(){
double[][] pdz = estimatePdz();
StringBuilder sBuilder = new StringBuilder();
for (int i = 0; i < K; i++) {
sBuilder.append("Topic" + (i+1) + "\t");
}
for (int d = 0; d < pdz.length; d++) {
StringBuilder doc = new StringBuilder();
for (int k = 0; k < pdz[d].length; k++) {
doc.append(pdz[d][k] + "\t");
}
sBuilder.append(doc.toString().trim() + "\n");
}
try {
FileUtil.writeFile(outputFileDirectory + "BTM_doc_topic_" + K + ".txt", sBuilder.toString(),"gbk");
} catch (IOException e) {
e.printStackTrace();
}
}
/**
* generate biterms
* @param documents
* @param windowSize
* @return biterms
*/
public int[][] generateBiterms(int[][] documents, int windowSize) {
List<int[]> list = new ArrayList<int[]>();
for (int d = 0; d < documents.length; ++d) {
for (int i = 0; i < documents[d].length - 1; ++i) {
for (int j = i + 1; j < Math.min(i + windowSize, documents[d].length); ++j) {
list.add(new int[]{documents[d][i], documents[d][j]});
}
}
}
int[][] biterms = new int[list.size()][2];
list.toArray(biterms);
return biterms;
}
/**
* generate biterms for a document
* @param documents
* @param windowSize
* @return biterms
*/
public int[][] generateBitermsForOneDoc(int[] document, int windowSize) {
List<int[]> list = new ArrayList<int[]>();
for (int i = 0; i < document.length - 1; ++i) {
for (int j = i + 1; j < Math.min(i + windowSize, document.length); ++j) {
list.add(new int[]{document[i], document[j]});
}
}
int[][] biterms = new int[list.size()][2];
list.toArray(biterms);
return biterms;
}
public static void main(String args[]) throws Exception{
BTM btm = new BTM("data/shortdoc.txt", "utf-8", 50, 0.1,
0.01, 100, 50, 50, "data/ldaoutput/");
btm.MCMCSampling();
}
}
| soberqian/TopicModel4J | src/main/java/com/topic/model/BTM.java | 3,604 | /**
* generate biterms
* @param documents
* @param windowSize
* @return biterms
*/ | block_comment | nl | package com.topic.model;
/*
* This program is free software; you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation; either version 2 of the License, or
* (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License along with this
* program.
*/
import java.io.IOException;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
import com.topic.utils.FileUtil;
import com.topic.utils.FuncUtils;
/**
* TopicModel4J: A Java package for topic models
*
* Gibbs sampling for BTM
*
* Reference:
* Cheng X, Yan X, Lan Y, et al. Btm: Topic modeling over short texts[J]. IEEE Transactions on Knowledge and Data Engineering, 2014, 26(12): 2928-2941.
* Yan X, Guo J, Lan Y, et al. A biterm topic model for short texts[C]//Proceedings of the 22nd international conference on World Wide Web. ACM, 2013: 1445-1456.
*
* @author: Yang Qian,Yuanchun Jian,Yidong Chai,Yezheng Liu,Jianshan Sun (HeFei University of Technology)
*/
public class BTM
{
public double alpha; // Hyper-parameter alpha
public double beta; // Hyper-parameter beta
public int K; // number of topics
public int iterations; // number of iterations
public Map<String, Integer> wordToIndexMap = new HashMap<String, Integer>();; //word to index
public List<String> indexToWordMap = new ArrayList<String>(); //index to String word
public int M; // number of documents in the corpus
public int V; // number of words in the corpus
public int [][] docword;//word index array
//biterm realted
public int[][] biterms;
public int windowSize;
public int[] z;
public int[][] nkw;
public int[] nkw_sum;
public int[] nk;
//output
public int topWordsOutputNumber;
public String outputFileDirectory;
public BTM(String inputFile, String inputFileCode, int topicNumber,
double inputAlpha, double inputBeta, int inputIterations, int inTopWords, int windowS,
String outputFileDir){
//read data
ArrayList<String> docLines = new ArrayList<String>();
FileUtil.readLines(inputFile, docLines,inputFileCode);
M = docLines.size();
docword = new int[M][];
int j = 0;
for(String line : docLines){
List<String> words = new ArrayList<String>();
FileUtil.tokenizeAndLowerCase(line, words);
docword[j] = new int[words.size()];
for(int i = 0; i < words.size(); i++){
String word = words.get(i);
if(!wordToIndexMap.containsKey(word)){
int newIndex = wordToIndexMap.size();
wordToIndexMap.put(word, newIndex);
indexToWordMap.add(word);
docword[j][i] = newIndex;
} else {
docword[j][i] = wordToIndexMap.get(word);
}
}
j++;
}
V = indexToWordMap.size();
alpha = inputAlpha;
beta = inputBeta;
K = topicNumber;
windowSize = windowS;
iterations = inputIterations;
topWordsOutputNumber = inTopWords;
outputFileDirectory = outputFileDir;
//generate biterms
biterms = generateBiterms(docword, windowSize);
//initialize
initialize();
}
/**
* Randomly assign the topic for each biterm
*/
public void initialize(){
//Biterm size
int NB = biterms.length;
//biterm realted
z = new int[NB];
nkw = new int[K][V];
nkw_sum = new int[K];
nk = new int[K];
for (int b = 0; b < NB; ++b) {
int topic = (int) (Math.random() * K);
z[b] = topic;
nkw[topic][biterms[b][0]]++;
nkw[topic][biterms[b][1]]++;
nk[topic]++;
nkw_sum[topic] += 2;
}
}
public void MCMCSampling(){
for (int iter = 1; iter <= iterations; iter++) {
System.out.println("iteration : " + iter);
gibbsOneIteration();
}
// output the result
writeTopWordsWithProbability();
writeTopicDistri();
writeTopicDocument();
// writeTopWords();
}
public void gibbsOneIteration() {
for (int i = 0; i < biterms.length; i++) {
int topic = z[i];
updateCount(i, topic, 0);
double[] p = new double[K];
for (int k = 0; k < K; ++k) {
p[k] = (nk[k] + alpha) * ((nkw[k][biterms[i][0]] + beta) / (nkw_sum[k] + V * beta))
* ((nkw[k][biterms[i][1]] + beta) / (nkw_sum[k] + V * beta + 1));
}
topic = FuncUtils.rouletteGambling(p); //roulette gambling for updating the topic of a word
z[i] = topic;
updateCount(i, topic, 1);
}
}
/**
* update the count nkw, nk and nkw_sum
*
* @param biterm
* @param topic
* @param flag
* @return null
*/
void updateCount(int biterm, int topic, int flag) {
if (flag == 0) {
nkw[topic][biterms[biterm][0]]--;
nkw[topic][biterms[biterm][1]]--;
nk[topic]--;
nkw_sum[topic] -= 2;
}else {
nkw[topic][biterms[biterm][0]]++;
nkw[topic][biterms[biterm][1]]++;
nk[topic]++;
nkw_sum[topic] += 2;
}
}
/**
* obtain the parameter theta
*/
public double[] estimateTheta() {
double[] theta = new double[K];
for (int k = 0; k < K; k++) {
theta[k] = (nk[k] + alpha) / (biterms.length + K * alpha);
}
return theta;
}
/**
* obtain the parameter phi
*/
public double[][] estimatePhi() {
double[][] phi = new double[K][V];
for (int k = 0; k < K; k++) {
for (int w = 0; w < V; w++) {
phi[k][w] = (nkw[k][w] + beta) / (nkw_sum[k] + V * beta);
}
}
return phi;
}
/**
* evaluating the topic posterior P(z|d) for document d
*/
public double[][] estimatePdz() {
double[][] phi = estimatePhi();
double[] theta = estimateTheta();
double[][] pdz = new double[docword.length][K];
System.out.println(docword.length);
for (int i = 0; i < docword.length; i++) {
int[] document = docword[i];
int[][] bitermsDoc = generateBitermsForOneDoc(document, windowSize);
double pzb[] = new double[K];
for(int b = 0 ;b < bitermsDoc.length; b++){
double sum = 0.0;
for( int k=0; k < K; k++){
pzb[k] = theta[k] * phi[k][bitermsDoc[b][0]] * phi[k][bitermsDoc[b][1]];
sum += pzb[k];
}
//normalize pzb
for (int k=0; k < K; k++) {
pzb[k] = pzb[k]/sum;
pdz[i][k] += pzb[k];
}
}
}
//normalize pdz
for (int i = 0; i < pdz.length; i++) {
for (int k = 0; k < pdz[i].length; k++) {
pdz[i][k] = pdz[i][k]/generateBitermsForOneDoc(docword[i], windowSize).length;
}
}
return pdz;
}
/**
* write top words with probability for each topic
*/
public void writeTopWordsWithProbability(){
StringBuilder sBuilder = new StringBuilder();
double[][] phi = estimatePhi();
int topicNumber = 1;
for (double[] phi_z : phi) {
sBuilder.append("Topic:" + topicNumber + "\n");
for (int i = 0; i < topWordsOutputNumber; i++) {
int max_index = FuncUtils.maxValueIndex(phi_z);
sBuilder.append(indexToWordMap.get(max_index) + " :" + phi_z[max_index] + "\n");
phi_z[max_index] = 0;
}
sBuilder.append("\n");
topicNumber++;
}
try {
FileUtil.writeFile(outputFileDirectory + "BTM_topic_word_" + K + ".txt", sBuilder.toString(),"gbk");
} catch (IOException e) {
e.printStackTrace();
}
}
/**
* write top words with probability for each topic
*/
public void writeTopWords(){
StringBuilder sBuilder = new StringBuilder();
double[][] phi = estimatePhi();
for (double[] phi_z : phi) {
for (int i = 0; i < topWordsOutputNumber; i++) {
int max_index = FuncUtils.maxValueIndex(phi_z);
sBuilder.append(indexToWordMap.get(max_index) + "\t");
phi_z[max_index] = 0;
}
sBuilder.append("\n");
}
try {
FileUtil.writeFile(outputFileDirectory + "BTM_topic_wordnop_" + K + ".txt", sBuilder.toString(),"gbk");
} catch (IOException e) {
e.printStackTrace();
}
}
/**
* write theta for each topic
*/
public void writeTopicDistri(){
double[] theta = estimateTheta();
StringBuilder sBuilder = new StringBuilder();
for (int k = 0; k < K; k++) {
sBuilder.append(theta[k] + "\n");
}
try {
FileUtil.writeFile(outputFileDirectory + "BTM_topic_theta_" + K + ".txt", sBuilder.toString(),"gbk");
} catch (IOException e) {
e.printStackTrace();
}
}
/**
* write topic components for each document
*/
public void writeTopicDocument(){
double[][] pdz = estimatePdz();
StringBuilder sBuilder = new StringBuilder();
for (int i = 0; i < K; i++) {
sBuilder.append("Topic" + (i+1) + "\t");
}
for (int d = 0; d < pdz.length; d++) {
StringBuilder doc = new StringBuilder();
for (int k = 0; k < pdz[d].length; k++) {
doc.append(pdz[d][k] + "\t");
}
sBuilder.append(doc.toString().trim() + "\n");
}
try {
FileUtil.writeFile(outputFileDirectory + "BTM_doc_topic_" + K + ".txt", sBuilder.toString(),"gbk");
} catch (IOException e) {
e.printStackTrace();
}
}
/**
* generate biterms
<SUF>*/
public int[][] generateBiterms(int[][] documents, int windowSize) {
List<int[]> list = new ArrayList<int[]>();
for (int d = 0; d < documents.length; ++d) {
for (int i = 0; i < documents[d].length - 1; ++i) {
for (int j = i + 1; j < Math.min(i + windowSize, documents[d].length); ++j) {
list.add(new int[]{documents[d][i], documents[d][j]});
}
}
}
int[][] biterms = new int[list.size()][2];
list.toArray(biterms);
return biterms;
}
/**
* generate biterms for a document
* @param documents
* @param windowSize
* @return biterms
*/
public int[][] generateBitermsForOneDoc(int[] document, int windowSize) {
List<int[]> list = new ArrayList<int[]>();
for (int i = 0; i < document.length - 1; ++i) {
for (int j = i + 1; j < Math.min(i + windowSize, document.length); ++j) {
list.add(new int[]{document[i], document[j]});
}
}
int[][] biterms = new int[list.size()][2];
list.toArray(biterms);
return biterms;
}
public static void main(String args[]) throws Exception{
BTM btm = new BTM("data/shortdoc.txt", "utf-8", 50, 0.1,
0.01, 100, 50, 50, "data/ldaoutput/");
btm.MCMCSampling();
}
}
|
205015_15 | package hadoop.data.analysis.text;
import hadoop.data.analysis.ranges.HouseRanges;
import hadoop.data.analysis.ranges.RentRanges;
import org.apache.hadoop.io.Text;
import org.apache.hadoop.mapreduce.Reducer;
import org.apache.hadoop.mapreduce.lib.output.MultipleOutputs;
import java.io.IOException;
import java.math.BigDecimal;
import java.text.DecimalFormat;
import java.util.*;
public class TextReducer extends Reducer<Text, CustomWritable, Text, Text> {
private MultipleOutputs multipleOutputs;
private List<Double> averageList = new ArrayList<>();
private Map<Text, Double> elderlyMap = new HashMap<>();
private Text mostElderlyState = new Text();
private double currentMax = 0;
/**
* Writes answers to each question in their own files.
* @param context MapReduce context
* @throws IOException
* @throws InterruptedException
*/
public void setup(Context context) throws IOException, InterruptedException {
multipleOutputs = new MultipleOutputs(context);
multipleOutputs.write("question1", new Text("\nQuestion 1:\n" +
"Percentage of residences rented vs. owned"), new Text(" \n"));
multipleOutputs.write("question2", new Text("\nQuestion 2:\n" +
"Percentage of males and females of the state population that never married"), new Text(" \n"));
multipleOutputs.write("question3a", new Text("\nQuestion 3a:\n" +
"Percentage of hispanic population <= 18 years old"), new Text(" \n"));
multipleOutputs.write("question3b", new Text("\nQuestion 3b:\n" +
"Percentage of hispanic population >= 19 and <= 29"), new Text(" \n"));
multipleOutputs.write("question3c", new Text("\nQuestion 3c:\n" +
"Percentage of hispanic population >= 30 and <= 39"), new Text(" \n"));
multipleOutputs.write("question4", new Text("\nQuestion 4:\n" +
"Percentage of rural households vs. urban households"), new Text(" \n"));
multipleOutputs.write("question5", new Text("\nQuestion 5:\n" +
"Median value of houses occupied by owners"), new Text(" \n"));
multipleOutputs.write("question6", new Text("\nQuestion 6:\n" +
"Median rent paid by households"), new Text(" \n"));
multipleOutputs.write("question7", new Text("\nQuestion 7:\n" +
"95th percentile of the average number of rooms per house"), new Text(" \n"));
multipleOutputs.write("question8", new Text("\nQuestion 8:\n" +
"State that has the highest percentage of people aged > 85"), new Text(" \n"));
multipleOutputs.write("question9", new Text("\nQuestion 9:\n" +
"Does the amount of urban and rural population influence the population of children < 17 or " +
"the number of males/females per state?"),
new Text(" \n"));
}
/**
* Sums all values and sets the final values for each variable. Performs calculations as necessary and
* writes to output file.
* @param key state
* @param values MapMultiple objects that contain values for each state
* @param context MapReduce context
* @throws IOException
* @throws InterruptedException
*/
@Override
protected void reduce(Text key, Iterable<CustomWritable> values, Context context) throws IOException, InterruptedException {
Map<Integer, Double> rentRangeMap = new TreeMap<>();
Map<Integer, Double> houseRangeMap = new TreeMap<>();
HouseRanges houseRanges = HouseRanges.getInstance();
RentRanges rentRanges = RentRanges.getInstance();
double totalRent = 0;
double totalOwn = 0;
double totalPopulation = 0;
double totalMalesNeverMarried = 0;
double totalFemalesNeverMarried = 0;
double totalHispanicPopulation = 0;
double hispanicMalesUnder18 = 0;
double hispanicFemalesUnder18 = 0;
double hispanicMales19to29 = 0;
double hispanicFemales19to29 = 0;
double hispanicMales30to39 = 0;
double hispanicFemales30to39 = 0;
double ruralHouseholds = 0;
double urbanHouseholds = 0;
double totalHouses = 0;
double totalRenters = 0;
double totalRooms = 0;
double averageRooms = 0;
double elderlyPopulation = 0;
double urbanPopulation = 0;
double ruralPopulation = 0;
double childrenUnder1To11 = 0;
double children12To17 = 0;
double hispanicChildrenUnder1To11 = 0;
double hispanicChildren12To17 = 0;
double totalMales = 0;
double totalFemales = 0;
Double[] homeDoubles = {0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0};
Double[] rentDoubles = {0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0};
Double[] roomDoubles = {0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0};
for (CustomWritable cw : values) {
totalRent += Double.parseDouble(cw.getQuestionOne().split(":")[0]);
totalOwn += Double.parseDouble(cw.getQuestionOne().split(":")[1]);
totalPopulation += Double.parseDouble(cw.getQuestionTwo().split(":")[0]);
totalMalesNeverMarried += Double.parseDouble(cw.getQuestionTwo().split(":")[1]);
totalFemalesNeverMarried += Double.parseDouble(cw.getQuestionTwo().split(":")[2]);
totalHispanicPopulation += Double.parseDouble(cw.getQuestionThree().split(":")[0]);
hispanicMalesUnder18 += Double.parseDouble(cw.getQuestionThree().split(":")[1]);
hispanicMales19to29 += Double.parseDouble(cw.getQuestionThree().split(":")[2]);
hispanicMales30to39 += Double.parseDouble(cw.getQuestionThree().split(":")[3]);
hispanicFemalesUnder18 += Double.parseDouble(cw.getQuestionThree().split(":")[4]);
hispanicFemales19to29 += Double.parseDouble(cw.getQuestionThree().split(":")[5]);
hispanicFemales30to39 += Double.parseDouble(cw.getQuestionThree().split(":")[6]);
ruralHouseholds += Double.parseDouble(cw.getQuestionFour().split(":")[0]);
urbanHouseholds += Double.parseDouble(cw.getQuestionFour().split(":")[1]);
totalHouses += Double.parseDouble(cw.getQuestionFiveTotalHomes());
String[] intermediateStringData = cw.getQuestionFiveHomeValues().split(":");
for (int i = 0; i < intermediateStringData.length; i++) {
homeDoubles[i] += Double.parseDouble(intermediateStringData[i]);
}
totalRenters += Double.parseDouble(cw.getQuestionSixTotalRenters());
intermediateStringData = cw.getQuestionSixRenterValues().split(":");
for (int i = 0; i < intermediateStringData.length; i++) {
rentDoubles[i] += Double.parseDouble(intermediateStringData[i]);
}
totalRooms += Double.parseDouble(cw.getQuestionSevenDwellingsWithRooms());
intermediateStringData = cw.getQuestionSevenRoomsPerHouse().split(":");
for (int i = 0; i < intermediateStringData.length; i++) {
roomDoubles[i] += Double.parseDouble(intermediateStringData[i]);
}
elderlyPopulation += Double.parseDouble(cw.getQuestionEight().split(":")[0]);
elderlyMap.put(key, Double.parseDouble(calculatePercentage(elderlyPopulation, totalPopulation)));
urbanPopulation += Double.parseDouble(cw.getQuestionNine().split(":")[0]);
ruralPopulation += Double.parseDouble(cw.getQuestionNine().split(":")[1]);
childrenUnder1To11 += Double.parseDouble(cw.getQuestionNine().split(":")[2]);
children12To17 += Double.parseDouble(cw.getQuestionNine().split(":")[3]);
hispanicChildrenUnder1To11 += Double.parseDouble(cw.getQuestionNine().split(":")[4]);
hispanicChildren12To17 += Double.parseDouble(cw.getQuestionNine().split(":")[5]);
totalMales += Double.parseDouble(cw.getQuestionNine().split(":")[6]);
totalFemales += Double.parseDouble(cw.getQuestionNine().split(":")[7]);
}
//put home values into an array so they can be put into a map with the ranges
for (int i = 0; i < 20; i++) {
houseRangeMap.put(houseRanges.getHousingIntegers()[i], homeDoubles[i]);
}
//put rent values into an array so they can be put into a map with the ranges
for (int i = 0; i < 17; i++) {
rentRangeMap.put(rentRanges.getIntegerRents()[i], rentDoubles[i]);
}
//multiply rooms to get total rooms in state for average calculation
for (int i = 0; i < roomDoubles.length; i++) {
roomDoubles[i] = (roomDoubles[i] * (i+1));
}
DecimalFormat dF = new DecimalFormat("##.00");
double average = calculateAverageRooms(roomDoubles, totalRooms);
if (!Double.isNaN(average) && !Double.isInfinite(average)) {
double formattedAverage = Double.parseDouble(dF.format(average));
averageRooms = formattedAverage;
} else {
averageRooms = 0;
}
if (averageRooms != 0) {
averageList.add(averageRooms);
}
//write answers for each state
multipleOutputs.write("question1", key, new Text(
" rent: " + calculatePercentage(totalRent, (totalRent + totalOwn)) + "% | own: "
+ calculatePercentage(totalOwn, (totalRent + totalOwn)) + "%"));
multipleOutputs.write("question2", key, new Text(
" Males: " +
calculatePercentage(totalMalesNeverMarried, totalPopulation)
+ "% | Females: " +
calculatePercentage(totalFemalesNeverMarried, totalPopulation) + "%"));
multipleOutputs.write("question3a", key, new Text(
" Males: " + calculatePercentage(hispanicMalesUnder18, totalHispanicPopulation) +
"% | Females: " + calculatePercentage(hispanicFemalesUnder18, totalHispanicPopulation) +
"%"));
multipleOutputs.write("question3b", key, new Text(
" Males: " + calculatePercentage(hispanicMales19to29, totalHispanicPopulation) +
"% | Females: " + calculatePercentage(hispanicFemales19to29, totalHispanicPopulation) +
"%"));
multipleOutputs.write("question3c", key, new Text(
" Males: " + calculatePercentage(hispanicMales30to39, totalHispanicPopulation) +
"% | Females: " + calculatePercentage(hispanicFemales30to39, totalHispanicPopulation) +
"%"));
multipleOutputs.write("question4", key, new Text(
" Rural: " + calculatePercentage(ruralHouseholds, (ruralHouseholds + urbanHouseholds)) +
"% | Urban: " + calculatePercentage(urbanHouseholds, (ruralHouseholds + urbanHouseholds)) +
"%"));
multipleOutputs.write("question5", key, new Text(
" " + calculateMedian(houseRangeMap, houseRanges.getRanges(), totalHouses)));
multipleOutputs.write("question6", key, new Text(
" " + calculateMedian(rentRangeMap, rentRanges.getRanges(), totalRenters)));
multipleOutputs.write("question9", key, new Text(
calculatePercentage(urbanPopulation, totalPopulation) + ":" +
calculatePercentage(ruralPopulation, totalPopulation) +
":" + calculatePercentage(childrenUnder1To11, totalPopulation) +
":" + calculatePercentage(children12To17, totalPopulation) +
":" + calculatePercentage(hispanicChildrenUnder1To11, totalPopulation) +
":" + calculatePercentage(hispanicChildren12To17, totalPopulation) +
":" + calculatePercentage(totalMales, totalPopulation) +
":" + calculatePercentage(totalFemales, totalPopulation)));
stateWithMostElderlyPeople(elderlyMap);
}
/**
* Close multiple outputs, otherwise the results might not be written to output files.
* Also writes questions 7 and 8 because the answer only contains one data point instead of one
* for each state.
* @param context MapReduce context
* @throws IOException
* @throws InterruptedException
*/
@Override
protected void cleanup(Context context) throws IOException, InterruptedException {
multipleOutputs.write("question7", "", new Text(
calculateNinetyFifthPercentile(averageList) + " rooms"));
multipleOutputs.write("question8", mostElderlyState, new Text(
" " + currentMax + "%"));
super.cleanup(context);
multipleOutputs.close();
}
/**
* Calculate percentage, ignores answer if impossible number is calculated (VI and PR
* generally cause this)
* @param numerator
* @param denominator
* @return
*/
private String calculatePercentage(double numerator, double denominator) {
DecimalFormat decimalFormat = new DecimalFormat("##.00");
double percentage = (numerator / denominator) * 100;
if (Double.isInfinite(percentage) || percentage > 100 || percentage < 0) {
return "N/A";
} else {
return decimalFormat.format(percentage);
}
}
/**
* Calculates median, returns N/A if no iterations were performed (no data was collected).
* The current count is tracked because this is calculating the median from ranges, not from
* each data point.
* @param map map of ranges (key) and quantity per range (value)
* @param dataArray array of ranges
* @param totalNumber total number of the variable that's being examined (home values or rent ranges)
* @return answer
*/
private String calculateMedian(Map<Integer, Double> map, String[] dataArray, double totalNumber) {
int currentCount = 0;
int iterations = 0;
double dividingPoint = totalNumber * 0.50;
for (Integer key : map.keySet()) {
currentCount += map.get(key);
iterations++;
if (currentCount > dividingPoint) {
break;
}
}
String relevantRange = "N/A";
if (iterations != 0) {
relevantRange = dataArray[iterations - 1];
}
// //debug
// String test = "";
// test += iterations + ":" + dividingPoint + ":" + totalNumber + "\n" + map.values().toString() + "\n";
// for (Integer key : map.keySet()) {
// test += "[";
// test += key.toString() + ", ";
// test += map.get(key) + "]\n";
// }
// test += "***" + relevantRange + "***";
return relevantRange;
}
/**
* Calculates 95th percentile of the given list. If the result of list * .95 divides evenly,
* that number is the 95th percentile. Otherwise, the next result is in the 95th percentile.
* @param list list to calculate 95th percentile from
* @return
*/
private String calculateNinetyFifthPercentile(List<Double> list) {
Collections.sort(list);
BigDecimal ninetyFifthPercentile = null;
double rawPercentile = list.size() * 0.95;
if (rawPercentile % 1 == 0) {
ninetyFifthPercentile = new BigDecimal(rawPercentile).setScale(0);
}
if (rawPercentile % 1 != 0) {
ninetyFifthPercentile = new BigDecimal(rawPercentile).setScale(0, BigDecimal.ROUND_UP);
}
int ninetyFifthPercentilePosition = ninetyFifthPercentile.intValueExact();
double ninetyFifthPercentileNumber = list.get(ninetyFifthPercentilePosition - 1);
String answer = Double.toString(ninetyFifthPercentileNumber);
// debug
// String test = "";
// test += ninetyFifthPercentile + ":" + ninetyFifthPercentilePosition + "\n" + list.toString() + "\n";
// test += list.size() + "\n";
// test += "***" + ninetyFifthPercentileNumber + "***";
return answer;
}
private double calculateAverageRooms(Double[] rooms, double totalHouses) {
double actualRoomQuantity = 0;
for (int i = 0; i < 9; i++) {
actualRoomQuantity += rooms[i];
}
return actualRoomQuantity / totalHouses;
}
/**
* Checks if the percentage of elderly population in the state is the most compared to all other
* states analyzed so far.
* @param stateElderlyMap Map of states' elderly population percentages
*/
private void stateWithMostElderlyPeople(Map<Text, Double> stateElderlyMap) {
for (Text state : stateElderlyMap.keySet()) {
if (stateElderlyMap.get(state) > currentMax) {
currentMax = stateElderlyMap.get(state);
mostElderlyState.set(state);
}
}
}
}
| nmalensek/Hadoop-Demographic-Analysis | src/hadoop/data/analysis/text/TextReducer.java | 4,386 | // test += "***" + relevantRange + "***"; | line_comment | nl | package hadoop.data.analysis.text;
import hadoop.data.analysis.ranges.HouseRanges;
import hadoop.data.analysis.ranges.RentRanges;
import org.apache.hadoop.io.Text;
import org.apache.hadoop.mapreduce.Reducer;
import org.apache.hadoop.mapreduce.lib.output.MultipleOutputs;
import java.io.IOException;
import java.math.BigDecimal;
import java.text.DecimalFormat;
import java.util.*;
public class TextReducer extends Reducer<Text, CustomWritable, Text, Text> {
private MultipleOutputs multipleOutputs;
private List<Double> averageList = new ArrayList<>();
private Map<Text, Double> elderlyMap = new HashMap<>();
private Text mostElderlyState = new Text();
private double currentMax = 0;
/**
* Writes answers to each question in their own files.
* @param context MapReduce context
* @throws IOException
* @throws InterruptedException
*/
public void setup(Context context) throws IOException, InterruptedException {
multipleOutputs = new MultipleOutputs(context);
multipleOutputs.write("question1", new Text("\nQuestion 1:\n" +
"Percentage of residences rented vs. owned"), new Text(" \n"));
multipleOutputs.write("question2", new Text("\nQuestion 2:\n" +
"Percentage of males and females of the state population that never married"), new Text(" \n"));
multipleOutputs.write("question3a", new Text("\nQuestion 3a:\n" +
"Percentage of hispanic population <= 18 years old"), new Text(" \n"));
multipleOutputs.write("question3b", new Text("\nQuestion 3b:\n" +
"Percentage of hispanic population >= 19 and <= 29"), new Text(" \n"));
multipleOutputs.write("question3c", new Text("\nQuestion 3c:\n" +
"Percentage of hispanic population >= 30 and <= 39"), new Text(" \n"));
multipleOutputs.write("question4", new Text("\nQuestion 4:\n" +
"Percentage of rural households vs. urban households"), new Text(" \n"));
multipleOutputs.write("question5", new Text("\nQuestion 5:\n" +
"Median value of houses occupied by owners"), new Text(" \n"));
multipleOutputs.write("question6", new Text("\nQuestion 6:\n" +
"Median rent paid by households"), new Text(" \n"));
multipleOutputs.write("question7", new Text("\nQuestion 7:\n" +
"95th percentile of the average number of rooms per house"), new Text(" \n"));
multipleOutputs.write("question8", new Text("\nQuestion 8:\n" +
"State that has the highest percentage of people aged > 85"), new Text(" \n"));
multipleOutputs.write("question9", new Text("\nQuestion 9:\n" +
"Does the amount of urban and rural population influence the population of children < 17 or " +
"the number of males/females per state?"),
new Text(" \n"));
}
/**
* Sums all values and sets the final values for each variable. Performs calculations as necessary and
* writes to output file.
* @param key state
* @param values MapMultiple objects that contain values for each state
* @param context MapReduce context
* @throws IOException
* @throws InterruptedException
*/
@Override
protected void reduce(Text key, Iterable<CustomWritable> values, Context context) throws IOException, InterruptedException {
Map<Integer, Double> rentRangeMap = new TreeMap<>();
Map<Integer, Double> houseRangeMap = new TreeMap<>();
HouseRanges houseRanges = HouseRanges.getInstance();
RentRanges rentRanges = RentRanges.getInstance();
double totalRent = 0;
double totalOwn = 0;
double totalPopulation = 0;
double totalMalesNeverMarried = 0;
double totalFemalesNeverMarried = 0;
double totalHispanicPopulation = 0;
double hispanicMalesUnder18 = 0;
double hispanicFemalesUnder18 = 0;
double hispanicMales19to29 = 0;
double hispanicFemales19to29 = 0;
double hispanicMales30to39 = 0;
double hispanicFemales30to39 = 0;
double ruralHouseholds = 0;
double urbanHouseholds = 0;
double totalHouses = 0;
double totalRenters = 0;
double totalRooms = 0;
double averageRooms = 0;
double elderlyPopulation = 0;
double urbanPopulation = 0;
double ruralPopulation = 0;
double childrenUnder1To11 = 0;
double children12To17 = 0;
double hispanicChildrenUnder1To11 = 0;
double hispanicChildren12To17 = 0;
double totalMales = 0;
double totalFemales = 0;
Double[] homeDoubles = {0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0};
Double[] rentDoubles = {0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0};
Double[] roomDoubles = {0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0,0.0};
for (CustomWritable cw : values) {
totalRent += Double.parseDouble(cw.getQuestionOne().split(":")[0]);
totalOwn += Double.parseDouble(cw.getQuestionOne().split(":")[1]);
totalPopulation += Double.parseDouble(cw.getQuestionTwo().split(":")[0]);
totalMalesNeverMarried += Double.parseDouble(cw.getQuestionTwo().split(":")[1]);
totalFemalesNeverMarried += Double.parseDouble(cw.getQuestionTwo().split(":")[2]);
totalHispanicPopulation += Double.parseDouble(cw.getQuestionThree().split(":")[0]);
hispanicMalesUnder18 += Double.parseDouble(cw.getQuestionThree().split(":")[1]);
hispanicMales19to29 += Double.parseDouble(cw.getQuestionThree().split(":")[2]);
hispanicMales30to39 += Double.parseDouble(cw.getQuestionThree().split(":")[3]);
hispanicFemalesUnder18 += Double.parseDouble(cw.getQuestionThree().split(":")[4]);
hispanicFemales19to29 += Double.parseDouble(cw.getQuestionThree().split(":")[5]);
hispanicFemales30to39 += Double.parseDouble(cw.getQuestionThree().split(":")[6]);
ruralHouseholds += Double.parseDouble(cw.getQuestionFour().split(":")[0]);
urbanHouseholds += Double.parseDouble(cw.getQuestionFour().split(":")[1]);
totalHouses += Double.parseDouble(cw.getQuestionFiveTotalHomes());
String[] intermediateStringData = cw.getQuestionFiveHomeValues().split(":");
for (int i = 0; i < intermediateStringData.length; i++) {
homeDoubles[i] += Double.parseDouble(intermediateStringData[i]);
}
totalRenters += Double.parseDouble(cw.getQuestionSixTotalRenters());
intermediateStringData = cw.getQuestionSixRenterValues().split(":");
for (int i = 0; i < intermediateStringData.length; i++) {
rentDoubles[i] += Double.parseDouble(intermediateStringData[i]);
}
totalRooms += Double.parseDouble(cw.getQuestionSevenDwellingsWithRooms());
intermediateStringData = cw.getQuestionSevenRoomsPerHouse().split(":");
for (int i = 0; i < intermediateStringData.length; i++) {
roomDoubles[i] += Double.parseDouble(intermediateStringData[i]);
}
elderlyPopulation += Double.parseDouble(cw.getQuestionEight().split(":")[0]);
elderlyMap.put(key, Double.parseDouble(calculatePercentage(elderlyPopulation, totalPopulation)));
urbanPopulation += Double.parseDouble(cw.getQuestionNine().split(":")[0]);
ruralPopulation += Double.parseDouble(cw.getQuestionNine().split(":")[1]);
childrenUnder1To11 += Double.parseDouble(cw.getQuestionNine().split(":")[2]);
children12To17 += Double.parseDouble(cw.getQuestionNine().split(":")[3]);
hispanicChildrenUnder1To11 += Double.parseDouble(cw.getQuestionNine().split(":")[4]);
hispanicChildren12To17 += Double.parseDouble(cw.getQuestionNine().split(":")[5]);
totalMales += Double.parseDouble(cw.getQuestionNine().split(":")[6]);
totalFemales += Double.parseDouble(cw.getQuestionNine().split(":")[7]);
}
//put home values into an array so they can be put into a map with the ranges
for (int i = 0; i < 20; i++) {
houseRangeMap.put(houseRanges.getHousingIntegers()[i], homeDoubles[i]);
}
//put rent values into an array so they can be put into a map with the ranges
for (int i = 0; i < 17; i++) {
rentRangeMap.put(rentRanges.getIntegerRents()[i], rentDoubles[i]);
}
//multiply rooms to get total rooms in state for average calculation
for (int i = 0; i < roomDoubles.length; i++) {
roomDoubles[i] = (roomDoubles[i] * (i+1));
}
DecimalFormat dF = new DecimalFormat("##.00");
double average = calculateAverageRooms(roomDoubles, totalRooms);
if (!Double.isNaN(average) && !Double.isInfinite(average)) {
double formattedAverage = Double.parseDouble(dF.format(average));
averageRooms = formattedAverage;
} else {
averageRooms = 0;
}
if (averageRooms != 0) {
averageList.add(averageRooms);
}
//write answers for each state
multipleOutputs.write("question1", key, new Text(
" rent: " + calculatePercentage(totalRent, (totalRent + totalOwn)) + "% | own: "
+ calculatePercentage(totalOwn, (totalRent + totalOwn)) + "%"));
multipleOutputs.write("question2", key, new Text(
" Males: " +
calculatePercentage(totalMalesNeverMarried, totalPopulation)
+ "% | Females: " +
calculatePercentage(totalFemalesNeverMarried, totalPopulation) + "%"));
multipleOutputs.write("question3a", key, new Text(
" Males: " + calculatePercentage(hispanicMalesUnder18, totalHispanicPopulation) +
"% | Females: " + calculatePercentage(hispanicFemalesUnder18, totalHispanicPopulation) +
"%"));
multipleOutputs.write("question3b", key, new Text(
" Males: " + calculatePercentage(hispanicMales19to29, totalHispanicPopulation) +
"% | Females: " + calculatePercentage(hispanicFemales19to29, totalHispanicPopulation) +
"%"));
multipleOutputs.write("question3c", key, new Text(
" Males: " + calculatePercentage(hispanicMales30to39, totalHispanicPopulation) +
"% | Females: " + calculatePercentage(hispanicFemales30to39, totalHispanicPopulation) +
"%"));
multipleOutputs.write("question4", key, new Text(
" Rural: " + calculatePercentage(ruralHouseholds, (ruralHouseholds + urbanHouseholds)) +
"% | Urban: " + calculatePercentage(urbanHouseholds, (ruralHouseholds + urbanHouseholds)) +
"%"));
multipleOutputs.write("question5", key, new Text(
" " + calculateMedian(houseRangeMap, houseRanges.getRanges(), totalHouses)));
multipleOutputs.write("question6", key, new Text(
" " + calculateMedian(rentRangeMap, rentRanges.getRanges(), totalRenters)));
multipleOutputs.write("question9", key, new Text(
calculatePercentage(urbanPopulation, totalPopulation) + ":" +
calculatePercentage(ruralPopulation, totalPopulation) +
":" + calculatePercentage(childrenUnder1To11, totalPopulation) +
":" + calculatePercentage(children12To17, totalPopulation) +
":" + calculatePercentage(hispanicChildrenUnder1To11, totalPopulation) +
":" + calculatePercentage(hispanicChildren12To17, totalPopulation) +
":" + calculatePercentage(totalMales, totalPopulation) +
":" + calculatePercentage(totalFemales, totalPopulation)));
stateWithMostElderlyPeople(elderlyMap);
}
/**
* Close multiple outputs, otherwise the results might not be written to output files.
* Also writes questions 7 and 8 because the answer only contains one data point instead of one
* for each state.
* @param context MapReduce context
* @throws IOException
* @throws InterruptedException
*/
@Override
protected void cleanup(Context context) throws IOException, InterruptedException {
multipleOutputs.write("question7", "", new Text(
calculateNinetyFifthPercentile(averageList) + " rooms"));
multipleOutputs.write("question8", mostElderlyState, new Text(
" " + currentMax + "%"));
super.cleanup(context);
multipleOutputs.close();
}
/**
* Calculate percentage, ignores answer if impossible number is calculated (VI and PR
* generally cause this)
* @param numerator
* @param denominator
* @return
*/
private String calculatePercentage(double numerator, double denominator) {
DecimalFormat decimalFormat = new DecimalFormat("##.00");
double percentage = (numerator / denominator) * 100;
if (Double.isInfinite(percentage) || percentage > 100 || percentage < 0) {
return "N/A";
} else {
return decimalFormat.format(percentage);
}
}
/**
* Calculates median, returns N/A if no iterations were performed (no data was collected).
* The current count is tracked because this is calculating the median from ranges, not from
* each data point.
* @param map map of ranges (key) and quantity per range (value)
* @param dataArray array of ranges
* @param totalNumber total number of the variable that's being examined (home values or rent ranges)
* @return answer
*/
private String calculateMedian(Map<Integer, Double> map, String[] dataArray, double totalNumber) {
int currentCount = 0;
int iterations = 0;
double dividingPoint = totalNumber * 0.50;
for (Integer key : map.keySet()) {
currentCount += map.get(key);
iterations++;
if (currentCount > dividingPoint) {
break;
}
}
String relevantRange = "N/A";
if (iterations != 0) {
relevantRange = dataArray[iterations - 1];
}
// //debug
// String test = "";
// test += iterations + ":" + dividingPoint + ":" + totalNumber + "\n" + map.values().toString() + "\n";
// for (Integer key : map.keySet()) {
// test += "[";
// test += key.toString() + ", ";
// test += map.get(key) + "]\n";
// }
// test +=<SUF>
return relevantRange;
}
/**
* Calculates 95th percentile of the given list. If the result of list * .95 divides evenly,
* that number is the 95th percentile. Otherwise, the next result is in the 95th percentile.
* @param list list to calculate 95th percentile from
* @return
*/
private String calculateNinetyFifthPercentile(List<Double> list) {
Collections.sort(list);
BigDecimal ninetyFifthPercentile = null;
double rawPercentile = list.size() * 0.95;
if (rawPercentile % 1 == 0) {
ninetyFifthPercentile = new BigDecimal(rawPercentile).setScale(0);
}
if (rawPercentile % 1 != 0) {
ninetyFifthPercentile = new BigDecimal(rawPercentile).setScale(0, BigDecimal.ROUND_UP);
}
int ninetyFifthPercentilePosition = ninetyFifthPercentile.intValueExact();
double ninetyFifthPercentileNumber = list.get(ninetyFifthPercentilePosition - 1);
String answer = Double.toString(ninetyFifthPercentileNumber);
// debug
// String test = "";
// test += ninetyFifthPercentile + ":" + ninetyFifthPercentilePosition + "\n" + list.toString() + "\n";
// test += list.size() + "\n";
// test += "***" + ninetyFifthPercentileNumber + "***";
return answer;
}
private double calculateAverageRooms(Double[] rooms, double totalHouses) {
double actualRoomQuantity = 0;
for (int i = 0; i < 9; i++) {
actualRoomQuantity += rooms[i];
}
return actualRoomQuantity / totalHouses;
}
/**
* Checks if the percentage of elderly population in the state is the most compared to all other
* states analyzed so far.
* @param stateElderlyMap Map of states' elderly population percentages
*/
private void stateWithMostElderlyPeople(Map<Text, Double> stateElderlyMap) {
for (Text state : stateElderlyMap.keySet()) {
if (stateElderlyMap.get(state) > currentMax) {
currentMax = stateElderlyMap.get(state);
mostElderlyState.set(state);
}
}
}
}
|
205045_3 | package Amresh;
import javax.swing.*;
import Amresh01.*;
import java.awt.*;
import java.awt.event.*;
import java.io.*;
import java.util.*;
public class AdmissionForm extends JFrame implements ActionListener {
private JTextField nameField, jeeRankField, mark12Field, mark10Field, fatherNameField, collegeNameField, schoolNameField,
jeeRollNumberField, addressField, postField, blockField, distField, stateField, pinCodeField,
mobileNumberField;
private JComboBox<String> admissionTypeComboBox;
private JComboBox<String> countryTypeComboBox;
private JComboBox<String> genderTypeComboBox;
private JComboBox<String> categoryTypeComboBox;
private JComboBox<String> religionTypeComboBox;
private JComboBox<String> courseTypeComboBox;
private JComboBox<String> paymentTypeComboBox;
private JComboBox<String> hostelFrameComboBox;
private JComboBox<String> dayComboBox, monthComboBox, yearComboBox;
private JPanel dobPanel;
private JCheckBox acceptAllCheckBox;
private JTextArea printTextArea;
private JLabel photoLabel; // Added label for displaying the photo
private JTextArea finalDetailsTextArea;
private JButton backButton;
public AdmissionForm() {
setTitle("Admission Form - Sambalpur University");
setSize(2000, 2000);
setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
setLocationRelativeTo(null);
setLayout(new GridLayout(13, 2));
add(new JLabel("Candidate Name(In capital):"));
nameField = new JTextField();
add(nameField);
add(new JLabel("Gender:"));
genderTypeComboBox = new JComboBox<>(new String[]{"MALE","FEMALE"});
add(genderTypeComboBox);
add(new JLabel("Date of Birth:"));
dobPanel = new JPanel();
dobPanel.setLayout(new FlowLayout());
// Day ComboBox
dayComboBox = new JComboBox<>();
for (int i = 1; i <= 31; i++) {
dayComboBox.addItem(String.valueOf(i));
}
dobPanel.add(dayComboBox);
// Month ComboBox
monthComboBox = new JComboBox<>(new String[]{ "January", "February", "March", "April", "May", "June","July", "August", "September", "October", "November", "December"});
dobPanel.add(monthComboBox);
// Year ComboBox
yearComboBox = new JComboBox<>();
int currentYear = Calendar.getInstance().get(Calendar.YEAR);
for (int i = currentYear - 60; i <= currentYear; i++) {
yearComboBox.addItem(String.valueOf(i));
}
dobPanel.add(yearComboBox);
add(dobPanel); // Add Date of Birth panel to the JFrame
add(new JLabel("Category:"));
categoryTypeComboBox = new JComboBox<>(new String[]{"GENERAL","OBC","SC","ST"});
add(categoryTypeComboBox);
add(new JLabel("Religion:"));
religionTypeComboBox = new JComboBox<>(new String[]{"HINDU","CHRISTIAN","MUSLIM","ISLAM","SIKH","BUDDHISM","JAINISM"});
add(religionTypeComboBox);
add(new JLabel("JEE Main Rank:"));
jeeRankField = new JTextField();
add(jeeRankField);
add(new JLabel("12th Marks(%)/Diploma mark(%):"));
mark12Field = new JTextField();
add(mark12Field);
add(new JLabel("10th Marks(%):"));
mark10Field = new JTextField();
add(mark10Field);
add(new JLabel("Father's Name"));
fatherNameField = new JTextField();
add(fatherNameField);
add(new JLabel("College Name:"));
collegeNameField = new JTextField();
add(collegeNameField);
add(new JLabel("10th School Name:"));
schoolNameField = new JTextField();
add(schoolNameField);
add(new JLabel("JEE Main Roll Number:"));
jeeRollNumberField = new JTextField();
add(jeeRollNumberField);
add(new JLabel("Country:"));
countryTypeComboBox = new JComboBox<>(new String[]{"India","Bangladesh", "Pakistan", "Nepal", "Bhutan", "China", "Myanmar", "Sri Lanka","United States of America", "United Kingdom", "Canada", "Australia", "Russia", "Japan", "Germany"});
add(countryTypeComboBox);
add(new JLabel("Address:"));
addressField = new JTextField();
add(addressField);
add(new JLabel("Post:"));
postField = new JTextField();
add(postField);
add(new JLabel("Block:"));
blockField = new JTextField();
add(blockField);
add(new JLabel("District:"));
distField = new JTextField();
add(distField);
add(new JLabel("State:"));
stateField = new JTextField();
add(stateField);
add(new JLabel("Pin Code:"));
pinCodeField = new JTextField();
add(pinCodeField);
add(new JLabel("Mobile Number:"));
mobileNumberField = new JTextField();
add(mobileNumberField);
add(new JLabel("Admission Type:"));
admissionTypeComboBox = new JComboBox<>(new String[]{"BTech", "MTech", "Lateral Entry BTech","MCA"});
add(admissionTypeComboBox);
add(new JLabel("Intrested Course:"));
courseTypeComboBox = new JComboBox<>(new String[]{"Computer Science & Engineering","Electrical Engineering","ECE (Electronics and Communications Engineering)","Electronics & Communication Engineering (ECE)","(CSE-AIML)Computer Science & Engineering specialization in Artificial Intelligence and Machine Learning","Computer Science & Engineering specialization with cyber security"});
add(courseTypeComboBox);
JButton uploadPhotoButton = new JButton("Upload Photo");
uploadPhotoButton.addActionListener(new ActionListener() {
public void actionPerformed(ActionEvent e) {
JFileChooser fileChooser = new JFileChooser();
int returnValue = fileChooser.showOpenDialog(null);
if (returnValue == JFileChooser.APPROVE_OPTION) {
File selectedFile = fileChooser.getSelectedFile();
displaySelectedPhoto(selectedFile);
}
}
});
add(uploadPhotoButton);
photoLabel = new JLabel();
add(photoLabel);
acceptAllCheckBox = new JCheckBox("Accept All Conditions\n");
add(acceptAllCheckBox);
JButton submitButton = new JButton("Submit");
submitButton.addActionListener(this);
add(submitButton);
JButton clearButton = new JButton("Clear");
clearButton.addActionListener(this);
add(clearButton);
backButton = new JButton("Back");
backButton.addActionListener(e -> handleBackButton());
add(backButton, BorderLayout.SOUTH);
finalDetailsTextArea = new JTextArea(30, 50);
finalDetailsTextArea.setEditable(false);
pack();
setVisible(true);
}
private void handleBackButton() {
SwingUtilities.invokeLater(SambalpurUniversityFrontPage::new);
this.setVisible(false);
}
private void displaySelectedPhoto(File file) {
ImageIcon imageIcon = new ImageIcon(file.getAbsolutePath());
Image image = imageIcon.getImage().getScaledInstance(150, 150, Image.SCALE_SMOOTH);
photoLabel.setIcon(new ImageIcon(image));
}
public void actionPerformed(ActionEvent e) {
if (e.getActionCommand().equals("Submit")) {
boolean accepted = acceptAllCheckBox.isSelected();
if (isRequiredFieldEmpty()) {
JOptionPane.showMessageDialog(this, "Please fill in all the required fields!", "Error", JOptionPane.ERROR_MESSAGE);
return;
}
if (!accepted) {
JOptionPane.showMessageDialog(this, "Please accept all conditions before submission!", "Error", JOptionPane.ERROR_MESSAGE);
return;
}
String fileName = "AppliedStudent.txt";
String selectedFileName = "SelectedStudents.txt";
String name = nameField.getText();
String genderType = (String) genderTypeComboBox.getSelectedItem();
String categoryType = (String) categoryTypeComboBox.getSelectedItem();
String religionType = (String) religionTypeComboBox.getSelectedItem();
String courseType = (String) courseTypeComboBox.getSelectedItem();
String day = (String) dayComboBox.getSelectedItem();
String month = (String) monthComboBox.getSelectedItem();
String year = (String) yearComboBox.getSelectedItem();
String dob = day + "-" + month + "-" + year;
String jeeRank = jeeRankField.getText();
String mark12 = mark12Field.getText();
String mark10 = mark10Field.getText();
String fatherName = fatherNameField.getText();
String collegeName = collegeNameField.getText();
String schoolName = schoolNameField.getText();
String jeeRollNumber = jeeRollNumberField.getText();
String countryType = (String) countryTypeComboBox.getSelectedItem();
String address = addressField.getText() + ", " + postField.getText() + ", " + blockField.getText() + ", "
+ distField.getText() + ", " + stateField.getText() + ", " + pinCodeField.getText();
String mobileNumber = mobileNumberField.getText();
String admissionType = (String) admissionTypeComboBox.getSelectedItem();
// Logic for selecting students based on criteria (JEE rank, 12th and 10th marks)
boolean selected = false;
if (!jeeRank.isEmpty() && !mark12.isEmpty() && !mark10.isEmpty()) {
int jeeRankValue = Integer.parseInt(jeeRank);
double averageMarks = (Double.parseDouble(mark12) + Double.parseDouble(mark10)) / 2.0;
if ((admissionType.equals("BTech") && jeeRankValue <= 1000 && averageMarks >= 80) ||
(admissionType.equals("MTech") && jeeRankValue <= 1000 && averageMarks >= 75) ||
(admissionType.equals("Lateral Entry BTech") && jeeRankValue <= 1500 && averageMarks >= 70)||
(admissionType.equals("MCA") && jeeRankValue <= 1800 && averageMarks >= 80)) {
selected = true;
JOptionPane.showMessageDialog(this, "Form submitted successfully!", "Success", JOptionPane.INFORMATION_MESSAGE);
JOptionPane.showMessageDialog(this, "congratulations you are eligible for admisstion", "Eligible", JOptionPane.INFORMATION_MESSAGE);
JOptionPane.showMessageDialog(this, "BTech/Leteral BTech : 96,000 \n MTech : 98,000 \n MCA : 90,000 ", "Fee structer", JOptionPane.INFORMATION_MESSAGE);
showPaymentForm();
}
else
{
JOptionPane.showMessageDialog(this, "Form submitted successfully!", "Success", JOptionPane.INFORMATION_MESSAGE);
JOptionPane.showMessageDialog(this, "Oops! you are not eligible for admisstion", "NOT Eligible", JOptionPane.INFORMATION_MESSAGE);
}
}
String studentInfo = "\n\nCandidate Name: "+ name + "\nGender: " + genderType + "\nCategory: " + categoryType + "\nRILIGION : " + religionType +"\nDate of Birth: " + dob + "\nJEE Rank: " + jeeRank
+ "\n12th Marks: " + mark12 + "\n10th Marks: " + mark10 + "\nFather's Name: " + fatherName
+ "\nCollege Name: " + collegeName + "\nSchool Name: " + schoolName + "\nJEE Roll Number: "
+ jeeRollNumber + "\nCountry type: " + countryType +"\nAddress: " + address + "\nMobile Number: " + mobileNumber
+ "\nAdmission Type: " + admissionType + "\n Intrested Course: " + courseType ;
try (BufferedWriter writer = new BufferedWriter(new FileWriter(fileName, true));
PrintWriter selectedWriter = new PrintWriter(new BufferedWriter(new FileWriter(selectedFileName, true)))) {
writer.write(studentInfo);
writer.newLine();
if (selected) {
selectedWriter.println(studentInfo + " - SELECTED");
}
} catch (IOException ex) {
ex.printStackTrace();
}
clearFields();
}
else if (e.getActionCommand().equals("Clear")) {
clearFields();
}
}
private void clearFields() {
nameField.setText("");
jeeRankField.setText("");
mark12Field.setText("");
mark10Field.setText("");
fatherNameField.setText("");
collegeNameField.setText("");
schoolNameField.setText("");
jeeRollNumberField.setText("");
addressField.setText("");
postField.setText("");
blockField.setText("");
distField.setText("");
stateField.setText("");
pinCodeField.setText("");
mobileNumberField.setText("");
}
public void showHostelAdmissionForm() {
JFrame hostelFrame = new JFrame("Hostel Admission Details");
hostelFrame.setSize(400, 300);
hostelFrame.setDefaultCloseOperation(JFrame.DISPOSE_ON_CLOSE);
hostelFrame.setLayout(new GridLayout(9, 2));
JComboBox<String> genderComboBox = new JComboBox<>(new String[]{"MALE", "FEMALE"});
hostelFrame.add(new JLabel("Gender:"));
hostelFrame.add(genderComboBox);
JTextField hostelNameField = new JTextField();
hostelFrame.add(new JLabel("Hostel Name:"));
hostelFrame.add(hostelNameField);
JTextField roomNumberField = new JTextField();
hostelFrame.add(new JLabel("Room Number:"));
hostelFrame.add(roomNumberField);
JTextField hostelFeeField = new JTextField();
hostelFrame.add(new JLabel("Hostel Fee:"));
hostelFrame.add(hostelFeeField);
JTextField accountNumberField = new JTextField();
hostelFrame.add(new JLabel("Your Account number :"));
hostelFrame.add(accountNumberField);
hostelFrame.add(new JLabel("Payment Mode:"));
hostelFrameComboBox = new JComboBox<>(new String[]{"UPI:7854998757@axl", "Account Transfer:35181881560(SBI)", "Through Mobile No:7854998757"});
hostelFrame.add( hostelFrameComboBox);
JTextField transitionIDField = new JTextField();
hostelFrame.add(new JLabel("Transition ID:"));
hostelFrame.add(transitionIDField);
JCheckBox hostelRequiredCheckBox = new JCheckBox("Hostel Accommodation Required?");
hostelFrame.add(hostelRequiredCheckBox);
JButton hostelSubmitButton = new JButton("Submit Hostel Admission");
hostelSubmitButton.addActionListener(new ActionListener() {
public void actionPerformed(ActionEvent e) {
String hostelName = hostelNameField.getText();
String roomNumber = roomNumberField.getText();
String hostelFee = hostelFeeField.getText();
String gender = (String) genderComboBox.getSelectedItem(); // Get selected gender
boolean hostelRequired = hostelRequiredCheckBox.isSelected(); // Check whether hostel required or not
String accountNumber = accountNumberField.getText();
String transitionID= transitionIDField.getText();
String paymentType = (String) paymentTypeComboBox.getSelectedItem();
String hostelInfo = "\n\n Hostel Name: " + hostelName + "\n Room Number: " + roomNumber + "\n Hostel Fee: " + hostelFee + "\n Gender: " + gender+"\n Payment Method: " + paymentType + "\nAccount Number:"+accountNumber+"\nTransition number"+transitionID;
if (hostelRequired) {
hostelInfo += "\n Hostel Accommodation Required: Yes";
} else {
hostelInfo += "\n Hostel Accommodation Required: No";
}
storeHostelDetails(hostelInfo);
JOptionPane.showMessageDialog(hostelFrame, "Hostel admission submitted successfully!", "Success", JOptionPane.INFORMATION_MESSAGE);
hostelFrame.dispose();
showPrintableForm();
}
});
JButton hostelCancelButton = new JButton("Cancel");
hostelCancelButton.addActionListener(new ActionListener() {
public void actionPerformed(ActionEvent e) {
hostelFrame.dispose(); // Close hostel admission form on cancel
}
});
hostelFrame.add(hostelSubmitButton);
hostelFrame.add(hostelCancelButton);
hostelFrame.setVisible(true);
}
private void storeHostelDetails(String hostelInfo) {
String fileName = "student_hostel_details.txt";
try (BufferedWriter writer = new BufferedWriter(new FileWriter(fileName, true))) {
writer.write(hostelInfo);
writer.newLine();
} catch (IOException e) {
e.printStackTrace();
}
}
private void showPaymentForm() {
JFrame paymentFrame = new JFrame("Student Payment Details");
paymentFrame.setSize(400, 300);
paymentFrame.setDefaultCloseOperation(JFrame.DISPOSE_ON_CLOSE);
paymentFrame.setLayout(new GridLayout(7, 2));
JTextField studentNameField = new JTextField();
paymentFrame.add(new JLabel("Account Holder's Name:"));
paymentFrame.add(studentNameField);
paymentFrame.add(new JLabel("Payment Mode:"));
paymentTypeComboBox = new JComboBox<>(new String[]{"UPI:7854998757@axl", "Account Transfer:35181881560(SBI)", "Through Mobile No:7854998757"});
paymentFrame.add(paymentTypeComboBox);
JTextField accountNumberField = new JTextField();
paymentFrame.add(new JLabel("Your Account number :"));
paymentFrame.add(accountNumberField);
JTextField paymentAmountField = new JTextField();
paymentFrame.add(new JLabel("Payment Amount:"));
paymentFrame.add(paymentAmountField);
JTextField transitionIDField = new JTextField();
paymentFrame.add(new JLabel("Transition ID:"));
paymentFrame.add(transitionIDField);
JButton paymentSubmitButton = new JButton("Submit Payment");
paymentSubmitButton.addActionListener(new ActionListener() {
public void actionPerformed(ActionEvent e) {
String studentName = studentNameField.getText();
String paymentAmount = paymentAmountField.getText();
String accountNumber = accountNumberField.getText();
String transitionID= transitionIDField.getText();
String paymentType = (String) paymentTypeComboBox.getSelectedItem();
// Perform actions to store payment details in a file
String paymentInfo = "\n\n Accound Holder's Name: " + studentName + "\n Payment Amount: " + paymentAmount + "\n Payment Method: " + paymentType + "\nAccount Number:"+accountNumber+"\nTransition number"+transitionID;
storePaymentDetails(paymentInfo);
JOptionPane.showMessageDialog(paymentFrame, "Payment submitted successfully!", "Success", JOptionPane.INFORMATION_MESSAGE);
JOptionPane.showMessageDialog(paymentFrame, "congratulations! welcome to Sambalpur University", "welcome", JOptionPane.INFORMATION_MESSAGE);
JOptionPane.showMessageDialog(paymentFrame, "MALE : VHR(BTECH,MCA,MTECH)\n : AHR(LETERAL ENTRY BTECH)\n\nFEMALE : MHR(FOR ALL)\n\nFEE STRUCTURE :\n\nHOSTEL SEAT FEE : 10,000.00 RUPPESS\nSECURITY FEE : 2,000.00 RUPEES\nTOTAL HOSTEL FEE : 12,000.00 RUPEES", "HOSTEL NAME AND FEE STRUCTURE", JOptionPane.INFORMATION_MESSAGE);
paymentFrame.dispose(); // Close payment form after submission
showHostelAdmissionForm();
}
});
JButton paymentCancelButton = new JButton("Cancel");
paymentCancelButton.addActionListener(new ActionListener() {
public void actionPerformed(ActionEvent e) {
paymentFrame.dispose(); // Close payment form on cancel
}
});
paymentFrame.add(paymentSubmitButton);
paymentFrame.add(paymentCancelButton);
paymentFrame.setVisible(true);
}
private void storePaymentDetails(String paymentInfo) {
String fileName = "student_payments.txt";
try (BufferedWriter writer = new BufferedWriter(new FileWriter(fileName, true))) {
writer.write(paymentInfo);
writer.newLine();
} catch (IOException e) {
e.printStackTrace();
}
}
private void showPrintableForm() {
JFrame printFrame = new JFrame("Printable Form");
printFrame.setSize(600, 600);
printFrame.setDefaultCloseOperation(JFrame.DISPOSE_ON_CLOSE);
JPanel printPanel = new JPanel(new BorderLayout());
printTextArea = new JTextArea(30, 50);
printTextArea.setEditable(false);
JScrollPane scrollPane = new JScrollPane(printTextArea);
printPanel.add(scrollPane, BorderLayout.CENTER);
JButton printButton = new JButton("Print");
printButton.addActionListener(new ActionListener() {
public void actionPerformed(ActionEvent e) {
try {
printTextArea.print(); // Print the text area content
} catch (Exception ex) {
ex.printStackTrace();
}
}
});
printPanel.add(printButton, BorderLayout.SOUTH);
// Adding photo, payment details, and hostel details to the printable form
ImageIcon icon = (ImageIcon) photoLabel.getIcon();
if (icon != null) {
JLabel photoLabelPrint = new JLabel(icon);
printPanel.add(photoLabelPrint, BorderLayout.NORTH);
}
String recentSelectedStudentDetails = getRecentSelectedStudentDetails();
if (!recentSelectedStudentDetails.isEmpty()) {
printTextArea.append("\n\nCandidate's Details\n");
printTextArea.append(recentSelectedStudentDetails);
}
String paymentInfo = "Payment Details:\n" + getPaymentDetails();
printTextArea.append("\n\n" + paymentInfo);
String hostelInfo = "Hostel Details:\n" + getHostelDetails();
printTextArea.append("\n\n" + hostelInfo);
printFrame.add(printPanel);
printFrame.setVisible(true);
}
private String getHostelDetails() {
// Fetch hostel details from your stored file or store it directly as per your application logic
// Example logic to read from the file
StringBuilder hostelDetails = new StringBuilder();
try (BufferedReader reader = new BufferedReader(new FileReader("student_hostel_details.txt"))) {
String line;
ArrayList<String> recentLines = new ArrayList<>();
while ((line = reader.readLine()) != null) {
recentLines.add(line);
if (recentLines.size() > 6) {
recentLines.remove(0);
}
}
for (String recentLine : recentLines) {
hostelDetails.append(recentLine).append("\n");
}
} catch (IOException ex) {
ex.printStackTrace();
}
return hostelDetails.toString();
}
private String getPaymentDetails() {
StringBuilder paymentDetails = new StringBuilder();
try (BufferedReader reader = new BufferedReader(new FileReader("student_payments.txt"))) {
String line;
ArrayList<String> recentLines = new ArrayList<>();
while ((line = reader.readLine()) != null) {
recentLines.add(line);
if (recentLines.size() > 5) {
recentLines.remove(0);
}
}
for (String recentLine : recentLines) {
paymentDetails.append(recentLine).append("\n");
}
} catch (IOException ex) {
ex.printStackTrace();
}
return paymentDetails.toString();
}
private String getRecentSelectedStudentDetails() {
StringBuilder selectedStudentDetails = new StringBuilder();
try (BufferedReader reader = new BufferedReader(new FileReader("SelectedStudents.txt"))) {
String line;
ArrayList<String> recentLines = new ArrayList<>();
while ((line = reader.readLine()) != null) {
recentLines.add(line);
if (recentLines.size() > 17) {
recentLines.remove(0);
}
}
for (String recentLine : recentLines) {
selectedStudentDetails.append(recentLine).append("\n");
}
} catch (IOException ex) {
ex.printStackTrace();
}
return selectedStudentDetails.toString();
}
private boolean isRequiredFieldEmpty() {
return nameField.getText().isEmpty() ||
jeeRankField.getText().isEmpty() ||
mark12Field.getText().isEmpty() ||
mark10Field.getText().isEmpty() ||
fatherNameField.getText().isEmpty() ||
collegeNameField.getText().isEmpty() ||
schoolNameField.getText().isEmpty() ||
jeeRollNumberField.getText().isEmpty() ||
addressField.getText().isEmpty() ||
postField.getText().isEmpty() ||
blockField.getText().isEmpty() ||
distField.getText().isEmpty() ||
stateField.getText().isEmpty() ||
pinCodeField.getText().isEmpty() ||
mobileNumberField.getText().isEmpty();
}
public static void main(String[] args) {
SwingUtilities.invokeLater(new Runnable() {
public void run() {
new AdmissionForm();
}
});
}
} | amreshbhuya/University-Management.java | Amresh/AdmissionForm.java | 6,356 | // Get selected gender
| line_comment | nl | package Amresh;
import javax.swing.*;
import Amresh01.*;
import java.awt.*;
import java.awt.event.*;
import java.io.*;
import java.util.*;
public class AdmissionForm extends JFrame implements ActionListener {
private JTextField nameField, jeeRankField, mark12Field, mark10Field, fatherNameField, collegeNameField, schoolNameField,
jeeRollNumberField, addressField, postField, blockField, distField, stateField, pinCodeField,
mobileNumberField;
private JComboBox<String> admissionTypeComboBox;
private JComboBox<String> countryTypeComboBox;
private JComboBox<String> genderTypeComboBox;
private JComboBox<String> categoryTypeComboBox;
private JComboBox<String> religionTypeComboBox;
private JComboBox<String> courseTypeComboBox;
private JComboBox<String> paymentTypeComboBox;
private JComboBox<String> hostelFrameComboBox;
private JComboBox<String> dayComboBox, monthComboBox, yearComboBox;
private JPanel dobPanel;
private JCheckBox acceptAllCheckBox;
private JTextArea printTextArea;
private JLabel photoLabel; // Added label for displaying the photo
private JTextArea finalDetailsTextArea;
private JButton backButton;
public AdmissionForm() {
setTitle("Admission Form - Sambalpur University");
setSize(2000, 2000);
setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
setLocationRelativeTo(null);
setLayout(new GridLayout(13, 2));
add(new JLabel("Candidate Name(In capital):"));
nameField = new JTextField();
add(nameField);
add(new JLabel("Gender:"));
genderTypeComboBox = new JComboBox<>(new String[]{"MALE","FEMALE"});
add(genderTypeComboBox);
add(new JLabel("Date of Birth:"));
dobPanel = new JPanel();
dobPanel.setLayout(new FlowLayout());
// Day ComboBox
dayComboBox = new JComboBox<>();
for (int i = 1; i <= 31; i++) {
dayComboBox.addItem(String.valueOf(i));
}
dobPanel.add(dayComboBox);
// Month ComboBox
monthComboBox = new JComboBox<>(new String[]{ "January", "February", "March", "April", "May", "June","July", "August", "September", "October", "November", "December"});
dobPanel.add(monthComboBox);
// Year ComboBox
yearComboBox = new JComboBox<>();
int currentYear = Calendar.getInstance().get(Calendar.YEAR);
for (int i = currentYear - 60; i <= currentYear; i++) {
yearComboBox.addItem(String.valueOf(i));
}
dobPanel.add(yearComboBox);
add(dobPanel); // Add Date of Birth panel to the JFrame
add(new JLabel("Category:"));
categoryTypeComboBox = new JComboBox<>(new String[]{"GENERAL","OBC","SC","ST"});
add(categoryTypeComboBox);
add(new JLabel("Religion:"));
religionTypeComboBox = new JComboBox<>(new String[]{"HINDU","CHRISTIAN","MUSLIM","ISLAM","SIKH","BUDDHISM","JAINISM"});
add(religionTypeComboBox);
add(new JLabel("JEE Main Rank:"));
jeeRankField = new JTextField();
add(jeeRankField);
add(new JLabel("12th Marks(%)/Diploma mark(%):"));
mark12Field = new JTextField();
add(mark12Field);
add(new JLabel("10th Marks(%):"));
mark10Field = new JTextField();
add(mark10Field);
add(new JLabel("Father's Name"));
fatherNameField = new JTextField();
add(fatherNameField);
add(new JLabel("College Name:"));
collegeNameField = new JTextField();
add(collegeNameField);
add(new JLabel("10th School Name:"));
schoolNameField = new JTextField();
add(schoolNameField);
add(new JLabel("JEE Main Roll Number:"));
jeeRollNumberField = new JTextField();
add(jeeRollNumberField);
add(new JLabel("Country:"));
countryTypeComboBox = new JComboBox<>(new String[]{"India","Bangladesh", "Pakistan", "Nepal", "Bhutan", "China", "Myanmar", "Sri Lanka","United States of America", "United Kingdom", "Canada", "Australia", "Russia", "Japan", "Germany"});
add(countryTypeComboBox);
add(new JLabel("Address:"));
addressField = new JTextField();
add(addressField);
add(new JLabel("Post:"));
postField = new JTextField();
add(postField);
add(new JLabel("Block:"));
blockField = new JTextField();
add(blockField);
add(new JLabel("District:"));
distField = new JTextField();
add(distField);
add(new JLabel("State:"));
stateField = new JTextField();
add(stateField);
add(new JLabel("Pin Code:"));
pinCodeField = new JTextField();
add(pinCodeField);
add(new JLabel("Mobile Number:"));
mobileNumberField = new JTextField();
add(mobileNumberField);
add(new JLabel("Admission Type:"));
admissionTypeComboBox = new JComboBox<>(new String[]{"BTech", "MTech", "Lateral Entry BTech","MCA"});
add(admissionTypeComboBox);
add(new JLabel("Intrested Course:"));
courseTypeComboBox = new JComboBox<>(new String[]{"Computer Science & Engineering","Electrical Engineering","ECE (Electronics and Communications Engineering)","Electronics & Communication Engineering (ECE)","(CSE-AIML)Computer Science & Engineering specialization in Artificial Intelligence and Machine Learning","Computer Science & Engineering specialization with cyber security"});
add(courseTypeComboBox);
JButton uploadPhotoButton = new JButton("Upload Photo");
uploadPhotoButton.addActionListener(new ActionListener() {
public void actionPerformed(ActionEvent e) {
JFileChooser fileChooser = new JFileChooser();
int returnValue = fileChooser.showOpenDialog(null);
if (returnValue == JFileChooser.APPROVE_OPTION) {
File selectedFile = fileChooser.getSelectedFile();
displaySelectedPhoto(selectedFile);
}
}
});
add(uploadPhotoButton);
photoLabel = new JLabel();
add(photoLabel);
acceptAllCheckBox = new JCheckBox("Accept All Conditions\n");
add(acceptAllCheckBox);
JButton submitButton = new JButton("Submit");
submitButton.addActionListener(this);
add(submitButton);
JButton clearButton = new JButton("Clear");
clearButton.addActionListener(this);
add(clearButton);
backButton = new JButton("Back");
backButton.addActionListener(e -> handleBackButton());
add(backButton, BorderLayout.SOUTH);
finalDetailsTextArea = new JTextArea(30, 50);
finalDetailsTextArea.setEditable(false);
pack();
setVisible(true);
}
private void handleBackButton() {
SwingUtilities.invokeLater(SambalpurUniversityFrontPage::new);
this.setVisible(false);
}
private void displaySelectedPhoto(File file) {
ImageIcon imageIcon = new ImageIcon(file.getAbsolutePath());
Image image = imageIcon.getImage().getScaledInstance(150, 150, Image.SCALE_SMOOTH);
photoLabel.setIcon(new ImageIcon(image));
}
public void actionPerformed(ActionEvent e) {
if (e.getActionCommand().equals("Submit")) {
boolean accepted = acceptAllCheckBox.isSelected();
if (isRequiredFieldEmpty()) {
JOptionPane.showMessageDialog(this, "Please fill in all the required fields!", "Error", JOptionPane.ERROR_MESSAGE);
return;
}
if (!accepted) {
JOptionPane.showMessageDialog(this, "Please accept all conditions before submission!", "Error", JOptionPane.ERROR_MESSAGE);
return;
}
String fileName = "AppliedStudent.txt";
String selectedFileName = "SelectedStudents.txt";
String name = nameField.getText();
String genderType = (String) genderTypeComboBox.getSelectedItem();
String categoryType = (String) categoryTypeComboBox.getSelectedItem();
String religionType = (String) religionTypeComboBox.getSelectedItem();
String courseType = (String) courseTypeComboBox.getSelectedItem();
String day = (String) dayComboBox.getSelectedItem();
String month = (String) monthComboBox.getSelectedItem();
String year = (String) yearComboBox.getSelectedItem();
String dob = day + "-" + month + "-" + year;
String jeeRank = jeeRankField.getText();
String mark12 = mark12Field.getText();
String mark10 = mark10Field.getText();
String fatherName = fatherNameField.getText();
String collegeName = collegeNameField.getText();
String schoolName = schoolNameField.getText();
String jeeRollNumber = jeeRollNumberField.getText();
String countryType = (String) countryTypeComboBox.getSelectedItem();
String address = addressField.getText() + ", " + postField.getText() + ", " + blockField.getText() + ", "
+ distField.getText() + ", " + stateField.getText() + ", " + pinCodeField.getText();
String mobileNumber = mobileNumberField.getText();
String admissionType = (String) admissionTypeComboBox.getSelectedItem();
// Logic for selecting students based on criteria (JEE rank, 12th and 10th marks)
boolean selected = false;
if (!jeeRank.isEmpty() && !mark12.isEmpty() && !mark10.isEmpty()) {
int jeeRankValue = Integer.parseInt(jeeRank);
double averageMarks = (Double.parseDouble(mark12) + Double.parseDouble(mark10)) / 2.0;
if ((admissionType.equals("BTech") && jeeRankValue <= 1000 && averageMarks >= 80) ||
(admissionType.equals("MTech") && jeeRankValue <= 1000 && averageMarks >= 75) ||
(admissionType.equals("Lateral Entry BTech") && jeeRankValue <= 1500 && averageMarks >= 70)||
(admissionType.equals("MCA") && jeeRankValue <= 1800 && averageMarks >= 80)) {
selected = true;
JOptionPane.showMessageDialog(this, "Form submitted successfully!", "Success", JOptionPane.INFORMATION_MESSAGE);
JOptionPane.showMessageDialog(this, "congratulations you are eligible for admisstion", "Eligible", JOptionPane.INFORMATION_MESSAGE);
JOptionPane.showMessageDialog(this, "BTech/Leteral BTech : 96,000 \n MTech : 98,000 \n MCA : 90,000 ", "Fee structer", JOptionPane.INFORMATION_MESSAGE);
showPaymentForm();
}
else
{
JOptionPane.showMessageDialog(this, "Form submitted successfully!", "Success", JOptionPane.INFORMATION_MESSAGE);
JOptionPane.showMessageDialog(this, "Oops! you are not eligible for admisstion", "NOT Eligible", JOptionPane.INFORMATION_MESSAGE);
}
}
String studentInfo = "\n\nCandidate Name: "+ name + "\nGender: " + genderType + "\nCategory: " + categoryType + "\nRILIGION : " + religionType +"\nDate of Birth: " + dob + "\nJEE Rank: " + jeeRank
+ "\n12th Marks: " + mark12 + "\n10th Marks: " + mark10 + "\nFather's Name: " + fatherName
+ "\nCollege Name: " + collegeName + "\nSchool Name: " + schoolName + "\nJEE Roll Number: "
+ jeeRollNumber + "\nCountry type: " + countryType +"\nAddress: " + address + "\nMobile Number: " + mobileNumber
+ "\nAdmission Type: " + admissionType + "\n Intrested Course: " + courseType ;
try (BufferedWriter writer = new BufferedWriter(new FileWriter(fileName, true));
PrintWriter selectedWriter = new PrintWriter(new BufferedWriter(new FileWriter(selectedFileName, true)))) {
writer.write(studentInfo);
writer.newLine();
if (selected) {
selectedWriter.println(studentInfo + " - SELECTED");
}
} catch (IOException ex) {
ex.printStackTrace();
}
clearFields();
}
else if (e.getActionCommand().equals("Clear")) {
clearFields();
}
}
private void clearFields() {
nameField.setText("");
jeeRankField.setText("");
mark12Field.setText("");
mark10Field.setText("");
fatherNameField.setText("");
collegeNameField.setText("");
schoolNameField.setText("");
jeeRollNumberField.setText("");
addressField.setText("");
postField.setText("");
blockField.setText("");
distField.setText("");
stateField.setText("");
pinCodeField.setText("");
mobileNumberField.setText("");
}
public void showHostelAdmissionForm() {
JFrame hostelFrame = new JFrame("Hostel Admission Details");
hostelFrame.setSize(400, 300);
hostelFrame.setDefaultCloseOperation(JFrame.DISPOSE_ON_CLOSE);
hostelFrame.setLayout(new GridLayout(9, 2));
JComboBox<String> genderComboBox = new JComboBox<>(new String[]{"MALE", "FEMALE"});
hostelFrame.add(new JLabel("Gender:"));
hostelFrame.add(genderComboBox);
JTextField hostelNameField = new JTextField();
hostelFrame.add(new JLabel("Hostel Name:"));
hostelFrame.add(hostelNameField);
JTextField roomNumberField = new JTextField();
hostelFrame.add(new JLabel("Room Number:"));
hostelFrame.add(roomNumberField);
JTextField hostelFeeField = new JTextField();
hostelFrame.add(new JLabel("Hostel Fee:"));
hostelFrame.add(hostelFeeField);
JTextField accountNumberField = new JTextField();
hostelFrame.add(new JLabel("Your Account number :"));
hostelFrame.add(accountNumberField);
hostelFrame.add(new JLabel("Payment Mode:"));
hostelFrameComboBox = new JComboBox<>(new String[]{"UPI:7854998757@axl", "Account Transfer:35181881560(SBI)", "Through Mobile No:7854998757"});
hostelFrame.add( hostelFrameComboBox);
JTextField transitionIDField = new JTextField();
hostelFrame.add(new JLabel("Transition ID:"));
hostelFrame.add(transitionIDField);
JCheckBox hostelRequiredCheckBox = new JCheckBox("Hostel Accommodation Required?");
hostelFrame.add(hostelRequiredCheckBox);
JButton hostelSubmitButton = new JButton("Submit Hostel Admission");
hostelSubmitButton.addActionListener(new ActionListener() {
public void actionPerformed(ActionEvent e) {
String hostelName = hostelNameField.getText();
String roomNumber = roomNumberField.getText();
String hostelFee = hostelFeeField.getText();
String gender = (String) genderComboBox.getSelectedItem(); // Get selected<SUF>
boolean hostelRequired = hostelRequiredCheckBox.isSelected(); // Check whether hostel required or not
String accountNumber = accountNumberField.getText();
String transitionID= transitionIDField.getText();
String paymentType = (String) paymentTypeComboBox.getSelectedItem();
String hostelInfo = "\n\n Hostel Name: " + hostelName + "\n Room Number: " + roomNumber + "\n Hostel Fee: " + hostelFee + "\n Gender: " + gender+"\n Payment Method: " + paymentType + "\nAccount Number:"+accountNumber+"\nTransition number"+transitionID;
if (hostelRequired) {
hostelInfo += "\n Hostel Accommodation Required: Yes";
} else {
hostelInfo += "\n Hostel Accommodation Required: No";
}
storeHostelDetails(hostelInfo);
JOptionPane.showMessageDialog(hostelFrame, "Hostel admission submitted successfully!", "Success", JOptionPane.INFORMATION_MESSAGE);
hostelFrame.dispose();
showPrintableForm();
}
});
JButton hostelCancelButton = new JButton("Cancel");
hostelCancelButton.addActionListener(new ActionListener() {
public void actionPerformed(ActionEvent e) {
hostelFrame.dispose(); // Close hostel admission form on cancel
}
});
hostelFrame.add(hostelSubmitButton);
hostelFrame.add(hostelCancelButton);
hostelFrame.setVisible(true);
}
private void storeHostelDetails(String hostelInfo) {
String fileName = "student_hostel_details.txt";
try (BufferedWriter writer = new BufferedWriter(new FileWriter(fileName, true))) {
writer.write(hostelInfo);
writer.newLine();
} catch (IOException e) {
e.printStackTrace();
}
}
private void showPaymentForm() {
JFrame paymentFrame = new JFrame("Student Payment Details");
paymentFrame.setSize(400, 300);
paymentFrame.setDefaultCloseOperation(JFrame.DISPOSE_ON_CLOSE);
paymentFrame.setLayout(new GridLayout(7, 2));
JTextField studentNameField = new JTextField();
paymentFrame.add(new JLabel("Account Holder's Name:"));
paymentFrame.add(studentNameField);
paymentFrame.add(new JLabel("Payment Mode:"));
paymentTypeComboBox = new JComboBox<>(new String[]{"UPI:7854998757@axl", "Account Transfer:35181881560(SBI)", "Through Mobile No:7854998757"});
paymentFrame.add(paymentTypeComboBox);
JTextField accountNumberField = new JTextField();
paymentFrame.add(new JLabel("Your Account number :"));
paymentFrame.add(accountNumberField);
JTextField paymentAmountField = new JTextField();
paymentFrame.add(new JLabel("Payment Amount:"));
paymentFrame.add(paymentAmountField);
JTextField transitionIDField = new JTextField();
paymentFrame.add(new JLabel("Transition ID:"));
paymentFrame.add(transitionIDField);
JButton paymentSubmitButton = new JButton("Submit Payment");
paymentSubmitButton.addActionListener(new ActionListener() {
public void actionPerformed(ActionEvent e) {
String studentName = studentNameField.getText();
String paymentAmount = paymentAmountField.getText();
String accountNumber = accountNumberField.getText();
String transitionID= transitionIDField.getText();
String paymentType = (String) paymentTypeComboBox.getSelectedItem();
// Perform actions to store payment details in a file
String paymentInfo = "\n\n Accound Holder's Name: " + studentName + "\n Payment Amount: " + paymentAmount + "\n Payment Method: " + paymentType + "\nAccount Number:"+accountNumber+"\nTransition number"+transitionID;
storePaymentDetails(paymentInfo);
JOptionPane.showMessageDialog(paymentFrame, "Payment submitted successfully!", "Success", JOptionPane.INFORMATION_MESSAGE);
JOptionPane.showMessageDialog(paymentFrame, "congratulations! welcome to Sambalpur University", "welcome", JOptionPane.INFORMATION_MESSAGE);
JOptionPane.showMessageDialog(paymentFrame, "MALE : VHR(BTECH,MCA,MTECH)\n : AHR(LETERAL ENTRY BTECH)\n\nFEMALE : MHR(FOR ALL)\n\nFEE STRUCTURE :\n\nHOSTEL SEAT FEE : 10,000.00 RUPPESS\nSECURITY FEE : 2,000.00 RUPEES\nTOTAL HOSTEL FEE : 12,000.00 RUPEES", "HOSTEL NAME AND FEE STRUCTURE", JOptionPane.INFORMATION_MESSAGE);
paymentFrame.dispose(); // Close payment form after submission
showHostelAdmissionForm();
}
});
JButton paymentCancelButton = new JButton("Cancel");
paymentCancelButton.addActionListener(new ActionListener() {
public void actionPerformed(ActionEvent e) {
paymentFrame.dispose(); // Close payment form on cancel
}
});
paymentFrame.add(paymentSubmitButton);
paymentFrame.add(paymentCancelButton);
paymentFrame.setVisible(true);
}
private void storePaymentDetails(String paymentInfo) {
String fileName = "student_payments.txt";
try (BufferedWriter writer = new BufferedWriter(new FileWriter(fileName, true))) {
writer.write(paymentInfo);
writer.newLine();
} catch (IOException e) {
e.printStackTrace();
}
}
private void showPrintableForm() {
JFrame printFrame = new JFrame("Printable Form");
printFrame.setSize(600, 600);
printFrame.setDefaultCloseOperation(JFrame.DISPOSE_ON_CLOSE);
JPanel printPanel = new JPanel(new BorderLayout());
printTextArea = new JTextArea(30, 50);
printTextArea.setEditable(false);
JScrollPane scrollPane = new JScrollPane(printTextArea);
printPanel.add(scrollPane, BorderLayout.CENTER);
JButton printButton = new JButton("Print");
printButton.addActionListener(new ActionListener() {
public void actionPerformed(ActionEvent e) {
try {
printTextArea.print(); // Print the text area content
} catch (Exception ex) {
ex.printStackTrace();
}
}
});
printPanel.add(printButton, BorderLayout.SOUTH);
// Adding photo, payment details, and hostel details to the printable form
ImageIcon icon = (ImageIcon) photoLabel.getIcon();
if (icon != null) {
JLabel photoLabelPrint = new JLabel(icon);
printPanel.add(photoLabelPrint, BorderLayout.NORTH);
}
String recentSelectedStudentDetails = getRecentSelectedStudentDetails();
if (!recentSelectedStudentDetails.isEmpty()) {
printTextArea.append("\n\nCandidate's Details\n");
printTextArea.append(recentSelectedStudentDetails);
}
String paymentInfo = "Payment Details:\n" + getPaymentDetails();
printTextArea.append("\n\n" + paymentInfo);
String hostelInfo = "Hostel Details:\n" + getHostelDetails();
printTextArea.append("\n\n" + hostelInfo);
printFrame.add(printPanel);
printFrame.setVisible(true);
}
private String getHostelDetails() {
// Fetch hostel details from your stored file or store it directly as per your application logic
// Example logic to read from the file
StringBuilder hostelDetails = new StringBuilder();
try (BufferedReader reader = new BufferedReader(new FileReader("student_hostel_details.txt"))) {
String line;
ArrayList<String> recentLines = new ArrayList<>();
while ((line = reader.readLine()) != null) {
recentLines.add(line);
if (recentLines.size() > 6) {
recentLines.remove(0);
}
}
for (String recentLine : recentLines) {
hostelDetails.append(recentLine).append("\n");
}
} catch (IOException ex) {
ex.printStackTrace();
}
return hostelDetails.toString();
}
private String getPaymentDetails() {
StringBuilder paymentDetails = new StringBuilder();
try (BufferedReader reader = new BufferedReader(new FileReader("student_payments.txt"))) {
String line;
ArrayList<String> recentLines = new ArrayList<>();
while ((line = reader.readLine()) != null) {
recentLines.add(line);
if (recentLines.size() > 5) {
recentLines.remove(0);
}
}
for (String recentLine : recentLines) {
paymentDetails.append(recentLine).append("\n");
}
} catch (IOException ex) {
ex.printStackTrace();
}
return paymentDetails.toString();
}
private String getRecentSelectedStudentDetails() {
StringBuilder selectedStudentDetails = new StringBuilder();
try (BufferedReader reader = new BufferedReader(new FileReader("SelectedStudents.txt"))) {
String line;
ArrayList<String> recentLines = new ArrayList<>();
while ((line = reader.readLine()) != null) {
recentLines.add(line);
if (recentLines.size() > 17) {
recentLines.remove(0);
}
}
for (String recentLine : recentLines) {
selectedStudentDetails.append(recentLine).append("\n");
}
} catch (IOException ex) {
ex.printStackTrace();
}
return selectedStudentDetails.toString();
}
private boolean isRequiredFieldEmpty() {
return nameField.getText().isEmpty() ||
jeeRankField.getText().isEmpty() ||
mark12Field.getText().isEmpty() ||
mark10Field.getText().isEmpty() ||
fatherNameField.getText().isEmpty() ||
collegeNameField.getText().isEmpty() ||
schoolNameField.getText().isEmpty() ||
jeeRollNumberField.getText().isEmpty() ||
addressField.getText().isEmpty() ||
postField.getText().isEmpty() ||
blockField.getText().isEmpty() ||
distField.getText().isEmpty() ||
stateField.getText().isEmpty() ||
pinCodeField.getText().isEmpty() ||
mobileNumberField.getText().isEmpty();
}
public static void main(String[] args) {
SwingUtilities.invokeLater(new Runnable() {
public void run() {
new AdmissionForm();
}
});
}
} |
205048_17 | package hadoop.data.analysis.original;
import hadoop.data.analysis.ranges.HouseRanges;
import hadoop.data.analysis.ranges.RentRanges;
import org.apache.hadoop.io.Text;
import org.apache.hadoop.mapreduce.Reducer;
import org.apache.hadoop.mapreduce.lib.output.MultipleOutputs;
import java.io.IOException;
import java.math.BigDecimal;
import java.text.DecimalFormat;
import java.util.*;
public class IndividualDataReducer extends Reducer<Text, MapMultiple, Text, Text> {
private MultipleOutputs multipleOutputs;
private Map<Text, Double> elderlyMap = new HashMap<>();
private Text mostElderlyState = new Text();
private List<Double> averageList = new ArrayList<>();
private double currentMax = 0;
/**
* Writes answers to each question in their own files.
* @param context MapReduce context
* @throws IOException
* @throws InterruptedException
*/
public void setup(Context context) throws IOException, InterruptedException {
multipleOutputs = new MultipleOutputs(context);
multipleOutputs.write("question1", new Text("\nQuestion 1:\n" +
"Percentage of residences rented vs. owned"), new Text(" \n"));
multipleOutputs.write("question2", new Text("\nQuestion 2:\n" +
"Percentage of males and females of the state population that never married"), new Text(" \n"));
multipleOutputs.write("question3a", new Text("\nQuestion 3a:\n" +
"Percentage of hispanic population <= 18 years old"), new Text(" \n"));
multipleOutputs.write("question3b", new Text("\nQuestion 3b:\n" +
"Percentage of hispanic population >= 19 and <= 29"), new Text(" \n"));
multipleOutputs.write("question3c", new Text("\nQuestion 3c:\n" +
"Percentage of hispanic population >= 30 and <= 39"), new Text(" \n"));
multipleOutputs.write("question4", new Text("\nQuestion 4:\n" +
"Percentage of rural households vs. urban households"), new Text(" \n"));
multipleOutputs.write("question5", new Text("\nQuestion 5:\n" +
"Median value of houses occupied by owners"), new Text(" \n"));
multipleOutputs.write("question6", new Text("\nQuestion 6:\n" +
"Median rent paid by households"), new Text(" \n"));
multipleOutputs.write("question7", new Text("\nQuestion 7:\n" +
"95th percentile of the average number of rooms per house"), new Text(" \n"));
multipleOutputs.write("question8", new Text("\nQuestion 8:\n" +
"State that has the highest percentage of people aged > 85"), new Text(" \n"));
multipleOutputs.write("question9", new Text("\nQuestion 9:\n" +
"Does the amount of urban and rural population influence the population of children < 17 per state?"),
new Text(" \n"));
}
/**
* Sums all values and sets the final values for each variable. Performs calculations as necessary and
* writes to output file.
* @param key state
* @param values MapMultiple objects that contain values for each state
* @param context MapReduce context
* @throws IOException
* @throws InterruptedException
*/
@Override
protected void reduce(Text key, Iterable<MapMultiple> values, Context context) throws IOException, InterruptedException {
MapMultiple mapMultiple = new MapMultiple();
Map<Integer, Double> houseRangeMap = new TreeMap<>();
Map<Integer, Double> rentRangeMap = new TreeMap<>();
HouseRanges houseRanges = HouseRanges.getInstance();
RentRanges rentRanges = RentRanges.getInstance();
double totalRent = 0;
double totalOwn = 0;
double population = 0;
double totalMalesNeverMarried = 0;
double totalFemalesNeverMarried = 0;
double insideUrban = 0;
double outsideUrban = 0;
double rural = 0;
double notDefined = 0;
double hispanicMalesUnder18 = 0;
double hispanicFemalesUnder18 = 0;
double hispanicMales19to29 = 0;
double hispanicFemales19to29 = 0;
double hispanicMales30to39 = 0;
double hispanicFemales30to39 = 0;
double totalHispanicPopulation = 0;
double totalOwnedHomes = 0;
double ownedHomeValue0 = 0;
double ownedHomeValue1 = 0;
double ownedHomeValue2 = 0;
double ownedHomeValue3 = 0;
double ownedHomeValue4 = 0;
double ownedHomeValue5 = 0;
double ownedHomeValue6 = 0;
double ownedHomeValue7 = 0;
double ownedHomeValue8 = 0;
double ownedHomeValue9 = 0;
double ownedHomeValue10 = 0;
double ownedHomeValue11 = 0;
double ownedHomeValue12 = 0;
double ownedHomeValue13 = 0;
double ownedHomeValue14 = 0;
double ownedHomeValue15 = 0;
double ownedHomeValue16 = 0;
double ownedHomeValue17 = 0;
double ownedHomeValue18 = 0;
double ownedHomeValue19 = 0;
double totalRenters = 0;
double rentValue0 = 0;
double rentValue1 = 0;
double rentValue2 = 0;
double rentValue3 = 0;
double rentValue4 = 0;
double rentValue5 = 0;
double rentValue6 = 0;
double rentValue7 = 0;
double rentValue8 = 0;
double rentValue9 = 0;
double rentValue10 = 0;
double rentValue11 = 0;
double rentValue12 = 0;
double rentValue13 = 0;
double rentValue14 = 0;
double rentValue15 = 0;
double rentValue16 = 0;
double totalRooms = 0;
double oneRoom = 0;
double twoRooms = 0;
double threeRooms = 0;
double fourRooms = 0;
double fiveRooms = 0;
double sixRooms = 0;
double sevenRooms = 0;
double eightRooms = 0;
double nineRooms = 0;
double averageRooms = 0;
double elderlyPopulation = 0;
double urbanPopulation = 0;
double ruralPopulation = 0;
double childrenUnder1To11 = 0;
double children12To17 = 0;
double hispanicChildrenUnder1To11 = 0;
double hispanicChildren12To17 = 0;
for (MapMultiple val : values) {
totalRent += val.getRent();
totalOwn += val.getOwn();
population += val.getPopulation();
totalMalesNeverMarried += val.getMaleNeverMarried();
totalFemalesNeverMarried += val.getFemaleNeverMarried();
hispanicMalesUnder18 += val.getHispanicMalesUnder18();
hispanicFemalesUnder18 += val.getHispanicFemalesUnder18();
hispanicMales19to29 += val.getHispanicMales19to29();
hispanicFemales19to29 += val.getHispanicFemales19to29();
hispanicMales30to39 += val.getHispanicMales30to39();
hispanicFemales30to39 += val.getHispanicFemales30to39();
totalHispanicPopulation += val.getTotalHispanicPopulation();
insideUrban += val.getInsideUrban();
outsideUrban += val.getOutsideUrban();
rural += val.getRural();
notDefined += val.getNotDefined();
totalOwnedHomes += val.getTotalOwnedHomes();
ownedHomeValue0 += val.getOwnedHomeValue0();
ownedHomeValue1 += val.getOwnedHomeValue1();
ownedHomeValue2 += val.getOwnedHomeValue2();
ownedHomeValue3 += val.getOwnedHomeValue3();
ownedHomeValue4 += val.getOwnedHomeValue4();
ownedHomeValue5 += val.getOwnedHomeValue5();
ownedHomeValue6 += val.getOwnedHomeValue6();
ownedHomeValue7 += val.getOwnedHomeValue7();
ownedHomeValue8 += val.getOwnedHomeValue8();
ownedHomeValue9 += val.getOwnedHomeValue9();
ownedHomeValue10 += val.getOwnedHomeValue10();
ownedHomeValue11 += val.getOwnedHomeValue11();
ownedHomeValue12 += val.getOwnedHomeValue12();
ownedHomeValue13 += val.getOwnedHomeValue13();
ownedHomeValue14 += val.getOwnedHomeValue14();
ownedHomeValue15 += val.getOwnedHomeValue15();
ownedHomeValue16 += val.getOwnedHomeValue16();
ownedHomeValue17 += val.getOwnedHomeValue17();
ownedHomeValue18 += val.getOwnedHomeValue18();
ownedHomeValue19 += val.getOwnedHomeValue19();
totalRenters += val.getTotalRenters();
rentValue0 += val.getRentValue0();
rentValue1 += val.getRentValue1();
rentValue2 += val.getRentValue2();
rentValue3 += val.getRentValue3();
rentValue4 += val.getRentValue4();
rentValue5 += val.getRentValue5();
rentValue6 += val.getRentValue6();
rentValue7 += val.getRentValue7();
rentValue8 += val.getRentValue8();
rentValue9 += val.getRentValue9();
rentValue10 += val.getRentValue10();
rentValue11 += val.getRentValue11();
rentValue12 += val.getRentValue12();
rentValue13 += val.getRentValue13();
rentValue14 += val.getRentValue14();
rentValue15 += val.getRentValue15();
rentValue16 += val.getRentValue16();
totalRooms += val.getTotalRooms();
oneRoom += val.getOneRoom();
twoRooms += val.getTwoRooms();
threeRooms += val.getThreeRooms();
fourRooms += val.getFourRooms();
fiveRooms += val.getFiveRooms();
sixRooms += val.getSixRooms();
sevenRooms += val.getSevenRooms();
eightRooms += val.getEightRooms();
nineRooms += val.getNineRooms();
elderlyPopulation += val.getElderlyPopulation();
elderlyMap.put(key, Double.parseDouble(calculatePercentage(elderlyPopulation, population)));
urbanPopulation += val.getUrbanPopulation();
ruralPopulation += val.getRuralPopulation();
childrenUnder1To11 += val.getChildrenUnder1To11();
children12To17 += val.getChildren12To17();
hispanicChildrenUnder1To11 += val.getHispanicChildrenUnder1To11();
hispanicChildren12To17 += val.getHispanicChildren12To17();
}
//determine how many rooms exist in the state so average can be calculated
Double[] roomArray = {oneRoom * 1, twoRooms * 2, threeRooms * 3, fourRooms * 4, fiveRooms * 5,
sixRooms * 6, sevenRooms * 7, eightRooms * 8, nineRooms * 9};
//calculate averages and add them to a list
DecimalFormat dF = new DecimalFormat("##.00");
double average = calculateAverageRooms(roomArray, totalRooms);
if (!Double.isNaN(average)) {
double formattedAverage = Double.parseDouble(dF.format(average));
averageRooms = formattedAverage;
} else {
averageRooms = 0;
}
if (averageRooms != 0) {
averageList.add(averageRooms);
}
//put home values into an array so they can be put into a map with the ranges
Double[] homeValueArray = {ownedHomeValue0, ownedHomeValue1, ownedHomeValue2, ownedHomeValue3,
ownedHomeValue4, ownedHomeValue5, ownedHomeValue6, ownedHomeValue7, ownedHomeValue8, ownedHomeValue9,
ownedHomeValue10, ownedHomeValue11, ownedHomeValue12, ownedHomeValue13, ownedHomeValue14,
ownedHomeValue15, ownedHomeValue16, ownedHomeValue17, ownedHomeValue18, ownedHomeValue19};
for (int i = 0; i < 20; i++) {
houseRangeMap.put(houseRanges.getHousingIntegers()[i], homeValueArray[i]);
}
//put rent values into an array so they can be put into a map with the ranges
Double[] rentPaidArray = {rentValue0, rentValue1, rentValue2, rentValue3, rentValue4, rentValue5,
rentValue6, rentValue7, rentValue8, rentValue9, rentValue10, rentValue11, rentValue12,
rentValue13, rentValue14, rentValue15, rentValue16};
for (int i = 0; i < 17; i++) {
rentRangeMap.put(rentRanges.getIntegerRents()[i], rentPaidArray[i]);
}
//write answers for each state
multipleOutputs.write("question1", key, new Text(
" rent: " + calculatePercentage(totalRent, (totalRent + totalOwn)) + "% | own: "
+ calculatePercentage(totalOwn, (totalRent + totalOwn)) + "%"));
multipleOutputs.write("question2", key, new Text(
" Males: " +
calculatePercentage(totalMalesNeverMarried, (population))
+ "% | Females: " +
calculatePercentage(totalFemalesNeverMarried, (population)) + "%"));
multipleOutputs.write("question3a", key, new Text(
" Males: " + calculatePercentage(hispanicMalesUnder18, totalHispanicPopulation) +
"% | Females: " + calculatePercentage(hispanicFemalesUnder18, totalHispanicPopulation) +
"%"));
multipleOutputs.write("question3b", key, new Text(
" Males: " + calculatePercentage(hispanicMales19to29, totalHispanicPopulation) +
"% | Females: " + calculatePercentage(hispanicFemales19to29, totalHispanicPopulation) +
"%"));
multipleOutputs.write("question3c", key, new Text(
" Males: " + calculatePercentage(hispanicMales30to39, totalHispanicPopulation) +
"% | Females: " + calculatePercentage(hispanicFemales30to39, totalHispanicPopulation) +
"%"));
multipleOutputs.write("question4", key, new Text(
" Rural: "
+ calculatePercentage(rural, (rural + insideUrban + outsideUrban + notDefined)) +
"% | Urban: " +
calculatePercentage((insideUrban + outsideUrban), (rural + insideUrban + outsideUrban + notDefined)) + "%"));
multipleOutputs.write("question5", key, new Text(
" " + calculateMedian(houseRangeMap, houseRanges.getRanges(), totalOwnedHomes)));
multipleOutputs.write("question6", key, new Text(
" " + calculateMedian(rentRangeMap, rentRanges.getRanges(), totalRenters)));
multipleOutputs.write("question9", key, new Text(
calculatePercentage(urbanPopulation, population) + ":" +
calculatePercentage(ruralPopulation, population) +
":" + calculatePercentage(childrenUnder1To11, population) +
":" + calculatePercentage(children12To17, population) +
":" + calculatePercentage(hispanicChildrenUnder1To11, population) +
":" + calculatePercentage(hispanicChildren12To17, population)));
stateWithMostElderlyPeople(elderlyMap);
}
/**
* Close multiple outputs, otherwise the results might not be written to output files.
* Also writes questions 7 and 8 because the answer only contains one data point instead of one
* for each state.
* @param context MapReduce context
* @throws IOException
* @throws InterruptedException
*/
@Override
protected void cleanup(Context context) throws IOException, InterruptedException {
//question 7 and 8 written here so only one value's output
multipleOutputs.write("question7", "", new Text(calculateNinetyFifthPercentile(averageList) +
averageList + " rooms"));
multipleOutputs.write("question8", mostElderlyState, new Text(
" " + currentMax + "%"));
super.cleanup(context);
multipleOutputs.close();
}
/**
* Calculate percentage, ignores answer if impossible number is calculated (VI and PR
* generally cause this)
* @param numerator
* @param denominator
* @return
*/
private String calculatePercentage(double numerator, double denominator) {
DecimalFormat decimalFormat = new DecimalFormat("##.00");
double percentage = (numerator / denominator) * 100;
if (Double.isInfinite(percentage) || percentage > 100 || percentage < 0) {
return "N/A";
} else {
return decimalFormat.format(percentage);
}
}
/**
* Calculates median, returns N/A if no iterations were performed (no data was collected).
* The current count is tracked because this is calculating the median from ranges, not from
* each data point.
* @param map map of ranges (key) and quantity per range (value)
* @param dataArray array of ranges
* @param totalNumber total number of the variable that's being examined (home values or rent ranges)
* @return answer
*/
private String calculateMedian(Map<Integer, Double> map, String[] dataArray, double totalNumber) {
int currentCount = 0;
int iterations = 0;
double dividingPoint = totalNumber * 0.50;
for (Integer key : map.keySet()) {
currentCount += map.get(key);
iterations++;
if (currentCount > dividingPoint) {
break;
}
}
String relevantRange = "N/A";
if (iterations != 0) {
relevantRange = dataArray[iterations - 1];
}
//debug
// String test = "";
// test += iterations + ":" + dividingPoint + ":" + totalNumber + "\n" + map.values().toString() + "\n";
// for (Integer key : map.keySet()) {
// test += "[";
// test += key.toString() + ", ";
// test += map.get(key) + "]\n";
// }
// test += "***" + relevantRange + "***";
return relevantRange;
}
private double calculateAverageRooms(Double[] rooms, double totalHouses) {
double actualRoomQuantity = 0;
for (int i = 0; i < 9; i++) {
actualRoomQuantity += rooms[i];
}
return actualRoomQuantity / totalHouses;
}
/**
* Checks if the percentage of elderly population in the state is the most compared to all other
* states analyzed so far.
* @param stateElderlyMap Map of states' elderly population percentages
*/
private void stateWithMostElderlyPeople(Map<Text, Double> stateElderlyMap) {
for (Text state : stateElderlyMap.keySet()) {
if (stateElderlyMap.get(state) > currentMax) {
currentMax = stateElderlyMap.get(state);
mostElderlyState.set(state);
}
}
}
/**
* Calculates 95th percentile of the given list. If the result of list * .95 divides evenly,
* that number is the 95th percentile. Otherwise, the next result is in the 95th percentile.
* @param list list to calculate 95th percentile from
* @return
*/
private String calculateNinetyFifthPercentile(List<Double> list) {
Collections.sort(list);
BigDecimal ninetyFifthPercentile = null;
double rawPercentile = list.size() * 0.95;
if (rawPercentile % 1 == 0) {
ninetyFifthPercentile = new BigDecimal(rawPercentile).setScale(0);
}
if (rawPercentile % 1 != 0) {
ninetyFifthPercentile = new BigDecimal(rawPercentile).setScale(0, BigDecimal.ROUND_UP);
}
int ninetyFifthPercentilePosition = ninetyFifthPercentile.intValueExact();
double ninetyFifthPercentileNumber = list.get(ninetyFifthPercentilePosition - 1);
String answer = Double.toString(ninetyFifthPercentileNumber);
// debug
// String test = "";
// test += ninetyFifthPercentile + ":" + ninetyFifthPercentilePosition + "\n" + list.toString() + "\n";
// test += list.size() + "\n";
// test += "***" + ninetyFifthPercentileNumber + "***";
return answer;
}
} | nmalensek/Hadoop-Demographic-Analysis | src/hadoop/data/analysis/original/IndividualDataReducer.java | 5,170 | // test += "***" + relevantRange + "***"; | line_comment | nl | package hadoop.data.analysis.original;
import hadoop.data.analysis.ranges.HouseRanges;
import hadoop.data.analysis.ranges.RentRanges;
import org.apache.hadoop.io.Text;
import org.apache.hadoop.mapreduce.Reducer;
import org.apache.hadoop.mapreduce.lib.output.MultipleOutputs;
import java.io.IOException;
import java.math.BigDecimal;
import java.text.DecimalFormat;
import java.util.*;
public class IndividualDataReducer extends Reducer<Text, MapMultiple, Text, Text> {
private MultipleOutputs multipleOutputs;
private Map<Text, Double> elderlyMap = new HashMap<>();
private Text mostElderlyState = new Text();
private List<Double> averageList = new ArrayList<>();
private double currentMax = 0;
/**
* Writes answers to each question in their own files.
* @param context MapReduce context
* @throws IOException
* @throws InterruptedException
*/
public void setup(Context context) throws IOException, InterruptedException {
multipleOutputs = new MultipleOutputs(context);
multipleOutputs.write("question1", new Text("\nQuestion 1:\n" +
"Percentage of residences rented vs. owned"), new Text(" \n"));
multipleOutputs.write("question2", new Text("\nQuestion 2:\n" +
"Percentage of males and females of the state population that never married"), new Text(" \n"));
multipleOutputs.write("question3a", new Text("\nQuestion 3a:\n" +
"Percentage of hispanic population <= 18 years old"), new Text(" \n"));
multipleOutputs.write("question3b", new Text("\nQuestion 3b:\n" +
"Percentage of hispanic population >= 19 and <= 29"), new Text(" \n"));
multipleOutputs.write("question3c", new Text("\nQuestion 3c:\n" +
"Percentage of hispanic population >= 30 and <= 39"), new Text(" \n"));
multipleOutputs.write("question4", new Text("\nQuestion 4:\n" +
"Percentage of rural households vs. urban households"), new Text(" \n"));
multipleOutputs.write("question5", new Text("\nQuestion 5:\n" +
"Median value of houses occupied by owners"), new Text(" \n"));
multipleOutputs.write("question6", new Text("\nQuestion 6:\n" +
"Median rent paid by households"), new Text(" \n"));
multipleOutputs.write("question7", new Text("\nQuestion 7:\n" +
"95th percentile of the average number of rooms per house"), new Text(" \n"));
multipleOutputs.write("question8", new Text("\nQuestion 8:\n" +
"State that has the highest percentage of people aged > 85"), new Text(" \n"));
multipleOutputs.write("question9", new Text("\nQuestion 9:\n" +
"Does the amount of urban and rural population influence the population of children < 17 per state?"),
new Text(" \n"));
}
/**
* Sums all values and sets the final values for each variable. Performs calculations as necessary and
* writes to output file.
* @param key state
* @param values MapMultiple objects that contain values for each state
* @param context MapReduce context
* @throws IOException
* @throws InterruptedException
*/
@Override
protected void reduce(Text key, Iterable<MapMultiple> values, Context context) throws IOException, InterruptedException {
MapMultiple mapMultiple = new MapMultiple();
Map<Integer, Double> houseRangeMap = new TreeMap<>();
Map<Integer, Double> rentRangeMap = new TreeMap<>();
HouseRanges houseRanges = HouseRanges.getInstance();
RentRanges rentRanges = RentRanges.getInstance();
double totalRent = 0;
double totalOwn = 0;
double population = 0;
double totalMalesNeverMarried = 0;
double totalFemalesNeverMarried = 0;
double insideUrban = 0;
double outsideUrban = 0;
double rural = 0;
double notDefined = 0;
double hispanicMalesUnder18 = 0;
double hispanicFemalesUnder18 = 0;
double hispanicMales19to29 = 0;
double hispanicFemales19to29 = 0;
double hispanicMales30to39 = 0;
double hispanicFemales30to39 = 0;
double totalHispanicPopulation = 0;
double totalOwnedHomes = 0;
double ownedHomeValue0 = 0;
double ownedHomeValue1 = 0;
double ownedHomeValue2 = 0;
double ownedHomeValue3 = 0;
double ownedHomeValue4 = 0;
double ownedHomeValue5 = 0;
double ownedHomeValue6 = 0;
double ownedHomeValue7 = 0;
double ownedHomeValue8 = 0;
double ownedHomeValue9 = 0;
double ownedHomeValue10 = 0;
double ownedHomeValue11 = 0;
double ownedHomeValue12 = 0;
double ownedHomeValue13 = 0;
double ownedHomeValue14 = 0;
double ownedHomeValue15 = 0;
double ownedHomeValue16 = 0;
double ownedHomeValue17 = 0;
double ownedHomeValue18 = 0;
double ownedHomeValue19 = 0;
double totalRenters = 0;
double rentValue0 = 0;
double rentValue1 = 0;
double rentValue2 = 0;
double rentValue3 = 0;
double rentValue4 = 0;
double rentValue5 = 0;
double rentValue6 = 0;
double rentValue7 = 0;
double rentValue8 = 0;
double rentValue9 = 0;
double rentValue10 = 0;
double rentValue11 = 0;
double rentValue12 = 0;
double rentValue13 = 0;
double rentValue14 = 0;
double rentValue15 = 0;
double rentValue16 = 0;
double totalRooms = 0;
double oneRoom = 0;
double twoRooms = 0;
double threeRooms = 0;
double fourRooms = 0;
double fiveRooms = 0;
double sixRooms = 0;
double sevenRooms = 0;
double eightRooms = 0;
double nineRooms = 0;
double averageRooms = 0;
double elderlyPopulation = 0;
double urbanPopulation = 0;
double ruralPopulation = 0;
double childrenUnder1To11 = 0;
double children12To17 = 0;
double hispanicChildrenUnder1To11 = 0;
double hispanicChildren12To17 = 0;
for (MapMultiple val : values) {
totalRent += val.getRent();
totalOwn += val.getOwn();
population += val.getPopulation();
totalMalesNeverMarried += val.getMaleNeverMarried();
totalFemalesNeverMarried += val.getFemaleNeverMarried();
hispanicMalesUnder18 += val.getHispanicMalesUnder18();
hispanicFemalesUnder18 += val.getHispanicFemalesUnder18();
hispanicMales19to29 += val.getHispanicMales19to29();
hispanicFemales19to29 += val.getHispanicFemales19to29();
hispanicMales30to39 += val.getHispanicMales30to39();
hispanicFemales30to39 += val.getHispanicFemales30to39();
totalHispanicPopulation += val.getTotalHispanicPopulation();
insideUrban += val.getInsideUrban();
outsideUrban += val.getOutsideUrban();
rural += val.getRural();
notDefined += val.getNotDefined();
totalOwnedHomes += val.getTotalOwnedHomes();
ownedHomeValue0 += val.getOwnedHomeValue0();
ownedHomeValue1 += val.getOwnedHomeValue1();
ownedHomeValue2 += val.getOwnedHomeValue2();
ownedHomeValue3 += val.getOwnedHomeValue3();
ownedHomeValue4 += val.getOwnedHomeValue4();
ownedHomeValue5 += val.getOwnedHomeValue5();
ownedHomeValue6 += val.getOwnedHomeValue6();
ownedHomeValue7 += val.getOwnedHomeValue7();
ownedHomeValue8 += val.getOwnedHomeValue8();
ownedHomeValue9 += val.getOwnedHomeValue9();
ownedHomeValue10 += val.getOwnedHomeValue10();
ownedHomeValue11 += val.getOwnedHomeValue11();
ownedHomeValue12 += val.getOwnedHomeValue12();
ownedHomeValue13 += val.getOwnedHomeValue13();
ownedHomeValue14 += val.getOwnedHomeValue14();
ownedHomeValue15 += val.getOwnedHomeValue15();
ownedHomeValue16 += val.getOwnedHomeValue16();
ownedHomeValue17 += val.getOwnedHomeValue17();
ownedHomeValue18 += val.getOwnedHomeValue18();
ownedHomeValue19 += val.getOwnedHomeValue19();
totalRenters += val.getTotalRenters();
rentValue0 += val.getRentValue0();
rentValue1 += val.getRentValue1();
rentValue2 += val.getRentValue2();
rentValue3 += val.getRentValue3();
rentValue4 += val.getRentValue4();
rentValue5 += val.getRentValue5();
rentValue6 += val.getRentValue6();
rentValue7 += val.getRentValue7();
rentValue8 += val.getRentValue8();
rentValue9 += val.getRentValue9();
rentValue10 += val.getRentValue10();
rentValue11 += val.getRentValue11();
rentValue12 += val.getRentValue12();
rentValue13 += val.getRentValue13();
rentValue14 += val.getRentValue14();
rentValue15 += val.getRentValue15();
rentValue16 += val.getRentValue16();
totalRooms += val.getTotalRooms();
oneRoom += val.getOneRoom();
twoRooms += val.getTwoRooms();
threeRooms += val.getThreeRooms();
fourRooms += val.getFourRooms();
fiveRooms += val.getFiveRooms();
sixRooms += val.getSixRooms();
sevenRooms += val.getSevenRooms();
eightRooms += val.getEightRooms();
nineRooms += val.getNineRooms();
elderlyPopulation += val.getElderlyPopulation();
elderlyMap.put(key, Double.parseDouble(calculatePercentage(elderlyPopulation, population)));
urbanPopulation += val.getUrbanPopulation();
ruralPopulation += val.getRuralPopulation();
childrenUnder1To11 += val.getChildrenUnder1To11();
children12To17 += val.getChildren12To17();
hispanicChildrenUnder1To11 += val.getHispanicChildrenUnder1To11();
hispanicChildren12To17 += val.getHispanicChildren12To17();
}
//determine how many rooms exist in the state so average can be calculated
Double[] roomArray = {oneRoom * 1, twoRooms * 2, threeRooms * 3, fourRooms * 4, fiveRooms * 5,
sixRooms * 6, sevenRooms * 7, eightRooms * 8, nineRooms * 9};
//calculate averages and add them to a list
DecimalFormat dF = new DecimalFormat("##.00");
double average = calculateAverageRooms(roomArray, totalRooms);
if (!Double.isNaN(average)) {
double formattedAverage = Double.parseDouble(dF.format(average));
averageRooms = formattedAverage;
} else {
averageRooms = 0;
}
if (averageRooms != 0) {
averageList.add(averageRooms);
}
//put home values into an array so they can be put into a map with the ranges
Double[] homeValueArray = {ownedHomeValue0, ownedHomeValue1, ownedHomeValue2, ownedHomeValue3,
ownedHomeValue4, ownedHomeValue5, ownedHomeValue6, ownedHomeValue7, ownedHomeValue8, ownedHomeValue9,
ownedHomeValue10, ownedHomeValue11, ownedHomeValue12, ownedHomeValue13, ownedHomeValue14,
ownedHomeValue15, ownedHomeValue16, ownedHomeValue17, ownedHomeValue18, ownedHomeValue19};
for (int i = 0; i < 20; i++) {
houseRangeMap.put(houseRanges.getHousingIntegers()[i], homeValueArray[i]);
}
//put rent values into an array so they can be put into a map with the ranges
Double[] rentPaidArray = {rentValue0, rentValue1, rentValue2, rentValue3, rentValue4, rentValue5,
rentValue6, rentValue7, rentValue8, rentValue9, rentValue10, rentValue11, rentValue12,
rentValue13, rentValue14, rentValue15, rentValue16};
for (int i = 0; i < 17; i++) {
rentRangeMap.put(rentRanges.getIntegerRents()[i], rentPaidArray[i]);
}
//write answers for each state
multipleOutputs.write("question1", key, new Text(
" rent: " + calculatePercentage(totalRent, (totalRent + totalOwn)) + "% | own: "
+ calculatePercentage(totalOwn, (totalRent + totalOwn)) + "%"));
multipleOutputs.write("question2", key, new Text(
" Males: " +
calculatePercentage(totalMalesNeverMarried, (population))
+ "% | Females: " +
calculatePercentage(totalFemalesNeverMarried, (population)) + "%"));
multipleOutputs.write("question3a", key, new Text(
" Males: " + calculatePercentage(hispanicMalesUnder18, totalHispanicPopulation) +
"% | Females: " + calculatePercentage(hispanicFemalesUnder18, totalHispanicPopulation) +
"%"));
multipleOutputs.write("question3b", key, new Text(
" Males: " + calculatePercentage(hispanicMales19to29, totalHispanicPopulation) +
"% | Females: " + calculatePercentage(hispanicFemales19to29, totalHispanicPopulation) +
"%"));
multipleOutputs.write("question3c", key, new Text(
" Males: " + calculatePercentage(hispanicMales30to39, totalHispanicPopulation) +
"% | Females: " + calculatePercentage(hispanicFemales30to39, totalHispanicPopulation) +
"%"));
multipleOutputs.write("question4", key, new Text(
" Rural: "
+ calculatePercentage(rural, (rural + insideUrban + outsideUrban + notDefined)) +
"% | Urban: " +
calculatePercentage((insideUrban + outsideUrban), (rural + insideUrban + outsideUrban + notDefined)) + "%"));
multipleOutputs.write("question5", key, new Text(
" " + calculateMedian(houseRangeMap, houseRanges.getRanges(), totalOwnedHomes)));
multipleOutputs.write("question6", key, new Text(
" " + calculateMedian(rentRangeMap, rentRanges.getRanges(), totalRenters)));
multipleOutputs.write("question9", key, new Text(
calculatePercentage(urbanPopulation, population) + ":" +
calculatePercentage(ruralPopulation, population) +
":" + calculatePercentage(childrenUnder1To11, population) +
":" + calculatePercentage(children12To17, population) +
":" + calculatePercentage(hispanicChildrenUnder1To11, population) +
":" + calculatePercentage(hispanicChildren12To17, population)));
stateWithMostElderlyPeople(elderlyMap);
}
/**
* Close multiple outputs, otherwise the results might not be written to output files.
* Also writes questions 7 and 8 because the answer only contains one data point instead of one
* for each state.
* @param context MapReduce context
* @throws IOException
* @throws InterruptedException
*/
@Override
protected void cleanup(Context context) throws IOException, InterruptedException {
//question 7 and 8 written here so only one value's output
multipleOutputs.write("question7", "", new Text(calculateNinetyFifthPercentile(averageList) +
averageList + " rooms"));
multipleOutputs.write("question8", mostElderlyState, new Text(
" " + currentMax + "%"));
super.cleanup(context);
multipleOutputs.close();
}
/**
* Calculate percentage, ignores answer if impossible number is calculated (VI and PR
* generally cause this)
* @param numerator
* @param denominator
* @return
*/
private String calculatePercentage(double numerator, double denominator) {
DecimalFormat decimalFormat = new DecimalFormat("##.00");
double percentage = (numerator / denominator) * 100;
if (Double.isInfinite(percentage) || percentage > 100 || percentage < 0) {
return "N/A";
} else {
return decimalFormat.format(percentage);
}
}
/**
* Calculates median, returns N/A if no iterations were performed (no data was collected).
* The current count is tracked because this is calculating the median from ranges, not from
* each data point.
* @param map map of ranges (key) and quantity per range (value)
* @param dataArray array of ranges
* @param totalNumber total number of the variable that's being examined (home values or rent ranges)
* @return answer
*/
private String calculateMedian(Map<Integer, Double> map, String[] dataArray, double totalNumber) {
int currentCount = 0;
int iterations = 0;
double dividingPoint = totalNumber * 0.50;
for (Integer key : map.keySet()) {
currentCount += map.get(key);
iterations++;
if (currentCount > dividingPoint) {
break;
}
}
String relevantRange = "N/A";
if (iterations != 0) {
relevantRange = dataArray[iterations - 1];
}
//debug
// String test = "";
// test += iterations + ":" + dividingPoint + ":" + totalNumber + "\n" + map.values().toString() + "\n";
// for (Integer key : map.keySet()) {
// test += "[";
// test += key.toString() + ", ";
// test += map.get(key) + "]\n";
// }
// test +=<SUF>
return relevantRange;
}
private double calculateAverageRooms(Double[] rooms, double totalHouses) {
double actualRoomQuantity = 0;
for (int i = 0; i < 9; i++) {
actualRoomQuantity += rooms[i];
}
return actualRoomQuantity / totalHouses;
}
/**
* Checks if the percentage of elderly population in the state is the most compared to all other
* states analyzed so far.
* @param stateElderlyMap Map of states' elderly population percentages
*/
private void stateWithMostElderlyPeople(Map<Text, Double> stateElderlyMap) {
for (Text state : stateElderlyMap.keySet()) {
if (stateElderlyMap.get(state) > currentMax) {
currentMax = stateElderlyMap.get(state);
mostElderlyState.set(state);
}
}
}
/**
* Calculates 95th percentile of the given list. If the result of list * .95 divides evenly,
* that number is the 95th percentile. Otherwise, the next result is in the 95th percentile.
* @param list list to calculate 95th percentile from
* @return
*/
private String calculateNinetyFifthPercentile(List<Double> list) {
Collections.sort(list);
BigDecimal ninetyFifthPercentile = null;
double rawPercentile = list.size() * 0.95;
if (rawPercentile % 1 == 0) {
ninetyFifthPercentile = new BigDecimal(rawPercentile).setScale(0);
}
if (rawPercentile % 1 != 0) {
ninetyFifthPercentile = new BigDecimal(rawPercentile).setScale(0, BigDecimal.ROUND_UP);
}
int ninetyFifthPercentilePosition = ninetyFifthPercentile.intValueExact();
double ninetyFifthPercentileNumber = list.get(ninetyFifthPercentilePosition - 1);
String answer = Double.toString(ninetyFifthPercentileNumber);
// debug
// String test = "";
// test += ninetyFifthPercentile + ":" + ninetyFifthPercentilePosition + "\n" + list.toString() + "\n";
// test += list.size() + "\n";
// test += "***" + ninetyFifthPercentileNumber + "***";
return answer;
}
} |
205101_1 | /**
* Copyright (C) 2016 Leo van der Meulen
* This program is free software; you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation version 3.0
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
* See: http://www.gnu.org/licenses/gpl-3.0.html
*
* Problemen in deze code:
*/
package nl.detoren.ijsco.io;
import java.io.BufferedReader;
import java.io.File;
import java.io.FileOutputStream;
import java.io.FileReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Reader;
import java.net.URI;
import java.net.URL;
import java.nio.channels.Channels;
import java.nio.channels.ReadableByteChannel;
import java.nio.charset.Charset;
import java.nio.file.FileSystemException;
import java.nio.file.Files;
import java.nio.file.Path;
import java.nio.file.Paths;
import java.util.HashMap;
import java.util.Map;
import java.util.Map.Entry;
import java.util.logging.Level;
import java.util.logging.Logger;
import java.util.zip.ZipEntry;
import java.util.zip.ZipInputStream;
import org.apache.commons.csv.CSVFormat;
import org.apache.commons.csv.CSVParser;
import org.apache.commons.csv.CSVRecord;
import org.apache.commons.math3.util.MultidimensionalCounter.Iterator;
import org.apache.poi.util.IOUtils;
import org.json.simple.JSONArray;
import org.json.simple.JSONObject;
import org.json.simple.JSONValue;
import org.jsoup.Jsoup;
import org.jsoup.nodes.Document;
import org.jsoup.nodes.Element;
import org.jsoup.nodes.Entities.EscapeMode;
import org.jsoup.select.Elements;
import nl.detoren.ijsco.data.Spelers;
import nl.detoren.ijsco.ui.Mainscreen;
import nl.detoren.ijsco.data.Speler;
import nl.detoren.ijsco.ui.util.Utils;
/**
* Laad bekende OSBO spelers in, dit kan automatisch vanaf de website van de
* OSBO door het jeugdrating bestand in te lezen en door een lokale kopie van
* dit bestand in te lezen.
* @author Leo.vanderMeulen
*
*/
public class OSBOLoader {
private final static Logger logger = Logger.getLogger(Mainscreen.class.getName());
public Spelers laadBestand(String bestandsnaam) {
try {
//File input = new File("c:/lijst.html");
File input = new File(bestandsnaam);
//Document doc = Jsoup.parse(input, "UTF-8");
Document doc = Jsoup.parse(input, "ISO-8859-1");
//((org.jsoup.nodes.Document) doc).outputSettings().charset().forName("UTF-8");
((org.jsoup.nodes.Document) doc).outputSettings().escapeMode(EscapeMode.xhtml);
return load(doc);
} catch (Exception e) {
//System.out.println("Error loading OSBO spelers " + e.getMessage());
}
return null;
}
public Spelers laadWebsite(String url) {
try {
//Document doc = Jsoup.connect("http://osbo.nl/jeugd/jrating.htm").get();
//String url = "http://osbo.nl/jeugd/jrating.htm";
//String url = "http://ijsco.schaakverenigingdetoren.nl/ijsco1718/IJSCOrating1718.htm";
Document doc = Jsoup.connect(url).get();
doc.head().appendElement("meta").attr("charset","UTF-8");
doc.head().appendElement("meta").attr("http-equiv","Content-Type").attr("content","text/html");
//Document doc = Jsoup.parse(new URL(url).openStream(), "UTF-8", url);
//URI baseURI=new URI(url);
//String content=IOUtils.toString(stream,"utf-8");
//Document doc=Jsoup.parse(content,baseurl);
return load(doc);
} catch (Exception e) {
logger.log(Level.WARNING, "Error loading OSBO spelers \" + e.getMessage()");
System.out.println("Error loading OSBO spelers " + e.getMessage());
}
return null;
}
private static String readAll(Reader rd) throws IOException {
StringBuilder sb = new StringBuilder();
int cp;
while ((cp = rd.read()) != -1) {
sb.append((char) cp);
}
return sb.toString();
}
public static JSONArray readJsonFromUrl(String url) throws IOException {
InputStream is = new URL(url).openStream();
try {
BufferedReader rd = new BufferedReader(new InputStreamReader(is, Charset.forName("UTF-8")));
String jsonText = readAll(rd);
//JSONObject json = new JSONObject(jsonText);
Object o = JSONValue.parse(jsonText);
JSONArray json = (JSONArray) o;
return json;
} finally {
is.close();
}
}
public static JSONArray readJsonFromFile(String bestandsnaam) throws IOException {
try {
FileReader reader = new FileReader(bestandsnaam);
BufferedReader rd = new BufferedReader(reader);
String jsonText = readAll(rd);
//JSONObject json = new JSONObject(jsonText);
Object o = JSONValue.parse(jsonText);
JSONArray json = (JSONArray) o;
return json;
} finally {
}
}
public Spelers laadJSON(String url) {
Spelers spelers = null;
try {
JSONArray json = readJsonFromUrl(url);
spelers = parseJSON(json);
}
catch (Exception e) {
logger.log(Level.WARNING, "Error loading OSBO spelers " + e.getMessage());
System.out.println("Error loading OSBO spelers " + e.getMessage());
}
return spelers;
}
public Spelers laadJSONfromFile(String bestandsnaam) {
Spelers spelers = null;
try {
JSONArray json = readJsonFromFile(bestandsnaam);
spelers = parseJSON(json);
}
catch (Exception e) {
logger.log(Level.WARNING, "Error loading OSBO spelers " + e.getMessage());
System.out.println("Error loading OSBO spelers " + e.getMessage());
}
return spelers;
}
public Spelers laadCSV(String csvpath) {
File csvData = new File(csvpath);
CSVParser parser = null;
try {
parser = CSVParser.parse(csvData, java.nio.charset.Charset.defaultCharset(), CSVFormat.RFC4180);
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
for (CSVRecord csvRecord : parser) {
//TODO
}
return null;
}
public Spelers laadKNSBJeugdOnline_CSVinZIP(String url) {
String databaseLocation = "database";
String excelBestand = "JEUGD.CSV";
try {
System.out.println("Working Directory = " + System.getProperty("user.dir"));
// Utils.downloadUsingNIO(url, "latestknsbjeugd.zip");
Utils.downloadUsingBufferedInputStream(url, "latestknsbjeugd.zip");
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
Path source = Paths.get("latestknsbjeugd.zip");
Path destination = Paths.get(databaseLocation);
String password = "password";
// Create directory database if not existing
if (!Files.exists(destination)) {
try {
Files.createDirectory(destination);
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
System.out.println("Directory created");
} else {
System.out.println("Directory already exists");
}
// Extract Database
try {
Utils.unzipFolder(source, destination);
System.out.println("Database unpack done");
} catch (IOException e) {
e.printStackTrace();
}
File csvData = new File(databaseLocation + "/" + excelBestand);
CSVParser parser = null;
try {
parser = CSVParser.parse(csvData, java.nio.charset.Charset.defaultCharset(), CSVFormat.RFC4180.withHeader().withDelimiter(';'));
// parser = CSVParser.parse(csvData, java.nio.charset.Charset.defaultCharset(), CSVFormat.DEFAULT);
} catch (FileSystemException ex) {
logger.log(Level.SEVERE, "Not able to open " + excelBestand + " in directory " + databaseLocation + "because of " + ex.getMessage());
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
Spelers spelers = new Spelers();
try {
for (CSVRecord csvRecord : parser) {
//TODO Controleren of veld leeg is.
Speler speler = new Speler();
speler.setKnsbnummer(csvRecord.get(0));
speler.setNaamKNSB(csvRecord.get(1));
speler.setRatingKNSB(csvRecord.get(4));
speler.setGeboortejaar(csvRecord.get(6));
speler.setGeslacht(csvRecord.get(7));
logger.log(Level.INFO, "Speler : " + speler.getNaam() + " heeft geboortejaar " + speler.getGeboortejaar() + " en een rating van " + speler.getRating());
spelers.add(speler);
}
} catch (Exception e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
return spelers;
}
private Spelers parseJSON(JSONArray json) {
Spelers spelers = new Spelers();
for (Object l : json){
if (l instanceof JSONObject) {
logger.log(Level.INFO, "JSONObject" + l.toString());
JSONObject jo = (JSONObject) l;
JSONObject s = (JSONObject) jo.get("speler");
Speler speler = new Speler();
long k = (long) s.get("knsbnummer");
speler.setKnsbnummer((int) k);
logger.log(Level.INFO, String.format("%s",speler.getKnsbnummer()));
String voornaam = (String) s.get("voornaam");
String tussenvoegsel = (String) s.get("tussenvoegsel");
String achternaam = (String) s.get("achternaam");
String samengestelde_naam = voornaam;
if (tussenvoegsel != null && !tussenvoegsel.trim().isEmpty()) samengestelde_naam += " " + tussenvoegsel;
if (achternaam != null && !achternaam.trim().isEmpty()) samengestelde_naam += " " + achternaam;
speler.setNaamKNSB(samengestelde_naam);
int g = Integer.parseInt((String) s.get("geboortejaar"));
speler.setGeboortejaar((int) g);
String geslacht = (String) s.get("geslacht");
logger.log(Level.INFO, "Geslacht van " + speler.getNaam() + " is " + geslacht);
speler.setGeslacht(geslacht);
long r = (long) jo.get("osborating");
speler.setRatingIJSCO((int) r);
speler.bepaalCategorie();
logger.log(Level.INFO, "Speler : " + speler.getNaam() + " heeft geboortejaar " + speler.getGeboortejaar());
spelers.add(speler);
}
}
return spelers;
}
private Spelers load(Document doc) {
Spelers spelers = new Spelers();
int knsbnummer = 0;
int knsbrating = 0;
int osborating = 0;
String vereniging = "";
int geboortejaar = 0;
String categorie = "";
String naam = "";
Element table = doc.select("table").first();
Elements rows = table.select("tr");
for (Element row : rows) {
Elements cells = row.select("td");
if (cells.size() > 7) {
try {
naam = cells.get(1).text();
} catch (Exception e) {
naam = null;
System.out.println(e);
}
try {
knsbnummer = Integer.parseInt(cells.get(8).text());
} catch (Exception e) {
knsbnummer = 0;
System.out.println(e);
}
try {
osborating = Integer.parseInt(cells.get(3).text());
} catch (Exception e) {
osborating = -1;
System.out.println(e);
}
try {
knsbrating = Integer.parseInt(cells.get(4).text());
} catch (Exception e) {
knsbrating = -1;
System.out.println(e);
}
try {
vereniging = cells.get(2).text();
} catch (Exception e) {
vereniging = "";
System.out.println(e);
}
try {
geboortejaar = Integer.parseInt(cells.get(6).text());
} catch (Exception e) {
geboortejaar = -1;
System.out.println(e);
}
try {
categorie = cells.get(7).text();
} catch (Exception e) {
categorie = "-";
System.out.println(e);
}
Speler s = new Speler(knsbnummer, naam, vereniging, geboortejaar, categorie, osborating, knsbrating);
spelers.add(s);
}
}
return spelers;
}
}
| lmeulen/IJSCO_UI | IJSCO_app/src/nl/detoren/ijsco/io/OSBOLoader.java | 3,735 | /**
* Laad bekende OSBO spelers in, dit kan automatisch vanaf de website van de
* OSBO door het jeugdrating bestand in te lezen en door een lokale kopie van
* dit bestand in te lezen.
* @author Leo.vanderMeulen
*
*/ | block_comment | nl | /**
* Copyright (C) 2016 Leo van der Meulen
* This program is free software; you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation version 3.0
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
* See: http://www.gnu.org/licenses/gpl-3.0.html
*
* Problemen in deze code:
*/
package nl.detoren.ijsco.io;
import java.io.BufferedReader;
import java.io.File;
import java.io.FileOutputStream;
import java.io.FileReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Reader;
import java.net.URI;
import java.net.URL;
import java.nio.channels.Channels;
import java.nio.channels.ReadableByteChannel;
import java.nio.charset.Charset;
import java.nio.file.FileSystemException;
import java.nio.file.Files;
import java.nio.file.Path;
import java.nio.file.Paths;
import java.util.HashMap;
import java.util.Map;
import java.util.Map.Entry;
import java.util.logging.Level;
import java.util.logging.Logger;
import java.util.zip.ZipEntry;
import java.util.zip.ZipInputStream;
import org.apache.commons.csv.CSVFormat;
import org.apache.commons.csv.CSVParser;
import org.apache.commons.csv.CSVRecord;
import org.apache.commons.math3.util.MultidimensionalCounter.Iterator;
import org.apache.poi.util.IOUtils;
import org.json.simple.JSONArray;
import org.json.simple.JSONObject;
import org.json.simple.JSONValue;
import org.jsoup.Jsoup;
import org.jsoup.nodes.Document;
import org.jsoup.nodes.Element;
import org.jsoup.nodes.Entities.EscapeMode;
import org.jsoup.select.Elements;
import nl.detoren.ijsco.data.Spelers;
import nl.detoren.ijsco.ui.Mainscreen;
import nl.detoren.ijsco.data.Speler;
import nl.detoren.ijsco.ui.util.Utils;
/**
* Laad bekende OSBO<SUF>*/
public class OSBOLoader {
private final static Logger logger = Logger.getLogger(Mainscreen.class.getName());
public Spelers laadBestand(String bestandsnaam) {
try {
//File input = new File("c:/lijst.html");
File input = new File(bestandsnaam);
//Document doc = Jsoup.parse(input, "UTF-8");
Document doc = Jsoup.parse(input, "ISO-8859-1");
//((org.jsoup.nodes.Document) doc).outputSettings().charset().forName("UTF-8");
((org.jsoup.nodes.Document) doc).outputSettings().escapeMode(EscapeMode.xhtml);
return load(doc);
} catch (Exception e) {
//System.out.println("Error loading OSBO spelers " + e.getMessage());
}
return null;
}
public Spelers laadWebsite(String url) {
try {
//Document doc = Jsoup.connect("http://osbo.nl/jeugd/jrating.htm").get();
//String url = "http://osbo.nl/jeugd/jrating.htm";
//String url = "http://ijsco.schaakverenigingdetoren.nl/ijsco1718/IJSCOrating1718.htm";
Document doc = Jsoup.connect(url).get();
doc.head().appendElement("meta").attr("charset","UTF-8");
doc.head().appendElement("meta").attr("http-equiv","Content-Type").attr("content","text/html");
//Document doc = Jsoup.parse(new URL(url).openStream(), "UTF-8", url);
//URI baseURI=new URI(url);
//String content=IOUtils.toString(stream,"utf-8");
//Document doc=Jsoup.parse(content,baseurl);
return load(doc);
} catch (Exception e) {
logger.log(Level.WARNING, "Error loading OSBO spelers \" + e.getMessage()");
System.out.println("Error loading OSBO spelers " + e.getMessage());
}
return null;
}
private static String readAll(Reader rd) throws IOException {
StringBuilder sb = new StringBuilder();
int cp;
while ((cp = rd.read()) != -1) {
sb.append((char) cp);
}
return sb.toString();
}
public static JSONArray readJsonFromUrl(String url) throws IOException {
InputStream is = new URL(url).openStream();
try {
BufferedReader rd = new BufferedReader(new InputStreamReader(is, Charset.forName("UTF-8")));
String jsonText = readAll(rd);
//JSONObject json = new JSONObject(jsonText);
Object o = JSONValue.parse(jsonText);
JSONArray json = (JSONArray) o;
return json;
} finally {
is.close();
}
}
public static JSONArray readJsonFromFile(String bestandsnaam) throws IOException {
try {
FileReader reader = new FileReader(bestandsnaam);
BufferedReader rd = new BufferedReader(reader);
String jsonText = readAll(rd);
//JSONObject json = new JSONObject(jsonText);
Object o = JSONValue.parse(jsonText);
JSONArray json = (JSONArray) o;
return json;
} finally {
}
}
public Spelers laadJSON(String url) {
Spelers spelers = null;
try {
JSONArray json = readJsonFromUrl(url);
spelers = parseJSON(json);
}
catch (Exception e) {
logger.log(Level.WARNING, "Error loading OSBO spelers " + e.getMessage());
System.out.println("Error loading OSBO spelers " + e.getMessage());
}
return spelers;
}
public Spelers laadJSONfromFile(String bestandsnaam) {
Spelers spelers = null;
try {
JSONArray json = readJsonFromFile(bestandsnaam);
spelers = parseJSON(json);
}
catch (Exception e) {
logger.log(Level.WARNING, "Error loading OSBO spelers " + e.getMessage());
System.out.println("Error loading OSBO spelers " + e.getMessage());
}
return spelers;
}
public Spelers laadCSV(String csvpath) {
File csvData = new File(csvpath);
CSVParser parser = null;
try {
parser = CSVParser.parse(csvData, java.nio.charset.Charset.defaultCharset(), CSVFormat.RFC4180);
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
for (CSVRecord csvRecord : parser) {
//TODO
}
return null;
}
public Spelers laadKNSBJeugdOnline_CSVinZIP(String url) {
String databaseLocation = "database";
String excelBestand = "JEUGD.CSV";
try {
System.out.println("Working Directory = " + System.getProperty("user.dir"));
// Utils.downloadUsingNIO(url, "latestknsbjeugd.zip");
Utils.downloadUsingBufferedInputStream(url, "latestknsbjeugd.zip");
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
Path source = Paths.get("latestknsbjeugd.zip");
Path destination = Paths.get(databaseLocation);
String password = "password";
// Create directory database if not existing
if (!Files.exists(destination)) {
try {
Files.createDirectory(destination);
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
System.out.println("Directory created");
} else {
System.out.println("Directory already exists");
}
// Extract Database
try {
Utils.unzipFolder(source, destination);
System.out.println("Database unpack done");
} catch (IOException e) {
e.printStackTrace();
}
File csvData = new File(databaseLocation + "/" + excelBestand);
CSVParser parser = null;
try {
parser = CSVParser.parse(csvData, java.nio.charset.Charset.defaultCharset(), CSVFormat.RFC4180.withHeader().withDelimiter(';'));
// parser = CSVParser.parse(csvData, java.nio.charset.Charset.defaultCharset(), CSVFormat.DEFAULT);
} catch (FileSystemException ex) {
logger.log(Level.SEVERE, "Not able to open " + excelBestand + " in directory " + databaseLocation + "because of " + ex.getMessage());
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
Spelers spelers = new Spelers();
try {
for (CSVRecord csvRecord : parser) {
//TODO Controleren of veld leeg is.
Speler speler = new Speler();
speler.setKnsbnummer(csvRecord.get(0));
speler.setNaamKNSB(csvRecord.get(1));
speler.setRatingKNSB(csvRecord.get(4));
speler.setGeboortejaar(csvRecord.get(6));
speler.setGeslacht(csvRecord.get(7));
logger.log(Level.INFO, "Speler : " + speler.getNaam() + " heeft geboortejaar " + speler.getGeboortejaar() + " en een rating van " + speler.getRating());
spelers.add(speler);
}
} catch (Exception e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
return spelers;
}
private Spelers parseJSON(JSONArray json) {
Spelers spelers = new Spelers();
for (Object l : json){
if (l instanceof JSONObject) {
logger.log(Level.INFO, "JSONObject" + l.toString());
JSONObject jo = (JSONObject) l;
JSONObject s = (JSONObject) jo.get("speler");
Speler speler = new Speler();
long k = (long) s.get("knsbnummer");
speler.setKnsbnummer((int) k);
logger.log(Level.INFO, String.format("%s",speler.getKnsbnummer()));
String voornaam = (String) s.get("voornaam");
String tussenvoegsel = (String) s.get("tussenvoegsel");
String achternaam = (String) s.get("achternaam");
String samengestelde_naam = voornaam;
if (tussenvoegsel != null && !tussenvoegsel.trim().isEmpty()) samengestelde_naam += " " + tussenvoegsel;
if (achternaam != null && !achternaam.trim().isEmpty()) samengestelde_naam += " " + achternaam;
speler.setNaamKNSB(samengestelde_naam);
int g = Integer.parseInt((String) s.get("geboortejaar"));
speler.setGeboortejaar((int) g);
String geslacht = (String) s.get("geslacht");
logger.log(Level.INFO, "Geslacht van " + speler.getNaam() + " is " + geslacht);
speler.setGeslacht(geslacht);
long r = (long) jo.get("osborating");
speler.setRatingIJSCO((int) r);
speler.bepaalCategorie();
logger.log(Level.INFO, "Speler : " + speler.getNaam() + " heeft geboortejaar " + speler.getGeboortejaar());
spelers.add(speler);
}
}
return spelers;
}
private Spelers load(Document doc) {
Spelers spelers = new Spelers();
int knsbnummer = 0;
int knsbrating = 0;
int osborating = 0;
String vereniging = "";
int geboortejaar = 0;
String categorie = "";
String naam = "";
Element table = doc.select("table").first();
Elements rows = table.select("tr");
for (Element row : rows) {
Elements cells = row.select("td");
if (cells.size() > 7) {
try {
naam = cells.get(1).text();
} catch (Exception e) {
naam = null;
System.out.println(e);
}
try {
knsbnummer = Integer.parseInt(cells.get(8).text());
} catch (Exception e) {
knsbnummer = 0;
System.out.println(e);
}
try {
osborating = Integer.parseInt(cells.get(3).text());
} catch (Exception e) {
osborating = -1;
System.out.println(e);
}
try {
knsbrating = Integer.parseInt(cells.get(4).text());
} catch (Exception e) {
knsbrating = -1;
System.out.println(e);
}
try {
vereniging = cells.get(2).text();
} catch (Exception e) {
vereniging = "";
System.out.println(e);
}
try {
geboortejaar = Integer.parseInt(cells.get(6).text());
} catch (Exception e) {
geboortejaar = -1;
System.out.println(e);
}
try {
categorie = cells.get(7).text();
} catch (Exception e) {
categorie = "-";
System.out.println(e);
}
Speler s = new Speler(knsbnummer, naam, vereniging, geboortejaar, categorie, osborating, knsbrating);
spelers.add(s);
}
}
return spelers;
}
}
|
205101_2 | /**
* Copyright (C) 2016 Leo van der Meulen
* This program is free software; you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation version 3.0
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
* See: http://www.gnu.org/licenses/gpl-3.0.html
*
* Problemen in deze code:
*/
package nl.detoren.ijsco.io;
import java.io.BufferedReader;
import java.io.File;
import java.io.FileOutputStream;
import java.io.FileReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Reader;
import java.net.URI;
import java.net.URL;
import java.nio.channels.Channels;
import java.nio.channels.ReadableByteChannel;
import java.nio.charset.Charset;
import java.nio.file.FileSystemException;
import java.nio.file.Files;
import java.nio.file.Path;
import java.nio.file.Paths;
import java.util.HashMap;
import java.util.Map;
import java.util.Map.Entry;
import java.util.logging.Level;
import java.util.logging.Logger;
import java.util.zip.ZipEntry;
import java.util.zip.ZipInputStream;
import org.apache.commons.csv.CSVFormat;
import org.apache.commons.csv.CSVParser;
import org.apache.commons.csv.CSVRecord;
import org.apache.commons.math3.util.MultidimensionalCounter.Iterator;
import org.apache.poi.util.IOUtils;
import org.json.simple.JSONArray;
import org.json.simple.JSONObject;
import org.json.simple.JSONValue;
import org.jsoup.Jsoup;
import org.jsoup.nodes.Document;
import org.jsoup.nodes.Element;
import org.jsoup.nodes.Entities.EscapeMode;
import org.jsoup.select.Elements;
import nl.detoren.ijsco.data.Spelers;
import nl.detoren.ijsco.ui.Mainscreen;
import nl.detoren.ijsco.data.Speler;
import nl.detoren.ijsco.ui.util.Utils;
/**
* Laad bekende OSBO spelers in, dit kan automatisch vanaf de website van de
* OSBO door het jeugdrating bestand in te lezen en door een lokale kopie van
* dit bestand in te lezen.
* @author Leo.vanderMeulen
*
*/
public class OSBOLoader {
private final static Logger logger = Logger.getLogger(Mainscreen.class.getName());
public Spelers laadBestand(String bestandsnaam) {
try {
//File input = new File("c:/lijst.html");
File input = new File(bestandsnaam);
//Document doc = Jsoup.parse(input, "UTF-8");
Document doc = Jsoup.parse(input, "ISO-8859-1");
//((org.jsoup.nodes.Document) doc).outputSettings().charset().forName("UTF-8");
((org.jsoup.nodes.Document) doc).outputSettings().escapeMode(EscapeMode.xhtml);
return load(doc);
} catch (Exception e) {
//System.out.println("Error loading OSBO spelers " + e.getMessage());
}
return null;
}
public Spelers laadWebsite(String url) {
try {
//Document doc = Jsoup.connect("http://osbo.nl/jeugd/jrating.htm").get();
//String url = "http://osbo.nl/jeugd/jrating.htm";
//String url = "http://ijsco.schaakverenigingdetoren.nl/ijsco1718/IJSCOrating1718.htm";
Document doc = Jsoup.connect(url).get();
doc.head().appendElement("meta").attr("charset","UTF-8");
doc.head().appendElement("meta").attr("http-equiv","Content-Type").attr("content","text/html");
//Document doc = Jsoup.parse(new URL(url).openStream(), "UTF-8", url);
//URI baseURI=new URI(url);
//String content=IOUtils.toString(stream,"utf-8");
//Document doc=Jsoup.parse(content,baseurl);
return load(doc);
} catch (Exception e) {
logger.log(Level.WARNING, "Error loading OSBO spelers \" + e.getMessage()");
System.out.println("Error loading OSBO spelers " + e.getMessage());
}
return null;
}
private static String readAll(Reader rd) throws IOException {
StringBuilder sb = new StringBuilder();
int cp;
while ((cp = rd.read()) != -1) {
sb.append((char) cp);
}
return sb.toString();
}
public static JSONArray readJsonFromUrl(String url) throws IOException {
InputStream is = new URL(url).openStream();
try {
BufferedReader rd = new BufferedReader(new InputStreamReader(is, Charset.forName("UTF-8")));
String jsonText = readAll(rd);
//JSONObject json = new JSONObject(jsonText);
Object o = JSONValue.parse(jsonText);
JSONArray json = (JSONArray) o;
return json;
} finally {
is.close();
}
}
public static JSONArray readJsonFromFile(String bestandsnaam) throws IOException {
try {
FileReader reader = new FileReader(bestandsnaam);
BufferedReader rd = new BufferedReader(reader);
String jsonText = readAll(rd);
//JSONObject json = new JSONObject(jsonText);
Object o = JSONValue.parse(jsonText);
JSONArray json = (JSONArray) o;
return json;
} finally {
}
}
public Spelers laadJSON(String url) {
Spelers spelers = null;
try {
JSONArray json = readJsonFromUrl(url);
spelers = parseJSON(json);
}
catch (Exception e) {
logger.log(Level.WARNING, "Error loading OSBO spelers " + e.getMessage());
System.out.println("Error loading OSBO spelers " + e.getMessage());
}
return spelers;
}
public Spelers laadJSONfromFile(String bestandsnaam) {
Spelers spelers = null;
try {
JSONArray json = readJsonFromFile(bestandsnaam);
spelers = parseJSON(json);
}
catch (Exception e) {
logger.log(Level.WARNING, "Error loading OSBO spelers " + e.getMessage());
System.out.println("Error loading OSBO spelers " + e.getMessage());
}
return spelers;
}
public Spelers laadCSV(String csvpath) {
File csvData = new File(csvpath);
CSVParser parser = null;
try {
parser = CSVParser.parse(csvData, java.nio.charset.Charset.defaultCharset(), CSVFormat.RFC4180);
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
for (CSVRecord csvRecord : parser) {
//TODO
}
return null;
}
public Spelers laadKNSBJeugdOnline_CSVinZIP(String url) {
String databaseLocation = "database";
String excelBestand = "JEUGD.CSV";
try {
System.out.println("Working Directory = " + System.getProperty("user.dir"));
// Utils.downloadUsingNIO(url, "latestknsbjeugd.zip");
Utils.downloadUsingBufferedInputStream(url, "latestknsbjeugd.zip");
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
Path source = Paths.get("latestknsbjeugd.zip");
Path destination = Paths.get(databaseLocation);
String password = "password";
// Create directory database if not existing
if (!Files.exists(destination)) {
try {
Files.createDirectory(destination);
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
System.out.println("Directory created");
} else {
System.out.println("Directory already exists");
}
// Extract Database
try {
Utils.unzipFolder(source, destination);
System.out.println("Database unpack done");
} catch (IOException e) {
e.printStackTrace();
}
File csvData = new File(databaseLocation + "/" + excelBestand);
CSVParser parser = null;
try {
parser = CSVParser.parse(csvData, java.nio.charset.Charset.defaultCharset(), CSVFormat.RFC4180.withHeader().withDelimiter(';'));
// parser = CSVParser.parse(csvData, java.nio.charset.Charset.defaultCharset(), CSVFormat.DEFAULT);
} catch (FileSystemException ex) {
logger.log(Level.SEVERE, "Not able to open " + excelBestand + " in directory " + databaseLocation + "because of " + ex.getMessage());
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
Spelers spelers = new Spelers();
try {
for (CSVRecord csvRecord : parser) {
//TODO Controleren of veld leeg is.
Speler speler = new Speler();
speler.setKnsbnummer(csvRecord.get(0));
speler.setNaamKNSB(csvRecord.get(1));
speler.setRatingKNSB(csvRecord.get(4));
speler.setGeboortejaar(csvRecord.get(6));
speler.setGeslacht(csvRecord.get(7));
logger.log(Level.INFO, "Speler : " + speler.getNaam() + " heeft geboortejaar " + speler.getGeboortejaar() + " en een rating van " + speler.getRating());
spelers.add(speler);
}
} catch (Exception e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
return spelers;
}
private Spelers parseJSON(JSONArray json) {
Spelers spelers = new Spelers();
for (Object l : json){
if (l instanceof JSONObject) {
logger.log(Level.INFO, "JSONObject" + l.toString());
JSONObject jo = (JSONObject) l;
JSONObject s = (JSONObject) jo.get("speler");
Speler speler = new Speler();
long k = (long) s.get("knsbnummer");
speler.setKnsbnummer((int) k);
logger.log(Level.INFO, String.format("%s",speler.getKnsbnummer()));
String voornaam = (String) s.get("voornaam");
String tussenvoegsel = (String) s.get("tussenvoegsel");
String achternaam = (String) s.get("achternaam");
String samengestelde_naam = voornaam;
if (tussenvoegsel != null && !tussenvoegsel.trim().isEmpty()) samengestelde_naam += " " + tussenvoegsel;
if (achternaam != null && !achternaam.trim().isEmpty()) samengestelde_naam += " " + achternaam;
speler.setNaamKNSB(samengestelde_naam);
int g = Integer.parseInt((String) s.get("geboortejaar"));
speler.setGeboortejaar((int) g);
String geslacht = (String) s.get("geslacht");
logger.log(Level.INFO, "Geslacht van " + speler.getNaam() + " is " + geslacht);
speler.setGeslacht(geslacht);
long r = (long) jo.get("osborating");
speler.setRatingIJSCO((int) r);
speler.bepaalCategorie();
logger.log(Level.INFO, "Speler : " + speler.getNaam() + " heeft geboortejaar " + speler.getGeboortejaar());
spelers.add(speler);
}
}
return spelers;
}
private Spelers load(Document doc) {
Spelers spelers = new Spelers();
int knsbnummer = 0;
int knsbrating = 0;
int osborating = 0;
String vereniging = "";
int geboortejaar = 0;
String categorie = "";
String naam = "";
Element table = doc.select("table").first();
Elements rows = table.select("tr");
for (Element row : rows) {
Elements cells = row.select("td");
if (cells.size() > 7) {
try {
naam = cells.get(1).text();
} catch (Exception e) {
naam = null;
System.out.println(e);
}
try {
knsbnummer = Integer.parseInt(cells.get(8).text());
} catch (Exception e) {
knsbnummer = 0;
System.out.println(e);
}
try {
osborating = Integer.parseInt(cells.get(3).text());
} catch (Exception e) {
osborating = -1;
System.out.println(e);
}
try {
knsbrating = Integer.parseInt(cells.get(4).text());
} catch (Exception e) {
knsbrating = -1;
System.out.println(e);
}
try {
vereniging = cells.get(2).text();
} catch (Exception e) {
vereniging = "";
System.out.println(e);
}
try {
geboortejaar = Integer.parseInt(cells.get(6).text());
} catch (Exception e) {
geboortejaar = -1;
System.out.println(e);
}
try {
categorie = cells.get(7).text();
} catch (Exception e) {
categorie = "-";
System.out.println(e);
}
Speler s = new Speler(knsbnummer, naam, vereniging, geboortejaar, categorie, osborating, knsbrating);
spelers.add(s);
}
}
return spelers;
}
}
| lmeulen/IJSCO_UI | IJSCO_app/src/nl/detoren/ijsco/io/OSBOLoader.java | 3,735 | //File input = new File("c:/lijst.html");
| line_comment | nl | /**
* Copyright (C) 2016 Leo van der Meulen
* This program is free software; you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation version 3.0
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
* See: http://www.gnu.org/licenses/gpl-3.0.html
*
* Problemen in deze code:
*/
package nl.detoren.ijsco.io;
import java.io.BufferedReader;
import java.io.File;
import java.io.FileOutputStream;
import java.io.FileReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Reader;
import java.net.URI;
import java.net.URL;
import java.nio.channels.Channels;
import java.nio.channels.ReadableByteChannel;
import java.nio.charset.Charset;
import java.nio.file.FileSystemException;
import java.nio.file.Files;
import java.nio.file.Path;
import java.nio.file.Paths;
import java.util.HashMap;
import java.util.Map;
import java.util.Map.Entry;
import java.util.logging.Level;
import java.util.logging.Logger;
import java.util.zip.ZipEntry;
import java.util.zip.ZipInputStream;
import org.apache.commons.csv.CSVFormat;
import org.apache.commons.csv.CSVParser;
import org.apache.commons.csv.CSVRecord;
import org.apache.commons.math3.util.MultidimensionalCounter.Iterator;
import org.apache.poi.util.IOUtils;
import org.json.simple.JSONArray;
import org.json.simple.JSONObject;
import org.json.simple.JSONValue;
import org.jsoup.Jsoup;
import org.jsoup.nodes.Document;
import org.jsoup.nodes.Element;
import org.jsoup.nodes.Entities.EscapeMode;
import org.jsoup.select.Elements;
import nl.detoren.ijsco.data.Spelers;
import nl.detoren.ijsco.ui.Mainscreen;
import nl.detoren.ijsco.data.Speler;
import nl.detoren.ijsco.ui.util.Utils;
/**
* Laad bekende OSBO spelers in, dit kan automatisch vanaf de website van de
* OSBO door het jeugdrating bestand in te lezen en door een lokale kopie van
* dit bestand in te lezen.
* @author Leo.vanderMeulen
*
*/
public class OSBOLoader {
private final static Logger logger = Logger.getLogger(Mainscreen.class.getName());
public Spelers laadBestand(String bestandsnaam) {
try {
//File input<SUF>
File input = new File(bestandsnaam);
//Document doc = Jsoup.parse(input, "UTF-8");
Document doc = Jsoup.parse(input, "ISO-8859-1");
//((org.jsoup.nodes.Document) doc).outputSettings().charset().forName("UTF-8");
((org.jsoup.nodes.Document) doc).outputSettings().escapeMode(EscapeMode.xhtml);
return load(doc);
} catch (Exception e) {
//System.out.println("Error loading OSBO spelers " + e.getMessage());
}
return null;
}
public Spelers laadWebsite(String url) {
try {
//Document doc = Jsoup.connect("http://osbo.nl/jeugd/jrating.htm").get();
//String url = "http://osbo.nl/jeugd/jrating.htm";
//String url = "http://ijsco.schaakverenigingdetoren.nl/ijsco1718/IJSCOrating1718.htm";
Document doc = Jsoup.connect(url).get();
doc.head().appendElement("meta").attr("charset","UTF-8");
doc.head().appendElement("meta").attr("http-equiv","Content-Type").attr("content","text/html");
//Document doc = Jsoup.parse(new URL(url).openStream(), "UTF-8", url);
//URI baseURI=new URI(url);
//String content=IOUtils.toString(stream,"utf-8");
//Document doc=Jsoup.parse(content,baseurl);
return load(doc);
} catch (Exception e) {
logger.log(Level.WARNING, "Error loading OSBO spelers \" + e.getMessage()");
System.out.println("Error loading OSBO spelers " + e.getMessage());
}
return null;
}
private static String readAll(Reader rd) throws IOException {
StringBuilder sb = new StringBuilder();
int cp;
while ((cp = rd.read()) != -1) {
sb.append((char) cp);
}
return sb.toString();
}
public static JSONArray readJsonFromUrl(String url) throws IOException {
InputStream is = new URL(url).openStream();
try {
BufferedReader rd = new BufferedReader(new InputStreamReader(is, Charset.forName("UTF-8")));
String jsonText = readAll(rd);
//JSONObject json = new JSONObject(jsonText);
Object o = JSONValue.parse(jsonText);
JSONArray json = (JSONArray) o;
return json;
} finally {
is.close();
}
}
public static JSONArray readJsonFromFile(String bestandsnaam) throws IOException {
try {
FileReader reader = new FileReader(bestandsnaam);
BufferedReader rd = new BufferedReader(reader);
String jsonText = readAll(rd);
//JSONObject json = new JSONObject(jsonText);
Object o = JSONValue.parse(jsonText);
JSONArray json = (JSONArray) o;
return json;
} finally {
}
}
public Spelers laadJSON(String url) {
Spelers spelers = null;
try {
JSONArray json = readJsonFromUrl(url);
spelers = parseJSON(json);
}
catch (Exception e) {
logger.log(Level.WARNING, "Error loading OSBO spelers " + e.getMessage());
System.out.println("Error loading OSBO spelers " + e.getMessage());
}
return spelers;
}
public Spelers laadJSONfromFile(String bestandsnaam) {
Spelers spelers = null;
try {
JSONArray json = readJsonFromFile(bestandsnaam);
spelers = parseJSON(json);
}
catch (Exception e) {
logger.log(Level.WARNING, "Error loading OSBO spelers " + e.getMessage());
System.out.println("Error loading OSBO spelers " + e.getMessage());
}
return spelers;
}
public Spelers laadCSV(String csvpath) {
File csvData = new File(csvpath);
CSVParser parser = null;
try {
parser = CSVParser.parse(csvData, java.nio.charset.Charset.defaultCharset(), CSVFormat.RFC4180);
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
for (CSVRecord csvRecord : parser) {
//TODO
}
return null;
}
public Spelers laadKNSBJeugdOnline_CSVinZIP(String url) {
String databaseLocation = "database";
String excelBestand = "JEUGD.CSV";
try {
System.out.println("Working Directory = " + System.getProperty("user.dir"));
// Utils.downloadUsingNIO(url, "latestknsbjeugd.zip");
Utils.downloadUsingBufferedInputStream(url, "latestknsbjeugd.zip");
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
Path source = Paths.get("latestknsbjeugd.zip");
Path destination = Paths.get(databaseLocation);
String password = "password";
// Create directory database if not existing
if (!Files.exists(destination)) {
try {
Files.createDirectory(destination);
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
System.out.println("Directory created");
} else {
System.out.println("Directory already exists");
}
// Extract Database
try {
Utils.unzipFolder(source, destination);
System.out.println("Database unpack done");
} catch (IOException e) {
e.printStackTrace();
}
File csvData = new File(databaseLocation + "/" + excelBestand);
CSVParser parser = null;
try {
parser = CSVParser.parse(csvData, java.nio.charset.Charset.defaultCharset(), CSVFormat.RFC4180.withHeader().withDelimiter(';'));
// parser = CSVParser.parse(csvData, java.nio.charset.Charset.defaultCharset(), CSVFormat.DEFAULT);
} catch (FileSystemException ex) {
logger.log(Level.SEVERE, "Not able to open " + excelBestand + " in directory " + databaseLocation + "because of " + ex.getMessage());
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
Spelers spelers = new Spelers();
try {
for (CSVRecord csvRecord : parser) {
//TODO Controleren of veld leeg is.
Speler speler = new Speler();
speler.setKnsbnummer(csvRecord.get(0));
speler.setNaamKNSB(csvRecord.get(1));
speler.setRatingKNSB(csvRecord.get(4));
speler.setGeboortejaar(csvRecord.get(6));
speler.setGeslacht(csvRecord.get(7));
logger.log(Level.INFO, "Speler : " + speler.getNaam() + " heeft geboortejaar " + speler.getGeboortejaar() + " en een rating van " + speler.getRating());
spelers.add(speler);
}
} catch (Exception e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
return spelers;
}
private Spelers parseJSON(JSONArray json) {
Spelers spelers = new Spelers();
for (Object l : json){
if (l instanceof JSONObject) {
logger.log(Level.INFO, "JSONObject" + l.toString());
JSONObject jo = (JSONObject) l;
JSONObject s = (JSONObject) jo.get("speler");
Speler speler = new Speler();
long k = (long) s.get("knsbnummer");
speler.setKnsbnummer((int) k);
logger.log(Level.INFO, String.format("%s",speler.getKnsbnummer()));
String voornaam = (String) s.get("voornaam");
String tussenvoegsel = (String) s.get("tussenvoegsel");
String achternaam = (String) s.get("achternaam");
String samengestelde_naam = voornaam;
if (tussenvoegsel != null && !tussenvoegsel.trim().isEmpty()) samengestelde_naam += " " + tussenvoegsel;
if (achternaam != null && !achternaam.trim().isEmpty()) samengestelde_naam += " " + achternaam;
speler.setNaamKNSB(samengestelde_naam);
int g = Integer.parseInt((String) s.get("geboortejaar"));
speler.setGeboortejaar((int) g);
String geslacht = (String) s.get("geslacht");
logger.log(Level.INFO, "Geslacht van " + speler.getNaam() + " is " + geslacht);
speler.setGeslacht(geslacht);
long r = (long) jo.get("osborating");
speler.setRatingIJSCO((int) r);
speler.bepaalCategorie();
logger.log(Level.INFO, "Speler : " + speler.getNaam() + " heeft geboortejaar " + speler.getGeboortejaar());
spelers.add(speler);
}
}
return spelers;
}
private Spelers load(Document doc) {
Spelers spelers = new Spelers();
int knsbnummer = 0;
int knsbrating = 0;
int osborating = 0;
String vereniging = "";
int geboortejaar = 0;
String categorie = "";
String naam = "";
Element table = doc.select("table").first();
Elements rows = table.select("tr");
for (Element row : rows) {
Elements cells = row.select("td");
if (cells.size() > 7) {
try {
naam = cells.get(1).text();
} catch (Exception e) {
naam = null;
System.out.println(e);
}
try {
knsbnummer = Integer.parseInt(cells.get(8).text());
} catch (Exception e) {
knsbnummer = 0;
System.out.println(e);
}
try {
osborating = Integer.parseInt(cells.get(3).text());
} catch (Exception e) {
osborating = -1;
System.out.println(e);
}
try {
knsbrating = Integer.parseInt(cells.get(4).text());
} catch (Exception e) {
knsbrating = -1;
System.out.println(e);
}
try {
vereniging = cells.get(2).text();
} catch (Exception e) {
vereniging = "";
System.out.println(e);
}
try {
geboortejaar = Integer.parseInt(cells.get(6).text());
} catch (Exception e) {
geboortejaar = -1;
System.out.println(e);
}
try {
categorie = cells.get(7).text();
} catch (Exception e) {
categorie = "-";
System.out.println(e);
}
Speler s = new Speler(knsbnummer, naam, vereniging, geboortejaar, categorie, osborating, knsbrating);
spelers.add(s);
}
}
return spelers;
}
}
|
205101_19 | /**
* Copyright (C) 2016 Leo van der Meulen
* This program is free software; you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation version 3.0
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
* See: http://www.gnu.org/licenses/gpl-3.0.html
*
* Problemen in deze code:
*/
package nl.detoren.ijsco.io;
import java.io.BufferedReader;
import java.io.File;
import java.io.FileOutputStream;
import java.io.FileReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Reader;
import java.net.URI;
import java.net.URL;
import java.nio.channels.Channels;
import java.nio.channels.ReadableByteChannel;
import java.nio.charset.Charset;
import java.nio.file.FileSystemException;
import java.nio.file.Files;
import java.nio.file.Path;
import java.nio.file.Paths;
import java.util.HashMap;
import java.util.Map;
import java.util.Map.Entry;
import java.util.logging.Level;
import java.util.logging.Logger;
import java.util.zip.ZipEntry;
import java.util.zip.ZipInputStream;
import org.apache.commons.csv.CSVFormat;
import org.apache.commons.csv.CSVParser;
import org.apache.commons.csv.CSVRecord;
import org.apache.commons.math3.util.MultidimensionalCounter.Iterator;
import org.apache.poi.util.IOUtils;
import org.json.simple.JSONArray;
import org.json.simple.JSONObject;
import org.json.simple.JSONValue;
import org.jsoup.Jsoup;
import org.jsoup.nodes.Document;
import org.jsoup.nodes.Element;
import org.jsoup.nodes.Entities.EscapeMode;
import org.jsoup.select.Elements;
import nl.detoren.ijsco.data.Spelers;
import nl.detoren.ijsco.ui.Mainscreen;
import nl.detoren.ijsco.data.Speler;
import nl.detoren.ijsco.ui.util.Utils;
/**
* Laad bekende OSBO spelers in, dit kan automatisch vanaf de website van de
* OSBO door het jeugdrating bestand in te lezen en door een lokale kopie van
* dit bestand in te lezen.
* @author Leo.vanderMeulen
*
*/
public class OSBOLoader {
private final static Logger logger = Logger.getLogger(Mainscreen.class.getName());
public Spelers laadBestand(String bestandsnaam) {
try {
//File input = new File("c:/lijst.html");
File input = new File(bestandsnaam);
//Document doc = Jsoup.parse(input, "UTF-8");
Document doc = Jsoup.parse(input, "ISO-8859-1");
//((org.jsoup.nodes.Document) doc).outputSettings().charset().forName("UTF-8");
((org.jsoup.nodes.Document) doc).outputSettings().escapeMode(EscapeMode.xhtml);
return load(doc);
} catch (Exception e) {
//System.out.println("Error loading OSBO spelers " + e.getMessage());
}
return null;
}
public Spelers laadWebsite(String url) {
try {
//Document doc = Jsoup.connect("http://osbo.nl/jeugd/jrating.htm").get();
//String url = "http://osbo.nl/jeugd/jrating.htm";
//String url = "http://ijsco.schaakverenigingdetoren.nl/ijsco1718/IJSCOrating1718.htm";
Document doc = Jsoup.connect(url).get();
doc.head().appendElement("meta").attr("charset","UTF-8");
doc.head().appendElement("meta").attr("http-equiv","Content-Type").attr("content","text/html");
//Document doc = Jsoup.parse(new URL(url).openStream(), "UTF-8", url);
//URI baseURI=new URI(url);
//String content=IOUtils.toString(stream,"utf-8");
//Document doc=Jsoup.parse(content,baseurl);
return load(doc);
} catch (Exception e) {
logger.log(Level.WARNING, "Error loading OSBO spelers \" + e.getMessage()");
System.out.println("Error loading OSBO spelers " + e.getMessage());
}
return null;
}
private static String readAll(Reader rd) throws IOException {
StringBuilder sb = new StringBuilder();
int cp;
while ((cp = rd.read()) != -1) {
sb.append((char) cp);
}
return sb.toString();
}
public static JSONArray readJsonFromUrl(String url) throws IOException {
InputStream is = new URL(url).openStream();
try {
BufferedReader rd = new BufferedReader(new InputStreamReader(is, Charset.forName("UTF-8")));
String jsonText = readAll(rd);
//JSONObject json = new JSONObject(jsonText);
Object o = JSONValue.parse(jsonText);
JSONArray json = (JSONArray) o;
return json;
} finally {
is.close();
}
}
public static JSONArray readJsonFromFile(String bestandsnaam) throws IOException {
try {
FileReader reader = new FileReader(bestandsnaam);
BufferedReader rd = new BufferedReader(reader);
String jsonText = readAll(rd);
//JSONObject json = new JSONObject(jsonText);
Object o = JSONValue.parse(jsonText);
JSONArray json = (JSONArray) o;
return json;
} finally {
}
}
public Spelers laadJSON(String url) {
Spelers spelers = null;
try {
JSONArray json = readJsonFromUrl(url);
spelers = parseJSON(json);
}
catch (Exception e) {
logger.log(Level.WARNING, "Error loading OSBO spelers " + e.getMessage());
System.out.println("Error loading OSBO spelers " + e.getMessage());
}
return spelers;
}
public Spelers laadJSONfromFile(String bestandsnaam) {
Spelers spelers = null;
try {
JSONArray json = readJsonFromFile(bestandsnaam);
spelers = parseJSON(json);
}
catch (Exception e) {
logger.log(Level.WARNING, "Error loading OSBO spelers " + e.getMessage());
System.out.println("Error loading OSBO spelers " + e.getMessage());
}
return spelers;
}
public Spelers laadCSV(String csvpath) {
File csvData = new File(csvpath);
CSVParser parser = null;
try {
parser = CSVParser.parse(csvData, java.nio.charset.Charset.defaultCharset(), CSVFormat.RFC4180);
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
for (CSVRecord csvRecord : parser) {
//TODO
}
return null;
}
public Spelers laadKNSBJeugdOnline_CSVinZIP(String url) {
String databaseLocation = "database";
String excelBestand = "JEUGD.CSV";
try {
System.out.println("Working Directory = " + System.getProperty("user.dir"));
// Utils.downloadUsingNIO(url, "latestknsbjeugd.zip");
Utils.downloadUsingBufferedInputStream(url, "latestknsbjeugd.zip");
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
Path source = Paths.get("latestknsbjeugd.zip");
Path destination = Paths.get(databaseLocation);
String password = "password";
// Create directory database if not existing
if (!Files.exists(destination)) {
try {
Files.createDirectory(destination);
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
System.out.println("Directory created");
} else {
System.out.println("Directory already exists");
}
// Extract Database
try {
Utils.unzipFolder(source, destination);
System.out.println("Database unpack done");
} catch (IOException e) {
e.printStackTrace();
}
File csvData = new File(databaseLocation + "/" + excelBestand);
CSVParser parser = null;
try {
parser = CSVParser.parse(csvData, java.nio.charset.Charset.defaultCharset(), CSVFormat.RFC4180.withHeader().withDelimiter(';'));
// parser = CSVParser.parse(csvData, java.nio.charset.Charset.defaultCharset(), CSVFormat.DEFAULT);
} catch (FileSystemException ex) {
logger.log(Level.SEVERE, "Not able to open " + excelBestand + " in directory " + databaseLocation + "because of " + ex.getMessage());
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
Spelers spelers = new Spelers();
try {
for (CSVRecord csvRecord : parser) {
//TODO Controleren of veld leeg is.
Speler speler = new Speler();
speler.setKnsbnummer(csvRecord.get(0));
speler.setNaamKNSB(csvRecord.get(1));
speler.setRatingKNSB(csvRecord.get(4));
speler.setGeboortejaar(csvRecord.get(6));
speler.setGeslacht(csvRecord.get(7));
logger.log(Level.INFO, "Speler : " + speler.getNaam() + " heeft geboortejaar " + speler.getGeboortejaar() + " en een rating van " + speler.getRating());
spelers.add(speler);
}
} catch (Exception e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
return spelers;
}
private Spelers parseJSON(JSONArray json) {
Spelers spelers = new Spelers();
for (Object l : json){
if (l instanceof JSONObject) {
logger.log(Level.INFO, "JSONObject" + l.toString());
JSONObject jo = (JSONObject) l;
JSONObject s = (JSONObject) jo.get("speler");
Speler speler = new Speler();
long k = (long) s.get("knsbnummer");
speler.setKnsbnummer((int) k);
logger.log(Level.INFO, String.format("%s",speler.getKnsbnummer()));
String voornaam = (String) s.get("voornaam");
String tussenvoegsel = (String) s.get("tussenvoegsel");
String achternaam = (String) s.get("achternaam");
String samengestelde_naam = voornaam;
if (tussenvoegsel != null && !tussenvoegsel.trim().isEmpty()) samengestelde_naam += " " + tussenvoegsel;
if (achternaam != null && !achternaam.trim().isEmpty()) samengestelde_naam += " " + achternaam;
speler.setNaamKNSB(samengestelde_naam);
int g = Integer.parseInt((String) s.get("geboortejaar"));
speler.setGeboortejaar((int) g);
String geslacht = (String) s.get("geslacht");
logger.log(Level.INFO, "Geslacht van " + speler.getNaam() + " is " + geslacht);
speler.setGeslacht(geslacht);
long r = (long) jo.get("osborating");
speler.setRatingIJSCO((int) r);
speler.bepaalCategorie();
logger.log(Level.INFO, "Speler : " + speler.getNaam() + " heeft geboortejaar " + speler.getGeboortejaar());
spelers.add(speler);
}
}
return spelers;
}
private Spelers load(Document doc) {
Spelers spelers = new Spelers();
int knsbnummer = 0;
int knsbrating = 0;
int osborating = 0;
String vereniging = "";
int geboortejaar = 0;
String categorie = "";
String naam = "";
Element table = doc.select("table").first();
Elements rows = table.select("tr");
for (Element row : rows) {
Elements cells = row.select("td");
if (cells.size() > 7) {
try {
naam = cells.get(1).text();
} catch (Exception e) {
naam = null;
System.out.println(e);
}
try {
knsbnummer = Integer.parseInt(cells.get(8).text());
} catch (Exception e) {
knsbnummer = 0;
System.out.println(e);
}
try {
osborating = Integer.parseInt(cells.get(3).text());
} catch (Exception e) {
osborating = -1;
System.out.println(e);
}
try {
knsbrating = Integer.parseInt(cells.get(4).text());
} catch (Exception e) {
knsbrating = -1;
System.out.println(e);
}
try {
vereniging = cells.get(2).text();
} catch (Exception e) {
vereniging = "";
System.out.println(e);
}
try {
geboortejaar = Integer.parseInt(cells.get(6).text());
} catch (Exception e) {
geboortejaar = -1;
System.out.println(e);
}
try {
categorie = cells.get(7).text();
} catch (Exception e) {
categorie = "-";
System.out.println(e);
}
Speler s = new Speler(knsbnummer, naam, vereniging, geboortejaar, categorie, osborating, knsbrating);
spelers.add(s);
}
}
return spelers;
}
}
| lmeulen/IJSCO_UI | IJSCO_app/src/nl/detoren/ijsco/io/OSBOLoader.java | 3,735 | //TODO Controleren of veld leeg is.
| line_comment | nl | /**
* Copyright (C) 2016 Leo van der Meulen
* This program is free software; you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation version 3.0
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
* See: http://www.gnu.org/licenses/gpl-3.0.html
*
* Problemen in deze code:
*/
package nl.detoren.ijsco.io;
import java.io.BufferedReader;
import java.io.File;
import java.io.FileOutputStream;
import java.io.FileReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Reader;
import java.net.URI;
import java.net.URL;
import java.nio.channels.Channels;
import java.nio.channels.ReadableByteChannel;
import java.nio.charset.Charset;
import java.nio.file.FileSystemException;
import java.nio.file.Files;
import java.nio.file.Path;
import java.nio.file.Paths;
import java.util.HashMap;
import java.util.Map;
import java.util.Map.Entry;
import java.util.logging.Level;
import java.util.logging.Logger;
import java.util.zip.ZipEntry;
import java.util.zip.ZipInputStream;
import org.apache.commons.csv.CSVFormat;
import org.apache.commons.csv.CSVParser;
import org.apache.commons.csv.CSVRecord;
import org.apache.commons.math3.util.MultidimensionalCounter.Iterator;
import org.apache.poi.util.IOUtils;
import org.json.simple.JSONArray;
import org.json.simple.JSONObject;
import org.json.simple.JSONValue;
import org.jsoup.Jsoup;
import org.jsoup.nodes.Document;
import org.jsoup.nodes.Element;
import org.jsoup.nodes.Entities.EscapeMode;
import org.jsoup.select.Elements;
import nl.detoren.ijsco.data.Spelers;
import nl.detoren.ijsco.ui.Mainscreen;
import nl.detoren.ijsco.data.Speler;
import nl.detoren.ijsco.ui.util.Utils;
/**
* Laad bekende OSBO spelers in, dit kan automatisch vanaf de website van de
* OSBO door het jeugdrating bestand in te lezen en door een lokale kopie van
* dit bestand in te lezen.
* @author Leo.vanderMeulen
*
*/
public class OSBOLoader {
private final static Logger logger = Logger.getLogger(Mainscreen.class.getName());
public Spelers laadBestand(String bestandsnaam) {
try {
//File input = new File("c:/lijst.html");
File input = new File(bestandsnaam);
//Document doc = Jsoup.parse(input, "UTF-8");
Document doc = Jsoup.parse(input, "ISO-8859-1");
//((org.jsoup.nodes.Document) doc).outputSettings().charset().forName("UTF-8");
((org.jsoup.nodes.Document) doc).outputSettings().escapeMode(EscapeMode.xhtml);
return load(doc);
} catch (Exception e) {
//System.out.println("Error loading OSBO spelers " + e.getMessage());
}
return null;
}
public Spelers laadWebsite(String url) {
try {
//Document doc = Jsoup.connect("http://osbo.nl/jeugd/jrating.htm").get();
//String url = "http://osbo.nl/jeugd/jrating.htm";
//String url = "http://ijsco.schaakverenigingdetoren.nl/ijsco1718/IJSCOrating1718.htm";
Document doc = Jsoup.connect(url).get();
doc.head().appendElement("meta").attr("charset","UTF-8");
doc.head().appendElement("meta").attr("http-equiv","Content-Type").attr("content","text/html");
//Document doc = Jsoup.parse(new URL(url).openStream(), "UTF-8", url);
//URI baseURI=new URI(url);
//String content=IOUtils.toString(stream,"utf-8");
//Document doc=Jsoup.parse(content,baseurl);
return load(doc);
} catch (Exception e) {
logger.log(Level.WARNING, "Error loading OSBO spelers \" + e.getMessage()");
System.out.println("Error loading OSBO spelers " + e.getMessage());
}
return null;
}
private static String readAll(Reader rd) throws IOException {
StringBuilder sb = new StringBuilder();
int cp;
while ((cp = rd.read()) != -1) {
sb.append((char) cp);
}
return sb.toString();
}
public static JSONArray readJsonFromUrl(String url) throws IOException {
InputStream is = new URL(url).openStream();
try {
BufferedReader rd = new BufferedReader(new InputStreamReader(is, Charset.forName("UTF-8")));
String jsonText = readAll(rd);
//JSONObject json = new JSONObject(jsonText);
Object o = JSONValue.parse(jsonText);
JSONArray json = (JSONArray) o;
return json;
} finally {
is.close();
}
}
public static JSONArray readJsonFromFile(String bestandsnaam) throws IOException {
try {
FileReader reader = new FileReader(bestandsnaam);
BufferedReader rd = new BufferedReader(reader);
String jsonText = readAll(rd);
//JSONObject json = new JSONObject(jsonText);
Object o = JSONValue.parse(jsonText);
JSONArray json = (JSONArray) o;
return json;
} finally {
}
}
public Spelers laadJSON(String url) {
Spelers spelers = null;
try {
JSONArray json = readJsonFromUrl(url);
spelers = parseJSON(json);
}
catch (Exception e) {
logger.log(Level.WARNING, "Error loading OSBO spelers " + e.getMessage());
System.out.println("Error loading OSBO spelers " + e.getMessage());
}
return spelers;
}
public Spelers laadJSONfromFile(String bestandsnaam) {
Spelers spelers = null;
try {
JSONArray json = readJsonFromFile(bestandsnaam);
spelers = parseJSON(json);
}
catch (Exception e) {
logger.log(Level.WARNING, "Error loading OSBO spelers " + e.getMessage());
System.out.println("Error loading OSBO spelers " + e.getMessage());
}
return spelers;
}
public Spelers laadCSV(String csvpath) {
File csvData = new File(csvpath);
CSVParser parser = null;
try {
parser = CSVParser.parse(csvData, java.nio.charset.Charset.defaultCharset(), CSVFormat.RFC4180);
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
for (CSVRecord csvRecord : parser) {
//TODO
}
return null;
}
public Spelers laadKNSBJeugdOnline_CSVinZIP(String url) {
String databaseLocation = "database";
String excelBestand = "JEUGD.CSV";
try {
System.out.println("Working Directory = " + System.getProperty("user.dir"));
// Utils.downloadUsingNIO(url, "latestknsbjeugd.zip");
Utils.downloadUsingBufferedInputStream(url, "latestknsbjeugd.zip");
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
Path source = Paths.get("latestknsbjeugd.zip");
Path destination = Paths.get(databaseLocation);
String password = "password";
// Create directory database if not existing
if (!Files.exists(destination)) {
try {
Files.createDirectory(destination);
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
System.out.println("Directory created");
} else {
System.out.println("Directory already exists");
}
// Extract Database
try {
Utils.unzipFolder(source, destination);
System.out.println("Database unpack done");
} catch (IOException e) {
e.printStackTrace();
}
File csvData = new File(databaseLocation + "/" + excelBestand);
CSVParser parser = null;
try {
parser = CSVParser.parse(csvData, java.nio.charset.Charset.defaultCharset(), CSVFormat.RFC4180.withHeader().withDelimiter(';'));
// parser = CSVParser.parse(csvData, java.nio.charset.Charset.defaultCharset(), CSVFormat.DEFAULT);
} catch (FileSystemException ex) {
logger.log(Level.SEVERE, "Not able to open " + excelBestand + " in directory " + databaseLocation + "because of " + ex.getMessage());
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
Spelers spelers = new Spelers();
try {
for (CSVRecord csvRecord : parser) {
//TODO Controleren<SUF>
Speler speler = new Speler();
speler.setKnsbnummer(csvRecord.get(0));
speler.setNaamKNSB(csvRecord.get(1));
speler.setRatingKNSB(csvRecord.get(4));
speler.setGeboortejaar(csvRecord.get(6));
speler.setGeslacht(csvRecord.get(7));
logger.log(Level.INFO, "Speler : " + speler.getNaam() + " heeft geboortejaar " + speler.getGeboortejaar() + " en een rating van " + speler.getRating());
spelers.add(speler);
}
} catch (Exception e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
return spelers;
}
private Spelers parseJSON(JSONArray json) {
Spelers spelers = new Spelers();
for (Object l : json){
if (l instanceof JSONObject) {
logger.log(Level.INFO, "JSONObject" + l.toString());
JSONObject jo = (JSONObject) l;
JSONObject s = (JSONObject) jo.get("speler");
Speler speler = new Speler();
long k = (long) s.get("knsbnummer");
speler.setKnsbnummer((int) k);
logger.log(Level.INFO, String.format("%s",speler.getKnsbnummer()));
String voornaam = (String) s.get("voornaam");
String tussenvoegsel = (String) s.get("tussenvoegsel");
String achternaam = (String) s.get("achternaam");
String samengestelde_naam = voornaam;
if (tussenvoegsel != null && !tussenvoegsel.trim().isEmpty()) samengestelde_naam += " " + tussenvoegsel;
if (achternaam != null && !achternaam.trim().isEmpty()) samengestelde_naam += " " + achternaam;
speler.setNaamKNSB(samengestelde_naam);
int g = Integer.parseInt((String) s.get("geboortejaar"));
speler.setGeboortejaar((int) g);
String geslacht = (String) s.get("geslacht");
logger.log(Level.INFO, "Geslacht van " + speler.getNaam() + " is " + geslacht);
speler.setGeslacht(geslacht);
long r = (long) jo.get("osborating");
speler.setRatingIJSCO((int) r);
speler.bepaalCategorie();
logger.log(Level.INFO, "Speler : " + speler.getNaam() + " heeft geboortejaar " + speler.getGeboortejaar());
spelers.add(speler);
}
}
return spelers;
}
private Spelers load(Document doc) {
Spelers spelers = new Spelers();
int knsbnummer = 0;
int knsbrating = 0;
int osborating = 0;
String vereniging = "";
int geboortejaar = 0;
String categorie = "";
String naam = "";
Element table = doc.select("table").first();
Elements rows = table.select("tr");
for (Element row : rows) {
Elements cells = row.select("td");
if (cells.size() > 7) {
try {
naam = cells.get(1).text();
} catch (Exception e) {
naam = null;
System.out.println(e);
}
try {
knsbnummer = Integer.parseInt(cells.get(8).text());
} catch (Exception e) {
knsbnummer = 0;
System.out.println(e);
}
try {
osborating = Integer.parseInt(cells.get(3).text());
} catch (Exception e) {
osborating = -1;
System.out.println(e);
}
try {
knsbrating = Integer.parseInt(cells.get(4).text());
} catch (Exception e) {
knsbrating = -1;
System.out.println(e);
}
try {
vereniging = cells.get(2).text();
} catch (Exception e) {
vereniging = "";
System.out.println(e);
}
try {
geboortejaar = Integer.parseInt(cells.get(6).text());
} catch (Exception e) {
geboortejaar = -1;
System.out.println(e);
}
try {
categorie = cells.get(7).text();
} catch (Exception e) {
categorie = "-";
System.out.println(e);
}
Speler s = new Speler(knsbnummer, naam, vereniging, geboortejaar, categorie, osborating, knsbrating);
spelers.add(s);
}
}
return spelers;
}
}
|
205113_0 | /*
* Copyright 2021 - 2022 Procura B.V.
*
* In licentie gegeven krachtens de EUPL, versie 1.2
* U mag dit werk niet gebruiken, behalve onder de voorwaarden van de licentie.
* U kunt een kopie van de licentie vinden op:
*
* https://github.com/vrijBRP/vrijBRP/blob/master/LICENSE.md
*
* Deze bevat zowel de Nederlandse als de Engelse tekst
*
* Tenzij dit op grond van toepasselijk recht vereist is of schriftelijk
* is overeengekomen, wordt software krachtens deze licentie verspreid
* "zoals deze is", ZONDER ENIGE GARANTIES OF VOORWAARDEN, noch expliciet
* noch impliciet.
* Zie de licentie voor de specifieke bepalingen voor toestemmingen en
* beperkingen op grond van de licentie.
*/
package nl.procura.gba.web.modules.zaken.reisdocument.overzicht;
import java.io.Serializable;
import java.lang.annotation.ElementType;
import nl.procura.vaadin.annotation.field.Field;
import nl.procura.vaadin.annotation.field.Field.FieldType;
import nl.procura.vaadin.annotation.field.FormFieldFactoryBean;
import lombok.Data;
@Data
@FormFieldFactoryBean(accessType = ElementType.FIELD)
public class ReisdocumentOverzichtBean1 implements Serializable {
public static final String REISDOCUMENT = "reisdocument";
public static final String AANVRAAGNUMMER = "aanvraagnummer";
public static final String LENGTE = "lengte";
public static final String TOESTEMMING = "toestemming";
public static final String SPOED = "spoed";
public static final String JEUGDTARIEF = "jeugdtarief";
public static final String DOCUMENTOUDERVOOGD = "documentOuderVoogd";
public static final String REDENNIETAANWEZIG = "redenNietAanwezig";
public static final String GELDIGHEID = "geldigheid";
public static final String SIGNALERING = "signalering";
@Field(type = FieldType.TEXT_FIELD,
caption = "Reisdocument")
private String reisdocument = "";
@Field(type = FieldType.TEXT_FIELD,
caption = "Aanvraagnummer")
private String aanvraagnummer = "";
@Field(type = FieldType.TEXT_FIELD,
caption = "Lengte persoon")
private String lengte = "";
@Field(type = FieldType.TEXT_FIELD,
caption = "Toestemming(en)")
private String toestemming = "";
@Field(type = FieldType.TEXT_FIELD,
caption = "Spoed")
private String spoed = "";
@Field(type = FieldType.TEXT_FIELD,
caption = "Jeugdtarief")
private String jeugdtarief = "";
@Field(type = FieldType.TEXT_FIELD,
caption = "Reden niet aanwezig")
private String redenNietAanwezig = "";
@Field(type = FieldType.TEXT_FIELD,
caption = "Geldigheid")
private String geldigheid = "";
@Field(type = FieldType.TEXT_FIELD,
caption = "Signalering")
private String signalering = "";
}
| vrijBRP/vrijBRP-Balie | gba-web/src/main/java/nl/procura/gba/web/modules/zaken/reisdocument/overzicht/ReisdocumentOverzichtBean1.java | 839 | /*
* Copyright 2021 - 2022 Procura B.V.
*
* In licentie gegeven krachtens de EUPL, versie 1.2
* U mag dit werk niet gebruiken, behalve onder de voorwaarden van de licentie.
* U kunt een kopie van de licentie vinden op:
*
* https://github.com/vrijBRP/vrijBRP/blob/master/LICENSE.md
*
* Deze bevat zowel de Nederlandse als de Engelse tekst
*
* Tenzij dit op grond van toepasselijk recht vereist is of schriftelijk
* is overeengekomen, wordt software krachtens deze licentie verspreid
* "zoals deze is", ZONDER ENIGE GARANTIES OF VOORWAARDEN, noch expliciet
* noch impliciet.
* Zie de licentie voor de specifieke bepalingen voor toestemmingen en
* beperkingen op grond van de licentie.
*/ | block_comment | nl | /*
* Copyright 2021 -<SUF>*/
package nl.procura.gba.web.modules.zaken.reisdocument.overzicht;
import java.io.Serializable;
import java.lang.annotation.ElementType;
import nl.procura.vaadin.annotation.field.Field;
import nl.procura.vaadin.annotation.field.Field.FieldType;
import nl.procura.vaadin.annotation.field.FormFieldFactoryBean;
import lombok.Data;
@Data
@FormFieldFactoryBean(accessType = ElementType.FIELD)
public class ReisdocumentOverzichtBean1 implements Serializable {
public static final String REISDOCUMENT = "reisdocument";
public static final String AANVRAAGNUMMER = "aanvraagnummer";
public static final String LENGTE = "lengte";
public static final String TOESTEMMING = "toestemming";
public static final String SPOED = "spoed";
public static final String JEUGDTARIEF = "jeugdtarief";
public static final String DOCUMENTOUDERVOOGD = "documentOuderVoogd";
public static final String REDENNIETAANWEZIG = "redenNietAanwezig";
public static final String GELDIGHEID = "geldigheid";
public static final String SIGNALERING = "signalering";
@Field(type = FieldType.TEXT_FIELD,
caption = "Reisdocument")
private String reisdocument = "";
@Field(type = FieldType.TEXT_FIELD,
caption = "Aanvraagnummer")
private String aanvraagnummer = "";
@Field(type = FieldType.TEXT_FIELD,
caption = "Lengte persoon")
private String lengte = "";
@Field(type = FieldType.TEXT_FIELD,
caption = "Toestemming(en)")
private String toestemming = "";
@Field(type = FieldType.TEXT_FIELD,
caption = "Spoed")
private String spoed = "";
@Field(type = FieldType.TEXT_FIELD,
caption = "Jeugdtarief")
private String jeugdtarief = "";
@Field(type = FieldType.TEXT_FIELD,
caption = "Reden niet aanwezig")
private String redenNietAanwezig = "";
@Field(type = FieldType.TEXT_FIELD,
caption = "Geldigheid")
private String geldigheid = "";
@Field(type = FieldType.TEXT_FIELD,
caption = "Signalering")
private String signalering = "";
}
|
205117_2 | /**
* Copyright (C) 2018 Lars Dam
* This program is free software; you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation version 3.0
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
* See: http://www.gnu.org/licenses/gpl-3.0.html
*
* Problemen in deze code:
*/
package nl.detoren.ijsco;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.List;
public class Configuratie {
public Configuratie() {
}
/**
* No Byes List
* List for groups that may not have a bye
* ToDo For functioning this must be converted to a int serving as mask.
*/
public int minGroepen = 0;
public int maxGroepen = 10;
public int minSpelers = 4;
public int maxSpelers = 10;
public int minDeltaSpelers = 2;
public int maxDeltaSpelers = 2;
public int minAfwijkendeGroepen = 1;
public int maxAfwijkendeGroepen = 4;
public int minToegestaneByes = 1;
public int maxToegestaneByes = 2;
public List<Integer> nobyes = Arrays.asList(1,2);
public String appTitle = "Indeling Interregionale Jeugd Schaak COmpetitie (IJSCO)";
/**
* Bestandsnaam voor configuratie bestand prefix .json wordt automatisch
* toegevoegd
*/
public String configuratieBestand = "configuratie";
/**
* Bestandsnaam voor status bestand prefix .json )en evt datum postfix)
* wordt automatisch toegevoegd
*/
public String statusBestand = "status";
}
| lmeulen/IJSCO_UI | IJSCO_app/src/nl/detoren/ijsco/Configuratie.java | 520 | /**
* Bestandsnaam voor configuratie bestand prefix .json wordt automatisch
* toegevoegd
*/ | block_comment | nl | /**
* Copyright (C) 2018 Lars Dam
* This program is free software; you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation version 3.0
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
* See: http://www.gnu.org/licenses/gpl-3.0.html
*
* Problemen in deze code:
*/
package nl.detoren.ijsco;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.List;
public class Configuratie {
public Configuratie() {
}
/**
* No Byes List
* List for groups that may not have a bye
* ToDo For functioning this must be converted to a int serving as mask.
*/
public int minGroepen = 0;
public int maxGroepen = 10;
public int minSpelers = 4;
public int maxSpelers = 10;
public int minDeltaSpelers = 2;
public int maxDeltaSpelers = 2;
public int minAfwijkendeGroepen = 1;
public int maxAfwijkendeGroepen = 4;
public int minToegestaneByes = 1;
public int maxToegestaneByes = 2;
public List<Integer> nobyes = Arrays.asList(1,2);
public String appTitle = "Indeling Interregionale Jeugd Schaak COmpetitie (IJSCO)";
/**
* Bestandsnaam voor configuratie<SUF>*/
public String configuratieBestand = "configuratie";
/**
* Bestandsnaam voor status bestand prefix .json )en evt datum postfix)
* wordt automatisch toegevoegd
*/
public String statusBestand = "status";
}
|
205117_3 | /**
* Copyright (C) 2018 Lars Dam
* This program is free software; you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation version 3.0
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
* See: http://www.gnu.org/licenses/gpl-3.0.html
*
* Problemen in deze code:
*/
package nl.detoren.ijsco;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.List;
public class Configuratie {
public Configuratie() {
}
/**
* No Byes List
* List for groups that may not have a bye
* ToDo For functioning this must be converted to a int serving as mask.
*/
public int minGroepen = 0;
public int maxGroepen = 10;
public int minSpelers = 4;
public int maxSpelers = 10;
public int minDeltaSpelers = 2;
public int maxDeltaSpelers = 2;
public int minAfwijkendeGroepen = 1;
public int maxAfwijkendeGroepen = 4;
public int minToegestaneByes = 1;
public int maxToegestaneByes = 2;
public List<Integer> nobyes = Arrays.asList(1,2);
public String appTitle = "Indeling Interregionale Jeugd Schaak COmpetitie (IJSCO)";
/**
* Bestandsnaam voor configuratie bestand prefix .json wordt automatisch
* toegevoegd
*/
public String configuratieBestand = "configuratie";
/**
* Bestandsnaam voor status bestand prefix .json )en evt datum postfix)
* wordt automatisch toegevoegd
*/
public String statusBestand = "status";
}
| lmeulen/IJSCO_UI | IJSCO_app/src/nl/detoren/ijsco/Configuratie.java | 520 | /**
* Bestandsnaam voor status bestand prefix .json )en evt datum postfix)
* wordt automatisch toegevoegd
*/ | block_comment | nl | /**
* Copyright (C) 2018 Lars Dam
* This program is free software; you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation version 3.0
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
* See: http://www.gnu.org/licenses/gpl-3.0.html
*
* Problemen in deze code:
*/
package nl.detoren.ijsco;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.List;
public class Configuratie {
public Configuratie() {
}
/**
* No Byes List
* List for groups that may not have a bye
* ToDo For functioning this must be converted to a int serving as mask.
*/
public int minGroepen = 0;
public int maxGroepen = 10;
public int minSpelers = 4;
public int maxSpelers = 10;
public int minDeltaSpelers = 2;
public int maxDeltaSpelers = 2;
public int minAfwijkendeGroepen = 1;
public int maxAfwijkendeGroepen = 4;
public int minToegestaneByes = 1;
public int maxToegestaneByes = 2;
public List<Integer> nobyes = Arrays.asList(1,2);
public String appTitle = "Indeling Interregionale Jeugd Schaak COmpetitie (IJSCO)";
/**
* Bestandsnaam voor configuratie bestand prefix .json wordt automatisch
* toegevoegd
*/
public String configuratieBestand = "configuratie";
/**
* Bestandsnaam voor status<SUF>*/
public String statusBestand = "status";
}
|
205135_1 | package be.pbo.jeugdcup.ranking.services;
import be.pbo.jeugdcup.ranking.domain.Event;
import be.pbo.jeugdcup.ranking.domain.PBOJeugdCupTournament;
import be.pbo.jeugdcup.ranking.domain.Player;
import be.pbo.jeugdcup.ranking.domain.Reeks;
import be.pbo.jeugdcup.ranking.domain.Team;
import lombok.Data;
import java.util.Collection;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
import java.util.Objects;
import java.util.SortedMap;
import java.util.stream.Stream;
@Data
public class PointService {
private final Map<Player, Integer> pointPerPlayer = new HashMap<>();
private final PBOJeugdCupTournament pboJeugdCupTournament;
public PointService(final PBOJeugdCupTournament pboJeugdCupTournament) {
this.pboJeugdCupTournament = pboJeugdCupTournament;
}
public void addEventResultPerPlayer(final Event event) {
addEventResultPerPlayer(event.getReeks(), event.sortTeamsByEventResult());
}
public void addEventResultPerPlayer(final Reeks reeks, final SortedMap<Integer, List<Team>> teamsSortedByEventResult) {
final Map<Player, Integer> pointPerPlayerForEvent = generatePointPerPlayerForEventResults(reeks, teamsSortedByEventResult);
pointPerPlayerForEvent.forEach((p, ppoint) -> {
pointPerPlayer.compute(p, (player, point) -> {
if (point == null) {
return ppoint;
} else {
// Only the best result should be maintained
return ppoint > point ? ppoint : point;
}
});
});
}
private Map<Player, Integer> generatePointPerPlayerForEventResults(final Reeks reeks, final SortedMap<Integer, List<Team>> teamsSortedByEventResult) {
final Map<Player, Integer> result = new HashMap<>();
final Long numberOfTeamsInvolved = teamsSortedByEventResult.values().stream().mapToLong(Collection::size).sum();
if (numberOfTeamsInvolved < 4L) {
//Artikel 9.5. Onderdelen met minder dan 3 wedstrijden komen niet in aanmerking voor punten.
return result;
}
final int maxPointForThisEvent = (Reeks.B_REEKS.equals(reeks) && !pboJeugdCupTournament.isAlwaysUsingDoubleSchemes()) ? 97 : 100;
teamsSortedByEventResult.keySet().forEach(k -> {
final int point = k < 21 ? maxPointForThisEvent - ((k - 1) * 5) : 0;
teamsSortedByEventResult.get(k).stream()
.filter(t -> t.getNumberOfMatchesPlayedExcludingWalkOverMatches() > 0)//A team must have played at least one real match to gain points.
.flatMap(t -> Stream.of(t.getPlayer1(), t.getPlayer2()))
.filter(Objects::nonNull)
.forEach(p -> result.put(p, point));
teamsSortedByEventResult.get(k).stream()
.filter(t -> t.getNumberOfMatchesPlayedExcludingWalkOverMatches() == 0)
.flatMap(t -> Stream.of(t.getPlayer1(), t.getPlayer2()))
.filter(Objects::nonNull)
.forEach(p -> result.put(p, 0));
});
return result;
}
}
| Badminton-PBO/pbo-jeugdcupranking | core/src/main/java/be/pbo/jeugdcup/ranking/services/PointService.java | 866 | //Artikel 9.5. Onderdelen met minder dan 3 wedstrijden komen niet in aanmerking voor punten. | line_comment | nl | package be.pbo.jeugdcup.ranking.services;
import be.pbo.jeugdcup.ranking.domain.Event;
import be.pbo.jeugdcup.ranking.domain.PBOJeugdCupTournament;
import be.pbo.jeugdcup.ranking.domain.Player;
import be.pbo.jeugdcup.ranking.domain.Reeks;
import be.pbo.jeugdcup.ranking.domain.Team;
import lombok.Data;
import java.util.Collection;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
import java.util.Objects;
import java.util.SortedMap;
import java.util.stream.Stream;
@Data
public class PointService {
private final Map<Player, Integer> pointPerPlayer = new HashMap<>();
private final PBOJeugdCupTournament pboJeugdCupTournament;
public PointService(final PBOJeugdCupTournament pboJeugdCupTournament) {
this.pboJeugdCupTournament = pboJeugdCupTournament;
}
public void addEventResultPerPlayer(final Event event) {
addEventResultPerPlayer(event.getReeks(), event.sortTeamsByEventResult());
}
public void addEventResultPerPlayer(final Reeks reeks, final SortedMap<Integer, List<Team>> teamsSortedByEventResult) {
final Map<Player, Integer> pointPerPlayerForEvent = generatePointPerPlayerForEventResults(reeks, teamsSortedByEventResult);
pointPerPlayerForEvent.forEach((p, ppoint) -> {
pointPerPlayer.compute(p, (player, point) -> {
if (point == null) {
return ppoint;
} else {
// Only the best result should be maintained
return ppoint > point ? ppoint : point;
}
});
});
}
private Map<Player, Integer> generatePointPerPlayerForEventResults(final Reeks reeks, final SortedMap<Integer, List<Team>> teamsSortedByEventResult) {
final Map<Player, Integer> result = new HashMap<>();
final Long numberOfTeamsInvolved = teamsSortedByEventResult.values().stream().mapToLong(Collection::size).sum();
if (numberOfTeamsInvolved < 4L) {
//Artikel 9.5.<SUF>
return result;
}
final int maxPointForThisEvent = (Reeks.B_REEKS.equals(reeks) && !pboJeugdCupTournament.isAlwaysUsingDoubleSchemes()) ? 97 : 100;
teamsSortedByEventResult.keySet().forEach(k -> {
final int point = k < 21 ? maxPointForThisEvent - ((k - 1) * 5) : 0;
teamsSortedByEventResult.get(k).stream()
.filter(t -> t.getNumberOfMatchesPlayedExcludingWalkOverMatches() > 0)//A team must have played at least one real match to gain points.
.flatMap(t -> Stream.of(t.getPlayer1(), t.getPlayer2()))
.filter(Objects::nonNull)
.forEach(p -> result.put(p, point));
teamsSortedByEventResult.get(k).stream()
.filter(t -> t.getNumberOfMatchesPlayedExcludingWalkOverMatches() == 0)
.flatMap(t -> Stream.of(t.getPlayer1(), t.getPlayer2()))
.filter(Objects::nonNull)
.forEach(p -> result.put(p, 0));
});
return result;
}
}
|
205155_2 | package be.pbo.jeugdcup.ranking.domain;
import lombok.AccessLevel;
import lombok.AllArgsConstructor;
import lombok.Builder;
import lombok.Data;
import lombok.NoArgsConstructor;
import lombok.extern.slf4j.Slf4j;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.Comparator;
import java.util.List;
import java.util.Set;
import java.util.SortedMap;
import java.util.TreeMap;
import java.util.concurrent.atomic.AtomicInteger;
import java.util.stream.Collectors;
@Data
@Builder(toBuilder = true, builderClassName = "EventInternalBuilder", builderMethodName = "internalBuilder")
@AllArgsConstructor(access = AccessLevel.PUBLIC)
@NoArgsConstructor(access = AccessLevel.PUBLIC)
@Slf4j
public class Event {
private static final AgeCategoryDetector ageCategoryDetector = new AgeCategoryDetector();
private static final ReeksDetector reeksDetector = new ReeksDetector();
private Integer id;
private String name;
private Gender gender;
private EventType eventType;
private AgeCategory ageCategory = AgeCategory.DEFAULT_AGE_CATEGORY;
private Reeks reeks = Reeks.DEFAULT_REEKS;
private List<Round> rounds = new ArrayList<>();
private List<EliminationScheme> eliminationSchemes = new ArrayList<>();
public void init() {
ageCategory = ageCategoryDetector.resolveFromEventName(this.name);
reeks = reeksDetector.resolveFromEventName(this.name);
}
public static Builder builder() {
return new Builder();
}
public static class Builder extends EventInternalBuilder {
Builder() {
super();
}
@Override
public Event build() {
final Event event = super.build();
event.init();
return event;
}
}
// Returns teams sorted by their results for this event
// It's possible that not all teams play in the Elimination phase.
// For example: 13 inschijvingen, dubbel/gemengd -> vierde & vijfde uit poule spelen geen eindronde
// In that case multiple teams end at the same Event-rank and should get equal points
public SortedMap<Integer, List<Team>> sortTeamsByEventResult() {
final TreeMap<Integer, List<Team>> result = new TreeMap<>();
if (rounds.isEmpty()) {
log.info("Event has no rounds:" + this);
} else if (eliminationSchemes.isEmpty() && rounds.size() == 1) {
//Geen eindrondes, enkel 1 poule
final List<Team> teamsSortedByPouleResult = rounds.get(0).getTeamsSortedByPouleResult();
for (int i = 0; i < teamsSortedByPouleResult.size(); i++) {
result.put(i + 1, Arrays.asList(teamsSortedByPouleResult.get(i)));
}
} else if (eliminationSchemes.size() > 0) {
//Sort EliminationScheme so winners scheme come in front
eliminationSchemes.sort(new EliminationSchemeComparator(this));
final AtomicInteger resultPosition = new AtomicInteger(0);
for (final EliminationScheme eliminationScheme : eliminationSchemes) {
final SortedMap<Integer, List<Team>> teamsSortedByEliminationResult = eliminationScheme.getTeamsSortedByEliminationResult();
teamsSortedByEliminationResult.keySet().forEach(k -> result.put(resultPosition.addAndGet(1), teamsSortedByEliminationResult.get(k)));
}
//Add teams that are part of a round but did not make it into the EliminationSchemes
final List<Team> teamsPartOfEliminationsSchemes = eliminationSchemes.stream().flatMap(e -> e.getAllTeams().stream()).collect(Collectors.toList());
final TreeMap<Integer, List<Team>> remainingTeams = new TreeMap<>(Comparator.reverseOrder());
this.getRounds().forEach(round -> {
final List<Team> teamsSortedByPouleResult = round.getTeamsSortedByPouleResult();
for (int i = 0; i < teamsSortedByPouleResult.size(); i++) {
final Team team = teamsSortedByPouleResult.get(i);
if (!teamsPartOfEliminationsSchemes.contains(team)) {
remainingTeams.compute(i, (k, v) -> {
if (v == null) {
return new ArrayList<>(Arrays.asList(team));
} else {
v.add(team);
return v;
}
});
}
}
});
remainingTeams.keySet().stream()
.sorted()
.forEach(k -> {
result.put(resultPosition.addAndGet(1), remainingTeams.get(k));
});
return result;
} else {
throw new IllegalArgumentException("Event has more than one round but no eliminationscheme." + this);
}
return result;
}
private Set<Team> getTeams() {
if (rounds.isEmpty()) {
throw new RuntimeException("No rounds are yet assigned to this Event" + this);
}
return rounds.stream().flatMap(r -> r.getAllTeams().stream()).collect(Collectors.toSet());
}
}
| Badminton-PBO/pbo-jeugdcupranking | core/src/main/java/be/pbo/jeugdcup/ranking/domain/Event.java | 1,242 | // For example: 13 inschijvingen, dubbel/gemengd -> vierde & vijfde uit poule spelen geen eindronde | line_comment | nl | package be.pbo.jeugdcup.ranking.domain;
import lombok.AccessLevel;
import lombok.AllArgsConstructor;
import lombok.Builder;
import lombok.Data;
import lombok.NoArgsConstructor;
import lombok.extern.slf4j.Slf4j;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.Comparator;
import java.util.List;
import java.util.Set;
import java.util.SortedMap;
import java.util.TreeMap;
import java.util.concurrent.atomic.AtomicInteger;
import java.util.stream.Collectors;
@Data
@Builder(toBuilder = true, builderClassName = "EventInternalBuilder", builderMethodName = "internalBuilder")
@AllArgsConstructor(access = AccessLevel.PUBLIC)
@NoArgsConstructor(access = AccessLevel.PUBLIC)
@Slf4j
public class Event {
private static final AgeCategoryDetector ageCategoryDetector = new AgeCategoryDetector();
private static final ReeksDetector reeksDetector = new ReeksDetector();
private Integer id;
private String name;
private Gender gender;
private EventType eventType;
private AgeCategory ageCategory = AgeCategory.DEFAULT_AGE_CATEGORY;
private Reeks reeks = Reeks.DEFAULT_REEKS;
private List<Round> rounds = new ArrayList<>();
private List<EliminationScheme> eliminationSchemes = new ArrayList<>();
public void init() {
ageCategory = ageCategoryDetector.resolveFromEventName(this.name);
reeks = reeksDetector.resolveFromEventName(this.name);
}
public static Builder builder() {
return new Builder();
}
public static class Builder extends EventInternalBuilder {
Builder() {
super();
}
@Override
public Event build() {
final Event event = super.build();
event.init();
return event;
}
}
// Returns teams sorted by their results for this event
// It's possible that not all teams play in the Elimination phase.
// For example:<SUF>
// In that case multiple teams end at the same Event-rank and should get equal points
public SortedMap<Integer, List<Team>> sortTeamsByEventResult() {
final TreeMap<Integer, List<Team>> result = new TreeMap<>();
if (rounds.isEmpty()) {
log.info("Event has no rounds:" + this);
} else if (eliminationSchemes.isEmpty() && rounds.size() == 1) {
//Geen eindrondes, enkel 1 poule
final List<Team> teamsSortedByPouleResult = rounds.get(0).getTeamsSortedByPouleResult();
for (int i = 0; i < teamsSortedByPouleResult.size(); i++) {
result.put(i + 1, Arrays.asList(teamsSortedByPouleResult.get(i)));
}
} else if (eliminationSchemes.size() > 0) {
//Sort EliminationScheme so winners scheme come in front
eliminationSchemes.sort(new EliminationSchemeComparator(this));
final AtomicInteger resultPosition = new AtomicInteger(0);
for (final EliminationScheme eliminationScheme : eliminationSchemes) {
final SortedMap<Integer, List<Team>> teamsSortedByEliminationResult = eliminationScheme.getTeamsSortedByEliminationResult();
teamsSortedByEliminationResult.keySet().forEach(k -> result.put(resultPosition.addAndGet(1), teamsSortedByEliminationResult.get(k)));
}
//Add teams that are part of a round but did not make it into the EliminationSchemes
final List<Team> teamsPartOfEliminationsSchemes = eliminationSchemes.stream().flatMap(e -> e.getAllTeams().stream()).collect(Collectors.toList());
final TreeMap<Integer, List<Team>> remainingTeams = new TreeMap<>(Comparator.reverseOrder());
this.getRounds().forEach(round -> {
final List<Team> teamsSortedByPouleResult = round.getTeamsSortedByPouleResult();
for (int i = 0; i < teamsSortedByPouleResult.size(); i++) {
final Team team = teamsSortedByPouleResult.get(i);
if (!teamsPartOfEliminationsSchemes.contains(team)) {
remainingTeams.compute(i, (k, v) -> {
if (v == null) {
return new ArrayList<>(Arrays.asList(team));
} else {
v.add(team);
return v;
}
});
}
}
});
remainingTeams.keySet().stream()
.sorted()
.forEach(k -> {
result.put(resultPosition.addAndGet(1), remainingTeams.get(k));
});
return result;
} else {
throw new IllegalArgumentException("Event has more than one round but no eliminationscheme." + this);
}
return result;
}
private Set<Team> getTeams() {
if (rounds.isEmpty()) {
throw new RuntimeException("No rounds are yet assigned to this Event" + this);
}
return rounds.stream().flatMap(r -> r.getAllTeams().stream()).collect(Collectors.toSet());
}
}
|
205155_4 | package be.pbo.jeugdcup.ranking.domain;
import lombok.AccessLevel;
import lombok.AllArgsConstructor;
import lombok.Builder;
import lombok.Data;
import lombok.NoArgsConstructor;
import lombok.extern.slf4j.Slf4j;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.Comparator;
import java.util.List;
import java.util.Set;
import java.util.SortedMap;
import java.util.TreeMap;
import java.util.concurrent.atomic.AtomicInteger;
import java.util.stream.Collectors;
@Data
@Builder(toBuilder = true, builderClassName = "EventInternalBuilder", builderMethodName = "internalBuilder")
@AllArgsConstructor(access = AccessLevel.PUBLIC)
@NoArgsConstructor(access = AccessLevel.PUBLIC)
@Slf4j
public class Event {
private static final AgeCategoryDetector ageCategoryDetector = new AgeCategoryDetector();
private static final ReeksDetector reeksDetector = new ReeksDetector();
private Integer id;
private String name;
private Gender gender;
private EventType eventType;
private AgeCategory ageCategory = AgeCategory.DEFAULT_AGE_CATEGORY;
private Reeks reeks = Reeks.DEFAULT_REEKS;
private List<Round> rounds = new ArrayList<>();
private List<EliminationScheme> eliminationSchemes = new ArrayList<>();
public void init() {
ageCategory = ageCategoryDetector.resolveFromEventName(this.name);
reeks = reeksDetector.resolveFromEventName(this.name);
}
public static Builder builder() {
return new Builder();
}
public static class Builder extends EventInternalBuilder {
Builder() {
super();
}
@Override
public Event build() {
final Event event = super.build();
event.init();
return event;
}
}
// Returns teams sorted by their results for this event
// It's possible that not all teams play in the Elimination phase.
// For example: 13 inschijvingen, dubbel/gemengd -> vierde & vijfde uit poule spelen geen eindronde
// In that case multiple teams end at the same Event-rank and should get equal points
public SortedMap<Integer, List<Team>> sortTeamsByEventResult() {
final TreeMap<Integer, List<Team>> result = new TreeMap<>();
if (rounds.isEmpty()) {
log.info("Event has no rounds:" + this);
} else if (eliminationSchemes.isEmpty() && rounds.size() == 1) {
//Geen eindrondes, enkel 1 poule
final List<Team> teamsSortedByPouleResult = rounds.get(0).getTeamsSortedByPouleResult();
for (int i = 0; i < teamsSortedByPouleResult.size(); i++) {
result.put(i + 1, Arrays.asList(teamsSortedByPouleResult.get(i)));
}
} else if (eliminationSchemes.size() > 0) {
//Sort EliminationScheme so winners scheme come in front
eliminationSchemes.sort(new EliminationSchemeComparator(this));
final AtomicInteger resultPosition = new AtomicInteger(0);
for (final EliminationScheme eliminationScheme : eliminationSchemes) {
final SortedMap<Integer, List<Team>> teamsSortedByEliminationResult = eliminationScheme.getTeamsSortedByEliminationResult();
teamsSortedByEliminationResult.keySet().forEach(k -> result.put(resultPosition.addAndGet(1), teamsSortedByEliminationResult.get(k)));
}
//Add teams that are part of a round but did not make it into the EliminationSchemes
final List<Team> teamsPartOfEliminationsSchemes = eliminationSchemes.stream().flatMap(e -> e.getAllTeams().stream()).collect(Collectors.toList());
final TreeMap<Integer, List<Team>> remainingTeams = new TreeMap<>(Comparator.reverseOrder());
this.getRounds().forEach(round -> {
final List<Team> teamsSortedByPouleResult = round.getTeamsSortedByPouleResult();
for (int i = 0; i < teamsSortedByPouleResult.size(); i++) {
final Team team = teamsSortedByPouleResult.get(i);
if (!teamsPartOfEliminationsSchemes.contains(team)) {
remainingTeams.compute(i, (k, v) -> {
if (v == null) {
return new ArrayList<>(Arrays.asList(team));
} else {
v.add(team);
return v;
}
});
}
}
});
remainingTeams.keySet().stream()
.sorted()
.forEach(k -> {
result.put(resultPosition.addAndGet(1), remainingTeams.get(k));
});
return result;
} else {
throw new IllegalArgumentException("Event has more than one round but no eliminationscheme." + this);
}
return result;
}
private Set<Team> getTeams() {
if (rounds.isEmpty()) {
throw new RuntimeException("No rounds are yet assigned to this Event" + this);
}
return rounds.stream().flatMap(r -> r.getAllTeams().stream()).collect(Collectors.toSet());
}
}
| Badminton-PBO/pbo-jeugdcupranking | core/src/main/java/be/pbo/jeugdcup/ranking/domain/Event.java | 1,242 | //Geen eindrondes, enkel 1 poule | line_comment | nl | package be.pbo.jeugdcup.ranking.domain;
import lombok.AccessLevel;
import lombok.AllArgsConstructor;
import lombok.Builder;
import lombok.Data;
import lombok.NoArgsConstructor;
import lombok.extern.slf4j.Slf4j;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.Comparator;
import java.util.List;
import java.util.Set;
import java.util.SortedMap;
import java.util.TreeMap;
import java.util.concurrent.atomic.AtomicInteger;
import java.util.stream.Collectors;
@Data
@Builder(toBuilder = true, builderClassName = "EventInternalBuilder", builderMethodName = "internalBuilder")
@AllArgsConstructor(access = AccessLevel.PUBLIC)
@NoArgsConstructor(access = AccessLevel.PUBLIC)
@Slf4j
public class Event {
private static final AgeCategoryDetector ageCategoryDetector = new AgeCategoryDetector();
private static final ReeksDetector reeksDetector = new ReeksDetector();
private Integer id;
private String name;
private Gender gender;
private EventType eventType;
private AgeCategory ageCategory = AgeCategory.DEFAULT_AGE_CATEGORY;
private Reeks reeks = Reeks.DEFAULT_REEKS;
private List<Round> rounds = new ArrayList<>();
private List<EliminationScheme> eliminationSchemes = new ArrayList<>();
public void init() {
ageCategory = ageCategoryDetector.resolveFromEventName(this.name);
reeks = reeksDetector.resolveFromEventName(this.name);
}
public static Builder builder() {
return new Builder();
}
public static class Builder extends EventInternalBuilder {
Builder() {
super();
}
@Override
public Event build() {
final Event event = super.build();
event.init();
return event;
}
}
// Returns teams sorted by their results for this event
// It's possible that not all teams play in the Elimination phase.
// For example: 13 inschijvingen, dubbel/gemengd -> vierde & vijfde uit poule spelen geen eindronde
// In that case multiple teams end at the same Event-rank and should get equal points
public SortedMap<Integer, List<Team>> sortTeamsByEventResult() {
final TreeMap<Integer, List<Team>> result = new TreeMap<>();
if (rounds.isEmpty()) {
log.info("Event has no rounds:" + this);
} else if (eliminationSchemes.isEmpty() && rounds.size() == 1) {
//Geen eindrondes,<SUF>
final List<Team> teamsSortedByPouleResult = rounds.get(0).getTeamsSortedByPouleResult();
for (int i = 0; i < teamsSortedByPouleResult.size(); i++) {
result.put(i + 1, Arrays.asList(teamsSortedByPouleResult.get(i)));
}
} else if (eliminationSchemes.size() > 0) {
//Sort EliminationScheme so winners scheme come in front
eliminationSchemes.sort(new EliminationSchemeComparator(this));
final AtomicInteger resultPosition = new AtomicInteger(0);
for (final EliminationScheme eliminationScheme : eliminationSchemes) {
final SortedMap<Integer, List<Team>> teamsSortedByEliminationResult = eliminationScheme.getTeamsSortedByEliminationResult();
teamsSortedByEliminationResult.keySet().forEach(k -> result.put(resultPosition.addAndGet(1), teamsSortedByEliminationResult.get(k)));
}
//Add teams that are part of a round but did not make it into the EliminationSchemes
final List<Team> teamsPartOfEliminationsSchemes = eliminationSchemes.stream().flatMap(e -> e.getAllTeams().stream()).collect(Collectors.toList());
final TreeMap<Integer, List<Team>> remainingTeams = new TreeMap<>(Comparator.reverseOrder());
this.getRounds().forEach(round -> {
final List<Team> teamsSortedByPouleResult = round.getTeamsSortedByPouleResult();
for (int i = 0; i < teamsSortedByPouleResult.size(); i++) {
final Team team = teamsSortedByPouleResult.get(i);
if (!teamsPartOfEliminationsSchemes.contains(team)) {
remainingTeams.compute(i, (k, v) -> {
if (v == null) {
return new ArrayList<>(Arrays.asList(team));
} else {
v.add(team);
return v;
}
});
}
}
});
remainingTeams.keySet().stream()
.sorted()
.forEach(k -> {
result.put(resultPosition.addAndGet(1), remainingTeams.get(k));
});
return result;
} else {
throw new IllegalArgumentException("Event has more than one round but no eliminationscheme." + this);
}
return result;
}
private Set<Team> getTeams() {
if (rounds.isEmpty()) {
throw new RuntimeException("No rounds are yet assigned to this Event" + this);
}
return rounds.stream().flatMap(r -> r.getAllTeams().stream()).collect(Collectors.toSet());
}
}
|
205157_0 | /*
* Copyright 2021 - 2022 Procura B.V.
*
* In licentie gegeven krachtens de EUPL, versie 1.2
* U mag dit werk niet gebruiken, behalve onder de voorwaarden van de licentie.
* U kunt een kopie van de licentie vinden op:
*
* https://github.com/vrijBRP/vrijBRP/blob/master/LICENSE.md
*
* Deze bevat zowel de Nederlandse als de Engelse tekst
*
* Tenzij dit op grond van toepasselijk recht vereist is of schriftelijk
* is overeengekomen, wordt software krachtens deze licentie verspreid
* "zoals deze is", ZONDER ENIGE GARANTIES OF VOORWAARDEN, noch expliciet
* noch impliciet.
* Zie de licentie voor de specifieke bepalingen voor toestemmingen en
* beperkingen op grond van de licentie.
*/
package nl.procura.gba.web.services.beheer.kassa;
public enum KassaType {
ANDERS(12, "Anders"),
COVOG(4, "Covog aanvraag"),
GPK(5, "GPK aanvraag"),
JEUGDTARIEF_REISDOC(8, "Jeugdtarief reisdocument"),
ONBEKEND(0, "Onbekend"),
REISDOCUMENT(1, "Reisdocument"),
RIJBEWIJS(2, "Rijbewijs"),
SPOED_REISDOC(9, "Spoed reisdocument"),
SPOED_RIJBEWIJS(10, "Spoed rijbewijs"),
UITTREKSEL(3, "Uittreksel"),
VERMISS_REISDOC(6, "Vermissing reisdocument"),
VERMISS_RIJBEWIJS(7, "Vermissing rijbewijs");
private String oms = "";
private int nr = 0;
KassaType(int nr, String descr) {
setNr(nr);
setOms(descr);
}
public static KassaType getType(int nr) {
for (KassaType t : values()) {
if (t.getNr() == nr) {
return t;
}
}
return ONBEKEND;
}
public int getNr() {
return nr;
}
public void setNr(int nr) {
this.nr = nr;
}
public String getOms() {
return oms;
}
public void setOms(String oms) {
this.oms = oms;
}
public boolean is(KassaType... types) {
if (types != null) {
for (KassaType type : types) {
if (type != null) {
if (type.getNr() == getNr()) {
return true;
}
}
}
}
return false;
}
@Override
public String toString() {
return getOms();
}
}
| vrijBRP/vrijBRP-Balie | gba-services/src/main/java/nl/procura/gba/web/services/beheer/kassa/KassaType.java | 765 | /*
* Copyright 2021 - 2022 Procura B.V.
*
* In licentie gegeven krachtens de EUPL, versie 1.2
* U mag dit werk niet gebruiken, behalve onder de voorwaarden van de licentie.
* U kunt een kopie van de licentie vinden op:
*
* https://github.com/vrijBRP/vrijBRP/blob/master/LICENSE.md
*
* Deze bevat zowel de Nederlandse als de Engelse tekst
*
* Tenzij dit op grond van toepasselijk recht vereist is of schriftelijk
* is overeengekomen, wordt software krachtens deze licentie verspreid
* "zoals deze is", ZONDER ENIGE GARANTIES OF VOORWAARDEN, noch expliciet
* noch impliciet.
* Zie de licentie voor de specifieke bepalingen voor toestemmingen en
* beperkingen op grond van de licentie.
*/ | block_comment | nl | /*
* Copyright 2021 -<SUF>*/
package nl.procura.gba.web.services.beheer.kassa;
public enum KassaType {
ANDERS(12, "Anders"),
COVOG(4, "Covog aanvraag"),
GPK(5, "GPK aanvraag"),
JEUGDTARIEF_REISDOC(8, "Jeugdtarief reisdocument"),
ONBEKEND(0, "Onbekend"),
REISDOCUMENT(1, "Reisdocument"),
RIJBEWIJS(2, "Rijbewijs"),
SPOED_REISDOC(9, "Spoed reisdocument"),
SPOED_RIJBEWIJS(10, "Spoed rijbewijs"),
UITTREKSEL(3, "Uittreksel"),
VERMISS_REISDOC(6, "Vermissing reisdocument"),
VERMISS_RIJBEWIJS(7, "Vermissing rijbewijs");
private String oms = "";
private int nr = 0;
KassaType(int nr, String descr) {
setNr(nr);
setOms(descr);
}
public static KassaType getType(int nr) {
for (KassaType t : values()) {
if (t.getNr() == nr) {
return t;
}
}
return ONBEKEND;
}
public int getNr() {
return nr;
}
public void setNr(int nr) {
this.nr = nr;
}
public String getOms() {
return oms;
}
public void setOms(String oms) {
this.oms = oms;
}
public boolean is(KassaType... types) {
if (types != null) {
for (KassaType type : types) {
if (type != null) {
if (type.getNr() == getNr()) {
return true;
}
}
}
}
return false;
}
@Override
public String toString() {
return getOms();
}
}
|
205167_0 | /*
* Copyright 2021 - 2022 Procura B.V.
*
* In licentie gegeven krachtens de EUPL, versie 1.2
* U mag dit werk niet gebruiken, behalve onder de voorwaarden van de licentie.
* U kunt een kopie van de licentie vinden op:
*
* https://github.com/vrijBRP/vrijBRP/blob/master/LICENSE.md
*
* Deze bevat zowel de Nederlandse als de Engelse tekst
*
* Tenzij dit op grond van toepasselijk recht vereist is of schriftelijk
* is overeengekomen, wordt software krachtens deze licentie verspreid
* "zoals deze is", ZONDER ENIGE GARANTIES OF VOORWAARDEN, noch expliciet
* noch impliciet.
* Zie de licentie voor de specifieke bepalingen voor toestemmingen en
* beperkingen op grond van de licentie.
*/
package nl.procura.gba.web.modules.zaken.reisdocument.overzicht;
import static nl.procura.gba.web.modules.zaken.reisdocument.overzicht.ReisdocumentOverzichtBean1.*;
import nl.procura.gba.web.components.layouts.form.ReadOnlyForm;
import nl.procura.gba.web.services.zaken.reisdocumenten.ReisdocumentAanvraag;
public class ReisdocumentOverzichtLayoutForm1 extends ReadOnlyForm {
public ReisdocumentOverzichtLayoutForm1(ReisdocumentAanvraag a) {
setCaption("Reisdocument");
setOrder(REISDOCUMENT, AANVRAAGNUMMER, SIGNALERING, LENGTE, TOESTEMMING, SPOED, JEUGDTARIEF, DOCUMENTOUDERVOOGD,
REDENNIETAANWEZIG, GELDIGHEID);
setColumnWidths(WIDTH_130, "300px", "130px", "300px", "130px", "");
ReisdocumentOverzichtBean1 b = new ReisdocumentOverzichtBean1();
b.setReisdocument(a.getReisdocumentType().getOms());
b.setAanvraagnummer(a.getAanvraagnummer().getFormatNummer());
b.setLengte(a.getLengte().intValue() > 0 ? (a.getLengte() + " cm") : "Niet ingevuld");
b.setToestemming(a.getToestemmingen().getOmschrijving());
b.setSpoed(a.getSpoed().getOms());
b.setJeugdtarief(a.isGratis() ? "Ja" : "Nee");
b.setRedenNietAanwezig(a.getRedenAfwezig());
b.setGeldigheid(a.getGeldigheid());
b.setSignalering(a.getSignalering().getOms());
setBean(b);
}
}
| vrijBRP/vrijBRP-Balie | gba-web/src/main/java/nl/procura/gba/web/modules/zaken/reisdocument/overzicht/ReisdocumentOverzichtLayoutForm1.java | 702 | /*
* Copyright 2021 - 2022 Procura B.V.
*
* In licentie gegeven krachtens de EUPL, versie 1.2
* U mag dit werk niet gebruiken, behalve onder de voorwaarden van de licentie.
* U kunt een kopie van de licentie vinden op:
*
* https://github.com/vrijBRP/vrijBRP/blob/master/LICENSE.md
*
* Deze bevat zowel de Nederlandse als de Engelse tekst
*
* Tenzij dit op grond van toepasselijk recht vereist is of schriftelijk
* is overeengekomen, wordt software krachtens deze licentie verspreid
* "zoals deze is", ZONDER ENIGE GARANTIES OF VOORWAARDEN, noch expliciet
* noch impliciet.
* Zie de licentie voor de specifieke bepalingen voor toestemmingen en
* beperkingen op grond van de licentie.
*/ | block_comment | nl | /*
* Copyright 2021 -<SUF>*/
package nl.procura.gba.web.modules.zaken.reisdocument.overzicht;
import static nl.procura.gba.web.modules.zaken.reisdocument.overzicht.ReisdocumentOverzichtBean1.*;
import nl.procura.gba.web.components.layouts.form.ReadOnlyForm;
import nl.procura.gba.web.services.zaken.reisdocumenten.ReisdocumentAanvraag;
public class ReisdocumentOverzichtLayoutForm1 extends ReadOnlyForm {
public ReisdocumentOverzichtLayoutForm1(ReisdocumentAanvraag a) {
setCaption("Reisdocument");
setOrder(REISDOCUMENT, AANVRAAGNUMMER, SIGNALERING, LENGTE, TOESTEMMING, SPOED, JEUGDTARIEF, DOCUMENTOUDERVOOGD,
REDENNIETAANWEZIG, GELDIGHEID);
setColumnWidths(WIDTH_130, "300px", "130px", "300px", "130px", "");
ReisdocumentOverzichtBean1 b = new ReisdocumentOverzichtBean1();
b.setReisdocument(a.getReisdocumentType().getOms());
b.setAanvraagnummer(a.getAanvraagnummer().getFormatNummer());
b.setLengte(a.getLengte().intValue() > 0 ? (a.getLengte() + " cm") : "Niet ingevuld");
b.setToestemming(a.getToestemmingen().getOmschrijving());
b.setSpoed(a.getSpoed().getOms());
b.setJeugdtarief(a.isGratis() ? "Ja" : "Nee");
b.setRedenNietAanwezig(a.getRedenAfwezig());
b.setGeldigheid(a.getGeldigheid());
b.setSignalering(a.getSignalering().getOms());
setBean(b);
}
}
|