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
|
---|---|---|---|---|---|---|---|---|
211494_19 | package edu.stanford.nlp.quoteattribution.Sieves.training;
import edu.stanford.nlp.classify.Classifier;
import edu.stanford.nlp.classify.GeneralDataset;
import edu.stanford.nlp.classify.RVFDataset;
import edu.stanford.nlp.ling.CoreAnnotations;
import edu.stanford.nlp.ling.CoreLabel;
import edu.stanford.nlp.ling.RVFDatum;
import edu.stanford.nlp.paragraphs.ParagraphAnnotator;
import edu.stanford.nlp.pipeline.Annotation;
import edu.stanford.nlp.pipeline.QuoteAttributionAnnotator;
import edu.stanford.nlp.quoteattribution.*;
import edu.stanford.nlp.quoteattribution.Sieves.Sieve;
import edu.stanford.nlp.stats.ClassicCounter;
import edu.stanford.nlp.stats.Counter;
import edu.stanford.nlp.util.CoreMap;
import edu.stanford.nlp.util.Pair;
import edu.stanford.nlp.util.StringUtils;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.ObjectOutputStream;
import java.util.*;
/**
* Created by mjfang on 12/1/16.
*/
public class SupervisedSieveTraining {
// Take in a training Annotated document:
// convert document to dataset & featurize
// train classifier
// output model
// report training F1/accuracy
public static final Set<String> punctuation = new HashSet<>(Arrays.asList(new String[]{",", ".", "\"", "\n"}));
public static final Set<String> punctuationForFeatures = new HashSet<>(Arrays.asList(new String[]{",", ".", "!", "?"})); //TODO: in original iteration: maybe can combine these!?
//given a sentence, return the begin token of the paragraph it's in
private static int getParagraphBeginToken(CoreMap sentence, List<CoreMap> sentences) {
int paragraphId = sentence.get(CoreAnnotations.ParagraphIndexAnnotation.class);
int paragraphBeginToken = sentence.get(CoreAnnotations.TokenBeginAnnotation.class);
for (int i = sentence.get(CoreAnnotations.SentenceIndexAnnotation.class) - 1; i >= 0; i--) {
CoreMap currSentence = sentences.get(i);
if(currSentence.get(CoreAnnotations.ParagraphIndexAnnotation.class) == paragraphId) {
paragraphBeginToken = currSentence.get(CoreAnnotations.TokenBeginAnnotation.class);
} else {
break;
}
}
return paragraphBeginToken;
}
private static int getParagraphEndToken(CoreMap sentence, List<CoreMap> sentences) {
int quoteParagraphId = sentence.get(CoreAnnotations.ParagraphIndexAnnotation.class);
int paragraphEndToken = sentence.get(CoreAnnotations.TokenEndAnnotation.class) - 1;
for (int i = sentence.get(CoreAnnotations.SentenceIndexAnnotation.class); i < sentences.size(); i++) {
CoreMap currSentence = sentences.get(i);
if (currSentence.get(CoreAnnotations.ParagraphIndexAnnotation.class) == quoteParagraphId) {
paragraphEndToken = currSentence.get(CoreAnnotations.TokenEndAnnotation.class) - 1;
} else {
break;
}
}
return paragraphEndToken;
}
private static Map<Integer, List<CoreMap>> getQuotesInParagraph(Annotation doc) {
List<CoreMap> quotes = doc.get(CoreAnnotations.QuotationsAnnotation.class);
List<CoreMap> sentences = doc.get(CoreAnnotations.SentencesAnnotation.class);
Map<Integer, List<CoreMap>> paragraphToQuotes = new HashMap<>();
for(CoreMap quote : quotes) {
CoreMap sentence = sentences.get(quote.get(CoreAnnotations.SentenceBeginAnnotation.class));
paragraphToQuotes.putIfAbsent(sentence.get(CoreAnnotations.ParagraphIndexAnnotation.class), new ArrayList<>());
paragraphToQuotes.get(sentence.get(CoreAnnotations.ParagraphIndexAnnotation.class)).add(quote);
}
return paragraphToQuotes;
}
//assumption: exclusion list is non-overlapping, ordered
private static List<Pair<Integer, Integer>> getRangeExclusion(Pair<Integer, Integer> originalRange, List<Pair<Integer, Integer>> exclusionList) {
List<Pair<Integer, Integer>> leftoverRanges = new ArrayList<>();
Pair<Integer, Integer> currRange = originalRange;
for (Pair<Integer, Integer> exRange : exclusionList) {
Pair<Integer, Integer> leftRange = new Pair<>(currRange.first, exRange.first - 1);
if (leftRange.second - leftRange.first >= 0) {
leftoverRanges.add(leftRange);
}
if (currRange.second.equals(exRange.second)) {
break;
} else {
currRange = new Pair<>(exRange.second + 1, currRange.second);
}
}
if(currRange.first < currRange.second)
leftoverRanges.add(currRange);
return leftoverRanges;
}
public static class FeaturesData {
public GeneralDataset<String, String> dataset;
public Map<Integer, Pair<Integer, Integer>> mapQuoteToDataRange;
public Map<Integer, Sieve.MentionData> mapDatumToMention;
public FeaturesData(Map<Integer, Pair<Integer, Integer>> mapQuoteToDataRange, Map<Integer, Sieve.MentionData> mapDatumToMention, GeneralDataset<String, String> dataset) {
this.mapQuoteToDataRange = mapQuoteToDataRange;
this.mapDatumToMention = mapDatumToMention;
this.dataset = dataset;
}
}
public static class SieveData {
final Annotation doc;
final Map<String, List<Person>> characterMap;
final Map<Integer,String> pronounCorefMap;
final Set<String> animacyList;
public SieveData(Annotation doc,
Map<String, List<Person>> characterMap,
Map<Integer,String> pronounCorefMap,
Set<String> animacyList) {
this.doc = doc;
this.characterMap = characterMap;
this.pronounCorefMap = pronounCorefMap;
this.animacyList = animacyList;
}
}
//goldList null if not training
public static FeaturesData featurize(SieveData sd, List<XMLToAnnotation.GoldQuoteInfo> goldList, boolean isTraining) {
Annotation doc = sd.doc;
// use to access functions
Sieve sieve = new Sieve(doc, sd.characterMap, sd.pronounCorefMap, sd.animacyList);
List<CoreMap> quotes = doc.get(CoreAnnotations.QuotationsAnnotation.class);
List<CoreMap> sentences = doc.get(CoreAnnotations.SentencesAnnotation.class);
List<CoreLabel> tokens = doc.get(CoreAnnotations.TokensAnnotation.class);
Map<Integer, List<CoreMap>> paragraphToQuotes = getQuotesInParagraph(doc);
GeneralDataset<String, String> dataset = new RVFDataset<>();
//necessary for 'ScoreBestMention'
Map<Integer, Pair<Integer, Integer>> mapQuoteToDataRange = new HashMap<>(); //maps quote to corresponding indices in the dataset
Map<Integer, Sieve.MentionData> mapDatumToMention = new HashMap<>();
if(isTraining && goldList.size() != quotes.size()) {
throw new RuntimeException("Gold Quote List size doesn't match quote list size!");
}
for (int quoteIdx = 0; quoteIdx < quotes.size(); quoteIdx++) {
int initialSize = dataset.size();
CoreMap quote = quotes.get(quoteIdx);
XMLToAnnotation.GoldQuoteInfo gold = null;
if(isTraining) {
gold = goldList.get(quoteIdx);
if (gold.speaker.isEmpty()) {
continue;
}
}
CoreMap quoteFirstSentence = sentences.get(quote.get(CoreAnnotations.SentenceBeginAnnotation.class));
Pair<Integer, Integer> quoteRun = new Pair<>(quote.get(CoreAnnotations.TokenBeginAnnotation.class), quote.get(CoreAnnotations.TokenEndAnnotation.class));
// int quoteChapter = quoteFirstSentence.get(ChapterAnnotator.ChapterAnnotation.class);
int quoteParagraphIdx = quoteFirstSentence.get(CoreAnnotations.ParagraphIndexAnnotation.class);
//add mentions before quote up to the previous paragraph
int rightValue = quoteRun.first - 1;
int leftValue = quoteRun.first - 1;
//move left value to be the first token idx of the previous paragraph
for(int sentIdx = quote.get(CoreAnnotations.SentenceBeginAnnotation.class); sentIdx >= 0; sentIdx--) {
CoreMap sentence = sentences.get(sentIdx);
if(sentence.get(CoreAnnotations.ParagraphIndexAnnotation.class) == quoteParagraphIdx) {
continue;
}
if(sentence.get(CoreAnnotations.ParagraphIndexAnnotation.class) == quoteParagraphIdx - 1) { //quoteParagraphIdx - 1 for this and prev
leftValue = sentence.get(CoreAnnotations.TokenBeginAnnotation.class);
}
else {
break;
}
}
List<Sieve.MentionData> mentionsInPreviousParagraph = new ArrayList<>();
if (leftValue > -1 && rightValue > -1)
mentionsInPreviousParagraph = eliminateDuplicates(sieve.findClosestMentionsInSpanBackward(new Pair<>(leftValue, rightValue)));
//mentions in next paragraph
leftValue = quoteRun.second + 1;
rightValue = quoteRun.second + 1;
for(int sentIdx = quote.get(CoreAnnotations.SentenceEndAnnotation.class); sentIdx < sentences.size(); sentIdx++) {
CoreMap sentence = sentences.get(sentIdx);
// if(sentence.get(CoreAnnotations.ParagraphIndexAnnotation.class) == quoteParagraphIdx) {
// continue;
// }
if(sentence.get(CoreAnnotations.ParagraphIndexAnnotation.class) == quoteParagraphIdx ) { //quoteParagraphIdx + 1
rightValue = sentence.get(CoreAnnotations.TokenEndAnnotation.class) - 1;
}
else {
break;
}
}
List<Sieve.MentionData> mentionsInNextParagraph = new ArrayList<>();
if (leftValue < tokens.size() && rightValue < tokens.size())
mentionsInNextParagraph = sieve.findClosestMentionsInSpanForward(new Pair<>(leftValue, rightValue));
List<Sieve.MentionData> candidateMentions = new ArrayList<>();
candidateMentions.addAll(mentionsInPreviousParagraph);
candidateMentions.addAll(mentionsInNextParagraph);
// System.out.println(candidateMentions.size());
int rankedDistance = 1;
int numBackwards = mentionsInPreviousParagraph.size();
for (Sieve.MentionData mention : candidateMentions) {
// List<CoreLabel> mentionCandidateTokens = doc.get(CoreAnnotations.TokensAnnotation.class).subList(mention.begin, mention.end + 1);
// CoreMap mentionCandidateSentence = sentences.get(mentionCandidateTokens.get(0).sentIndex());
// if (mentionCandidateSentence.get(ChapterAnnotator.ChapterAnnotation.class) != quoteChapter) {
// continue;
// }
Counter<String> features = new ClassicCounter<>();
boolean isLeft = true;
int distance = quoteRun.first - mention.end;
if (distance < 0) {
isLeft = false;
distance = mention.begin - quoteRun.second;
}
if (distance < 0) {
continue; //disregard mention-in-quote cases.
}
features.setCount("wordDistance", distance);
List<CoreLabel> betweenTokens;
if (isLeft) {
betweenTokens = tokens.subList(mention.end + 1, quoteRun.first);
} else {
betweenTokens = tokens.subList(quoteRun.second + 1, mention.begin);
}
//Punctuation in between
for (CoreLabel token : betweenTokens) {
if (punctuation.contains(token.word())) {
features.setCount("punctuationPresence:" + token.word(), 1);
}
}
// number of mentions away
features.setCount("rankedDistance", rankedDistance);
rankedDistance++;
if (rankedDistance == numBackwards) {//reset for the forward
rankedDistance = 1;
}
// int quoteParagraphIdx = quoteFirstSentence.get(CoreAnnotations.ParagraphIndexAnnotation.class);
//third distance: # of paragraphs away
int mentionParagraphIdx = -1;
CoreMap sentenceInMentionParagraph = null;
int quoteParagraphBeginToken = getParagraphBeginToken(quoteFirstSentence, sentences);
int quoteParagraphEndToken = getParagraphEndToken(quoteFirstSentence, sentences);
if (isLeft) {
if (quoteParagraphBeginToken <= mention.begin && mention.end <= quoteParagraphEndToken) {
features.setCount("leftParagraphDistance", 0);
mentionParagraphIdx = quoteParagraphIdx;
sentenceInMentionParagraph = quoteFirstSentence;
} else {
int paragraphDistance = 1;
int currParagraphIdx = quoteParagraphIdx - paragraphDistance;
CoreMap currSentence = quoteFirstSentence;
int currSentenceIdx = currSentence.get(CoreAnnotations.SentenceIndexAnnotation.class);
while (currParagraphIdx >= 0) {
// Paragraph prevParagraph = paragraphs.get(prevParagraphIndex);
//extract begin and end tokens of
while (currSentence.get(CoreAnnotations.ParagraphIndexAnnotation.class) != currParagraphIdx) {
currSentenceIdx--;
currSentence = sentences.get(currSentenceIdx);
}
int prevParagraphBegin = getParagraphBeginToken(currSentence, sentences);
int prevParagraphEnd = getParagraphEndToken(currSentence, sentences);
if (prevParagraphBegin <= mention.begin && mention.end <= prevParagraphEnd) {
mentionParagraphIdx = currParagraphIdx;
sentenceInMentionParagraph = currSentence;
features.setCount("leftParagraphDistance", paragraphDistance);
if (paragraphDistance % 2 == 0)
features.setCount("leftParagraphDistanceEven", 1);
break;
}
paragraphDistance++;
currParagraphIdx--;
}
}
} else //right
{
if (quoteParagraphBeginToken <= mention.begin && mention.end <= quoteParagraphEndToken) {
features.setCount("rightParagraphDistance", 0);
sentenceInMentionParagraph = quoteFirstSentence;
mentionParagraphIdx = quoteParagraphIdx;
} else {
int paragraphDistance = 1;
int nextParagraphIndex = quoteParagraphIdx + paragraphDistance;
CoreMap currSentence = quoteFirstSentence;
int currSentenceIdx = currSentence.get(CoreAnnotations.SentenceIndexAnnotation.class);
while (currSentenceIdx < sentences.size()) {
while (currSentence.get(CoreAnnotations.ParagraphIndexAnnotation.class) != nextParagraphIndex) {
currSentenceIdx++;
currSentence = sentences.get(currSentenceIdx);
}
int nextParagraphBegin = getParagraphBeginToken(currSentence, sentences);
int nextParagraphEnd = getParagraphEndToken(currSentence, sentences);
if (nextParagraphBegin <= mention.begin && mention.end <= nextParagraphEnd) {
sentenceInMentionParagraph = currSentence;
features.setCount("rightParagraphDistance", paragraphDistance);
break;
}
paragraphDistance++;
nextParagraphIndex++;
}
}
}
//2. mention features
if (sentenceInMentionParagraph != null) {
int mentionParagraphBegin = getParagraphBeginToken(sentenceInMentionParagraph, sentences);
int mentionParagraphEnd = getParagraphEndToken(sentenceInMentionParagraph, sentences);
if (!(mentionParagraphBegin == quoteParagraphBeginToken && mentionParagraphEnd == quoteParagraphEndToken)) {
List<CoreMap> quotesInMentionParagraph = paragraphToQuotes.getOrDefault(mentionParagraphIdx, new ArrayList<>());
Pair<ArrayList<String>, ArrayList<Pair<Integer, Integer>>> namesInMentionParagraph = sieve.scanForNames(new Pair<>(mentionParagraphBegin, mentionParagraphEnd));
features.setCount("quotesInMentionParagraph", quotesInMentionParagraph.size());
features.setCount("wordsInMentionParagraph", mentionParagraphEnd - mentionParagraphBegin + 1);
features.setCount("namesInMentionParagraph", namesInMentionParagraph.first.size());
//mention ordering in paragraph it is in
for (int i = 0; i < namesInMentionParagraph.second.size(); i++) {
if (ExtractQuotesUtil.rangeContains(new Pair<>(mention.begin, mention.end), namesInMentionParagraph.second.get(i)))
features.setCount("orderInParagraph", i);
}
//if mention paragraph is all one quote
if (quotesInMentionParagraph.size() == 1) {
CoreMap qInMentionParagraph = quotesInMentionParagraph.get(0);
if (qInMentionParagraph.get(CoreAnnotations.TokenBeginAnnotation.class) == mentionParagraphBegin && qInMentionParagraph.get(CoreAnnotations.TokenEndAnnotation.class) - 1 == mentionParagraphEnd) {
features.setCount("mentionParagraphIsInConversation", 1);
} else {
features.setCount("mentionParagraphIsInConversation", -1);
}
}
for (CoreMap quoteIMP : quotesInMentionParagraph) {
if (ExtractQuotesUtil.rangeContains(new Pair<>(quoteIMP.get(CoreAnnotations.TokenBeginAnnotation.class), quoteIMP.get(CoreAnnotations.TokenEndAnnotation.class) - 1), new Pair<>(mention.begin, mention.end)))
features.setCount("mentionInQuote", 1);
}
if (features.getCount("mentionInQuote") != 1)
features.setCount("mentionNotInQuote", 1);
}
}
// nearby word syntax types...make sure to check if there are previous or next words
// or there will be an array index crash
if (mention.begin > 0) {
CoreLabel prevWord = tokens.get(mention.begin - 1);
features.setCount("prevWordType:" + prevWord.tag(), 1);
if (punctuationForFeatures.contains(prevWord.lemma()))
features.setCount("prevWordPunct:" + prevWord.lemma(), 1);
}
if (mention.end+1 < tokens.size()) {
CoreLabel nextWord = tokens.get(mention.end + 1);
features.setCount("nextWordType:" + nextWord.tag(), 1);
if (punctuationForFeatures.contains(nextWord.lemma()))
features.setCount("nextWordPunct:" + nextWord.lemma(), 1);
}
// features.setCount("prevAndNext:" + prevWord.tag()+ ";" + nextWord.tag(), 1);
//quote paragraph features
List<CoreMap> quotesInQuoteParagraph = paragraphToQuotes.get(quoteParagraphIdx);
features.setCount("QuotesInQuoteParagraph", quotesInQuoteParagraph.size());
features.setCount("WordsInQuoteParagraph", quoteParagraphEndToken - quoteParagraphBeginToken + 1);
features.setCount("NamesInQuoteParagraph", sieve.scanForNames(new Pair<>(quoteParagraphBeginToken, quoteParagraphEndToken)).first.size());
//quote features
features.setCount("quoteLength", quote.get(CoreAnnotations.TokenEndAnnotation.class) - quote.get(CoreAnnotations.TokenBeginAnnotation.class) + 1);
for (int i = 0; i < quotesInQuoteParagraph.size(); i++) {
if (quotesInQuoteParagraph.get(i).equals(quote)) {
features.setCount("quotePosition", i + 1);
}
}
if (features.getCount("quotePosition") == 0)
throw new RuntimeException("Check this (equality not working)");
Pair<ArrayList<String>, ArrayList<Pair<Integer, Integer>>> namesData = sieve.scanForNames(quoteRun);
for (String name : namesData.first) {
features.setCount("charactersInQuote:" + sd.characterMap.get(name).get(0).name, 1);
}
//if quote encompasses entire paragraph
if (quote.get(CoreAnnotations.TokenBeginAnnotation.class) == quoteParagraphBeginToken && quote.get(CoreAnnotations.TokenEndAnnotation.class) == quoteParagraphEndToken) {
features.setCount("isImplicitSpeaker", 1);
} else {
features.setCount("isImplicitSpeaker", -1);
}
//Vocative detection
if (mention.type.equals("name")) {
List<Person> pList = sd.characterMap.get(sieve.tokenRangeToString(new Pair<>(mention.begin, mention.end)));
Person p = null;
if (pList != null)
p = pList.get(0);
else {
Pair<ArrayList<String>, ArrayList<Pair<Integer,Integer>>> scanForNamesResultPair
= sieve.scanForNames(new Pair<>(mention.begin, mention.end));
if (scanForNamesResultPair.first.size() != 0) {
String scanForNamesResultString = scanForNamesResultPair.first.get(0);
if (scanForNamesResultString != null && sd.characterMap.containsKey(scanForNamesResultString)) {
p = sd.characterMap.get(scanForNamesResultString).get(0);
}
}
}
if (p != null) {
for (String name : namesData.first) {
if (p.aliases.contains(name))
features.setCount("nameInQuote", 1);
}
if (quoteParagraphIdx > 0) {
// Paragraph prevParagraph = paragraphs.get(ex.paragraph_idx - 1);
List<CoreMap> quotesInPrevParagraph = paragraphToQuotes.getOrDefault(quoteParagraphIdx - 1, new ArrayList<>());
List<Pair<Integer, Integer>> exclusionList = new ArrayList<>();
for (CoreMap quoteIPP : quotesInPrevParagraph) {
Pair<Integer, Integer> quoteRange = new Pair<>(quoteIPP.get(CoreAnnotations.TokenBeginAnnotation.class), quoteIPP.get(CoreAnnotations.TokenEndAnnotation.class));
exclusionList.add(quoteRange);
for (String name : sieve.scanForNames(quoteRange).first) {
if (p.aliases.contains(name))
features.setCount("nameInPrevParagraphQuote", 1);
}
}
int sentenceIdx = quoteFirstSentence.get(CoreAnnotations.SentenceIndexAnnotation.class);
CoreMap sentenceInPrevParagraph = null;
for (int i = sentenceIdx - 1; i >= 0; i--) {
CoreMap currSentence = sentences.get(i);
if (currSentence.get(CoreAnnotations.ParagraphIndexAnnotation.class) == quoteParagraphIdx - 1) {
sentenceInPrevParagraph = currSentence;
break;
}
}
int prevParagraphBegin = getParagraphBeginToken(sentenceInPrevParagraph, sentences);
int prevParagraphEnd = getParagraphEndToken(sentenceInPrevParagraph, sentences);
List<Pair<Integer, Integer>> prevParagraphNonQuoteRuns = getRangeExclusion(new Pair<>(prevParagraphBegin, prevParagraphEnd), exclusionList);
for (Pair<Integer, Integer> nonQuoteRange : prevParagraphNonQuoteRuns) {
for (String name : sieve.scanForNames(nonQuoteRange).first) {
if (p.aliases.contains(name))
features.setCount("nameInPrevParagraphNonQuote", 1);
}
}
}
}
}
if (isTraining) {
if (QuoteAttributionUtils.rangeContains(new Pair<>(gold.mentionStartTokenIndex, gold.mentionEndTokenIndex), new Pair<>(mention.begin, mention.end))) {
RVFDatum<String, String> datum = new RVFDatum<>(features, "isMention");
datum.setID(Integer.toString(dataset.size()));
mapDatumToMention.put(dataset.size(), mention);
dataset.add(datum);
} else {
RVFDatum<String, String> datum = new RVFDatum<>(features, "isNotMention");
datum.setID(Integer.toString(dataset.size()));
dataset.add(datum);
mapDatumToMention.put(dataset.size(), mention);
}
}
else {
RVFDatum<String, String> datum = new RVFDatum<>(features, "none");
datum.setID(Integer.toString(dataset.size()));
mapDatumToMention.put(dataset.size(), mention);
dataset.add(datum);
}
}
mapQuoteToDataRange.put(quoteIdx, new Pair<>(initialSize, dataset.size() - 1));
}
return new FeaturesData(mapQuoteToDataRange, mapDatumToMention, dataset);
}
//TODO: potential bug in previous iteration: not implementing order reversal in eliminateDuplicates
private static List<Sieve.MentionData> eliminateDuplicates(List<Sieve.MentionData> mentionCandidates)
{
List<Sieve.MentionData> newList = new ArrayList<>();
Set<String> seenText = new HashSet<>();
for (Sieve.MentionData mentionCandidate : mentionCandidates) {
String text = mentionCandidate.text;
if (!seenText.contains(text) || mentionCandidate.type.equals("Pronoun"))
newList.add(mentionCandidate);
seenText.add(text);
}
return newList;
}
// todo [cdm Nov 2020: Isn't there already a method like this for Classifier?
public static void outputModel(String fileName, Classifier<String, String> clf) {
try {
FileOutputStream fo = new FileOutputStream(fileName);
ObjectOutputStream so = new ObjectOutputStream(fo);
so.writeObject(clf);
so.flush();
so.close();
} catch (IOException e) {
e.printStackTrace();
}
}
public static void train(XMLToAnnotation.Data data, Properties props) {
Map<String, List<Person>> characterMap = QuoteAttributionUtils.readPersonMap(props.getProperty("charactersPath"));
Map<Integer,String> pronounCorefMap =
QuoteAttributionUtils.setupCoref(props.getProperty("booknlpCoref"), characterMap, data.doc);
Set<String> animacyList = QuoteAttributionUtils.readAnimacyList(QuoteAttributionAnnotator.ANIMACY_WORD_LIST);
FeaturesData fd = featurize(new SieveData(data.doc, characterMap, pronounCorefMap, animacyList), data.goldList, true);
ExtractQuotesClassifier quotesClassifier = new ExtractQuotesClassifier(fd.dataset);
outputModel(props.getProperty("modelPath"), quotesClassifier.getClassifier());
}
public static void main(String[] args) throws Exception {
String home = "/home/mjfang/action_grammars/";
// make the first argument one for a base directory
String specificFile = "1PPDevUncollapsed.props";
if (args.length >= 1) {
home = args[0];
}
if (args.length >= 2) {
specificFile = args[1];
}
System.out.println("Base directory: " + home);
Properties props = StringUtils.propFileToProperties(home + "ExtractQuotesXMLScripts/" + specificFile);
XMLToAnnotation.Data data = XMLToAnnotation.readXMLFormat(props.getProperty("file"));
Properties propsPara = new Properties();
propsPara.setProperty("paragraphBreak", "one");
ParagraphAnnotator pa = new ParagraphAnnotator(propsPara, false);
pa.annotate(data.doc);
Properties annotatorProps = new Properties();
annotatorProps.setProperty("charactersPath", props.getProperty("charactersPath")); //"characterList.txt"
annotatorProps.setProperty("booknlpCoref", props.getProperty("booknlpCoref"));
annotatorProps.setProperty("modelPath", props.getProperty("modelPath"));//"model.ser");
QuoteAttributionAnnotator qaa = new QuoteAttributionAnnotator(annotatorProps);
qaa.annotate(data.doc);
ChapterAnnotator ca = new ChapterAnnotator();
ca.annotate(data.doc);
train(data, annotatorProps);
}
}
| stanfordnlp/CoreNLP | src/edu/stanford/nlp/quoteattribution/Sieves/training/SupervisedSieveTraining.java | 6,730 | // CoreMap mentionCandidateSentence = sentences.get(mentionCandidateTokens.get(0).sentIndex()); | line_comment | nl | package edu.stanford.nlp.quoteattribution.Sieves.training;
import edu.stanford.nlp.classify.Classifier;
import edu.stanford.nlp.classify.GeneralDataset;
import edu.stanford.nlp.classify.RVFDataset;
import edu.stanford.nlp.ling.CoreAnnotations;
import edu.stanford.nlp.ling.CoreLabel;
import edu.stanford.nlp.ling.RVFDatum;
import edu.stanford.nlp.paragraphs.ParagraphAnnotator;
import edu.stanford.nlp.pipeline.Annotation;
import edu.stanford.nlp.pipeline.QuoteAttributionAnnotator;
import edu.stanford.nlp.quoteattribution.*;
import edu.stanford.nlp.quoteattribution.Sieves.Sieve;
import edu.stanford.nlp.stats.ClassicCounter;
import edu.stanford.nlp.stats.Counter;
import edu.stanford.nlp.util.CoreMap;
import edu.stanford.nlp.util.Pair;
import edu.stanford.nlp.util.StringUtils;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.ObjectOutputStream;
import java.util.*;
/**
* Created by mjfang on 12/1/16.
*/
public class SupervisedSieveTraining {
// Take in a training Annotated document:
// convert document to dataset & featurize
// train classifier
// output model
// report training F1/accuracy
public static final Set<String> punctuation = new HashSet<>(Arrays.asList(new String[]{",", ".", "\"", "\n"}));
public static final Set<String> punctuationForFeatures = new HashSet<>(Arrays.asList(new String[]{",", ".", "!", "?"})); //TODO: in original iteration: maybe can combine these!?
//given a sentence, return the begin token of the paragraph it's in
private static int getParagraphBeginToken(CoreMap sentence, List<CoreMap> sentences) {
int paragraphId = sentence.get(CoreAnnotations.ParagraphIndexAnnotation.class);
int paragraphBeginToken = sentence.get(CoreAnnotations.TokenBeginAnnotation.class);
for (int i = sentence.get(CoreAnnotations.SentenceIndexAnnotation.class) - 1; i >= 0; i--) {
CoreMap currSentence = sentences.get(i);
if(currSentence.get(CoreAnnotations.ParagraphIndexAnnotation.class) == paragraphId) {
paragraphBeginToken = currSentence.get(CoreAnnotations.TokenBeginAnnotation.class);
} else {
break;
}
}
return paragraphBeginToken;
}
private static int getParagraphEndToken(CoreMap sentence, List<CoreMap> sentences) {
int quoteParagraphId = sentence.get(CoreAnnotations.ParagraphIndexAnnotation.class);
int paragraphEndToken = sentence.get(CoreAnnotations.TokenEndAnnotation.class) - 1;
for (int i = sentence.get(CoreAnnotations.SentenceIndexAnnotation.class); i < sentences.size(); i++) {
CoreMap currSentence = sentences.get(i);
if (currSentence.get(CoreAnnotations.ParagraphIndexAnnotation.class) == quoteParagraphId) {
paragraphEndToken = currSentence.get(CoreAnnotations.TokenEndAnnotation.class) - 1;
} else {
break;
}
}
return paragraphEndToken;
}
private static Map<Integer, List<CoreMap>> getQuotesInParagraph(Annotation doc) {
List<CoreMap> quotes = doc.get(CoreAnnotations.QuotationsAnnotation.class);
List<CoreMap> sentences = doc.get(CoreAnnotations.SentencesAnnotation.class);
Map<Integer, List<CoreMap>> paragraphToQuotes = new HashMap<>();
for(CoreMap quote : quotes) {
CoreMap sentence = sentences.get(quote.get(CoreAnnotations.SentenceBeginAnnotation.class));
paragraphToQuotes.putIfAbsent(sentence.get(CoreAnnotations.ParagraphIndexAnnotation.class), new ArrayList<>());
paragraphToQuotes.get(sentence.get(CoreAnnotations.ParagraphIndexAnnotation.class)).add(quote);
}
return paragraphToQuotes;
}
//assumption: exclusion list is non-overlapping, ordered
private static List<Pair<Integer, Integer>> getRangeExclusion(Pair<Integer, Integer> originalRange, List<Pair<Integer, Integer>> exclusionList) {
List<Pair<Integer, Integer>> leftoverRanges = new ArrayList<>();
Pair<Integer, Integer> currRange = originalRange;
for (Pair<Integer, Integer> exRange : exclusionList) {
Pair<Integer, Integer> leftRange = new Pair<>(currRange.first, exRange.first - 1);
if (leftRange.second - leftRange.first >= 0) {
leftoverRanges.add(leftRange);
}
if (currRange.second.equals(exRange.second)) {
break;
} else {
currRange = new Pair<>(exRange.second + 1, currRange.second);
}
}
if(currRange.first < currRange.second)
leftoverRanges.add(currRange);
return leftoverRanges;
}
public static class FeaturesData {
public GeneralDataset<String, String> dataset;
public Map<Integer, Pair<Integer, Integer>> mapQuoteToDataRange;
public Map<Integer, Sieve.MentionData> mapDatumToMention;
public FeaturesData(Map<Integer, Pair<Integer, Integer>> mapQuoteToDataRange, Map<Integer, Sieve.MentionData> mapDatumToMention, GeneralDataset<String, String> dataset) {
this.mapQuoteToDataRange = mapQuoteToDataRange;
this.mapDatumToMention = mapDatumToMention;
this.dataset = dataset;
}
}
public static class SieveData {
final Annotation doc;
final Map<String, List<Person>> characterMap;
final Map<Integer,String> pronounCorefMap;
final Set<String> animacyList;
public SieveData(Annotation doc,
Map<String, List<Person>> characterMap,
Map<Integer,String> pronounCorefMap,
Set<String> animacyList) {
this.doc = doc;
this.characterMap = characterMap;
this.pronounCorefMap = pronounCorefMap;
this.animacyList = animacyList;
}
}
//goldList null if not training
public static FeaturesData featurize(SieveData sd, List<XMLToAnnotation.GoldQuoteInfo> goldList, boolean isTraining) {
Annotation doc = sd.doc;
// use to access functions
Sieve sieve = new Sieve(doc, sd.characterMap, sd.pronounCorefMap, sd.animacyList);
List<CoreMap> quotes = doc.get(CoreAnnotations.QuotationsAnnotation.class);
List<CoreMap> sentences = doc.get(CoreAnnotations.SentencesAnnotation.class);
List<CoreLabel> tokens = doc.get(CoreAnnotations.TokensAnnotation.class);
Map<Integer, List<CoreMap>> paragraphToQuotes = getQuotesInParagraph(doc);
GeneralDataset<String, String> dataset = new RVFDataset<>();
//necessary for 'ScoreBestMention'
Map<Integer, Pair<Integer, Integer>> mapQuoteToDataRange = new HashMap<>(); //maps quote to corresponding indices in the dataset
Map<Integer, Sieve.MentionData> mapDatumToMention = new HashMap<>();
if(isTraining && goldList.size() != quotes.size()) {
throw new RuntimeException("Gold Quote List size doesn't match quote list size!");
}
for (int quoteIdx = 0; quoteIdx < quotes.size(); quoteIdx++) {
int initialSize = dataset.size();
CoreMap quote = quotes.get(quoteIdx);
XMLToAnnotation.GoldQuoteInfo gold = null;
if(isTraining) {
gold = goldList.get(quoteIdx);
if (gold.speaker.isEmpty()) {
continue;
}
}
CoreMap quoteFirstSentence = sentences.get(quote.get(CoreAnnotations.SentenceBeginAnnotation.class));
Pair<Integer, Integer> quoteRun = new Pair<>(quote.get(CoreAnnotations.TokenBeginAnnotation.class), quote.get(CoreAnnotations.TokenEndAnnotation.class));
// int quoteChapter = quoteFirstSentence.get(ChapterAnnotator.ChapterAnnotation.class);
int quoteParagraphIdx = quoteFirstSentence.get(CoreAnnotations.ParagraphIndexAnnotation.class);
//add mentions before quote up to the previous paragraph
int rightValue = quoteRun.first - 1;
int leftValue = quoteRun.first - 1;
//move left value to be the first token idx of the previous paragraph
for(int sentIdx = quote.get(CoreAnnotations.SentenceBeginAnnotation.class); sentIdx >= 0; sentIdx--) {
CoreMap sentence = sentences.get(sentIdx);
if(sentence.get(CoreAnnotations.ParagraphIndexAnnotation.class) == quoteParagraphIdx) {
continue;
}
if(sentence.get(CoreAnnotations.ParagraphIndexAnnotation.class) == quoteParagraphIdx - 1) { //quoteParagraphIdx - 1 for this and prev
leftValue = sentence.get(CoreAnnotations.TokenBeginAnnotation.class);
}
else {
break;
}
}
List<Sieve.MentionData> mentionsInPreviousParagraph = new ArrayList<>();
if (leftValue > -1 && rightValue > -1)
mentionsInPreviousParagraph = eliminateDuplicates(sieve.findClosestMentionsInSpanBackward(new Pair<>(leftValue, rightValue)));
//mentions in next paragraph
leftValue = quoteRun.second + 1;
rightValue = quoteRun.second + 1;
for(int sentIdx = quote.get(CoreAnnotations.SentenceEndAnnotation.class); sentIdx < sentences.size(); sentIdx++) {
CoreMap sentence = sentences.get(sentIdx);
// if(sentence.get(CoreAnnotations.ParagraphIndexAnnotation.class) == quoteParagraphIdx) {
// continue;
// }
if(sentence.get(CoreAnnotations.ParagraphIndexAnnotation.class) == quoteParagraphIdx ) { //quoteParagraphIdx + 1
rightValue = sentence.get(CoreAnnotations.TokenEndAnnotation.class) - 1;
}
else {
break;
}
}
List<Sieve.MentionData> mentionsInNextParagraph = new ArrayList<>();
if (leftValue < tokens.size() && rightValue < tokens.size())
mentionsInNextParagraph = sieve.findClosestMentionsInSpanForward(new Pair<>(leftValue, rightValue));
List<Sieve.MentionData> candidateMentions = new ArrayList<>();
candidateMentions.addAll(mentionsInPreviousParagraph);
candidateMentions.addAll(mentionsInNextParagraph);
// System.out.println(candidateMentions.size());
int rankedDistance = 1;
int numBackwards = mentionsInPreviousParagraph.size();
for (Sieve.MentionData mention : candidateMentions) {
// List<CoreLabel> mentionCandidateTokens = doc.get(CoreAnnotations.TokensAnnotation.class).subList(mention.begin, mention.end + 1);
// CoreMap mentionCandidateSentence<SUF>
// if (mentionCandidateSentence.get(ChapterAnnotator.ChapterAnnotation.class) != quoteChapter) {
// continue;
// }
Counter<String> features = new ClassicCounter<>();
boolean isLeft = true;
int distance = quoteRun.first - mention.end;
if (distance < 0) {
isLeft = false;
distance = mention.begin - quoteRun.second;
}
if (distance < 0) {
continue; //disregard mention-in-quote cases.
}
features.setCount("wordDistance", distance);
List<CoreLabel> betweenTokens;
if (isLeft) {
betweenTokens = tokens.subList(mention.end + 1, quoteRun.first);
} else {
betweenTokens = tokens.subList(quoteRun.second + 1, mention.begin);
}
//Punctuation in between
for (CoreLabel token : betweenTokens) {
if (punctuation.contains(token.word())) {
features.setCount("punctuationPresence:" + token.word(), 1);
}
}
// number of mentions away
features.setCount("rankedDistance", rankedDistance);
rankedDistance++;
if (rankedDistance == numBackwards) {//reset for the forward
rankedDistance = 1;
}
// int quoteParagraphIdx = quoteFirstSentence.get(CoreAnnotations.ParagraphIndexAnnotation.class);
//third distance: # of paragraphs away
int mentionParagraphIdx = -1;
CoreMap sentenceInMentionParagraph = null;
int quoteParagraphBeginToken = getParagraphBeginToken(quoteFirstSentence, sentences);
int quoteParagraphEndToken = getParagraphEndToken(quoteFirstSentence, sentences);
if (isLeft) {
if (quoteParagraphBeginToken <= mention.begin && mention.end <= quoteParagraphEndToken) {
features.setCount("leftParagraphDistance", 0);
mentionParagraphIdx = quoteParagraphIdx;
sentenceInMentionParagraph = quoteFirstSentence;
} else {
int paragraphDistance = 1;
int currParagraphIdx = quoteParagraphIdx - paragraphDistance;
CoreMap currSentence = quoteFirstSentence;
int currSentenceIdx = currSentence.get(CoreAnnotations.SentenceIndexAnnotation.class);
while (currParagraphIdx >= 0) {
// Paragraph prevParagraph = paragraphs.get(prevParagraphIndex);
//extract begin and end tokens of
while (currSentence.get(CoreAnnotations.ParagraphIndexAnnotation.class) != currParagraphIdx) {
currSentenceIdx--;
currSentence = sentences.get(currSentenceIdx);
}
int prevParagraphBegin = getParagraphBeginToken(currSentence, sentences);
int prevParagraphEnd = getParagraphEndToken(currSentence, sentences);
if (prevParagraphBegin <= mention.begin && mention.end <= prevParagraphEnd) {
mentionParagraphIdx = currParagraphIdx;
sentenceInMentionParagraph = currSentence;
features.setCount("leftParagraphDistance", paragraphDistance);
if (paragraphDistance % 2 == 0)
features.setCount("leftParagraphDistanceEven", 1);
break;
}
paragraphDistance++;
currParagraphIdx--;
}
}
} else //right
{
if (quoteParagraphBeginToken <= mention.begin && mention.end <= quoteParagraphEndToken) {
features.setCount("rightParagraphDistance", 0);
sentenceInMentionParagraph = quoteFirstSentence;
mentionParagraphIdx = quoteParagraphIdx;
} else {
int paragraphDistance = 1;
int nextParagraphIndex = quoteParagraphIdx + paragraphDistance;
CoreMap currSentence = quoteFirstSentence;
int currSentenceIdx = currSentence.get(CoreAnnotations.SentenceIndexAnnotation.class);
while (currSentenceIdx < sentences.size()) {
while (currSentence.get(CoreAnnotations.ParagraphIndexAnnotation.class) != nextParagraphIndex) {
currSentenceIdx++;
currSentence = sentences.get(currSentenceIdx);
}
int nextParagraphBegin = getParagraphBeginToken(currSentence, sentences);
int nextParagraphEnd = getParagraphEndToken(currSentence, sentences);
if (nextParagraphBegin <= mention.begin && mention.end <= nextParagraphEnd) {
sentenceInMentionParagraph = currSentence;
features.setCount("rightParagraphDistance", paragraphDistance);
break;
}
paragraphDistance++;
nextParagraphIndex++;
}
}
}
//2. mention features
if (sentenceInMentionParagraph != null) {
int mentionParagraphBegin = getParagraphBeginToken(sentenceInMentionParagraph, sentences);
int mentionParagraphEnd = getParagraphEndToken(sentenceInMentionParagraph, sentences);
if (!(mentionParagraphBegin == quoteParagraphBeginToken && mentionParagraphEnd == quoteParagraphEndToken)) {
List<CoreMap> quotesInMentionParagraph = paragraphToQuotes.getOrDefault(mentionParagraphIdx, new ArrayList<>());
Pair<ArrayList<String>, ArrayList<Pair<Integer, Integer>>> namesInMentionParagraph = sieve.scanForNames(new Pair<>(mentionParagraphBegin, mentionParagraphEnd));
features.setCount("quotesInMentionParagraph", quotesInMentionParagraph.size());
features.setCount("wordsInMentionParagraph", mentionParagraphEnd - mentionParagraphBegin + 1);
features.setCount("namesInMentionParagraph", namesInMentionParagraph.first.size());
//mention ordering in paragraph it is in
for (int i = 0; i < namesInMentionParagraph.second.size(); i++) {
if (ExtractQuotesUtil.rangeContains(new Pair<>(mention.begin, mention.end), namesInMentionParagraph.second.get(i)))
features.setCount("orderInParagraph", i);
}
//if mention paragraph is all one quote
if (quotesInMentionParagraph.size() == 1) {
CoreMap qInMentionParagraph = quotesInMentionParagraph.get(0);
if (qInMentionParagraph.get(CoreAnnotations.TokenBeginAnnotation.class) == mentionParagraphBegin && qInMentionParagraph.get(CoreAnnotations.TokenEndAnnotation.class) - 1 == mentionParagraphEnd) {
features.setCount("mentionParagraphIsInConversation", 1);
} else {
features.setCount("mentionParagraphIsInConversation", -1);
}
}
for (CoreMap quoteIMP : quotesInMentionParagraph) {
if (ExtractQuotesUtil.rangeContains(new Pair<>(quoteIMP.get(CoreAnnotations.TokenBeginAnnotation.class), quoteIMP.get(CoreAnnotations.TokenEndAnnotation.class) - 1), new Pair<>(mention.begin, mention.end)))
features.setCount("mentionInQuote", 1);
}
if (features.getCount("mentionInQuote") != 1)
features.setCount("mentionNotInQuote", 1);
}
}
// nearby word syntax types...make sure to check if there are previous or next words
// or there will be an array index crash
if (mention.begin > 0) {
CoreLabel prevWord = tokens.get(mention.begin - 1);
features.setCount("prevWordType:" + prevWord.tag(), 1);
if (punctuationForFeatures.contains(prevWord.lemma()))
features.setCount("prevWordPunct:" + prevWord.lemma(), 1);
}
if (mention.end+1 < tokens.size()) {
CoreLabel nextWord = tokens.get(mention.end + 1);
features.setCount("nextWordType:" + nextWord.tag(), 1);
if (punctuationForFeatures.contains(nextWord.lemma()))
features.setCount("nextWordPunct:" + nextWord.lemma(), 1);
}
// features.setCount("prevAndNext:" + prevWord.tag()+ ";" + nextWord.tag(), 1);
//quote paragraph features
List<CoreMap> quotesInQuoteParagraph = paragraphToQuotes.get(quoteParagraphIdx);
features.setCount("QuotesInQuoteParagraph", quotesInQuoteParagraph.size());
features.setCount("WordsInQuoteParagraph", quoteParagraphEndToken - quoteParagraphBeginToken + 1);
features.setCount("NamesInQuoteParagraph", sieve.scanForNames(new Pair<>(quoteParagraphBeginToken, quoteParagraphEndToken)).first.size());
//quote features
features.setCount("quoteLength", quote.get(CoreAnnotations.TokenEndAnnotation.class) - quote.get(CoreAnnotations.TokenBeginAnnotation.class) + 1);
for (int i = 0; i < quotesInQuoteParagraph.size(); i++) {
if (quotesInQuoteParagraph.get(i).equals(quote)) {
features.setCount("quotePosition", i + 1);
}
}
if (features.getCount("quotePosition") == 0)
throw new RuntimeException("Check this (equality not working)");
Pair<ArrayList<String>, ArrayList<Pair<Integer, Integer>>> namesData = sieve.scanForNames(quoteRun);
for (String name : namesData.first) {
features.setCount("charactersInQuote:" + sd.characterMap.get(name).get(0).name, 1);
}
//if quote encompasses entire paragraph
if (quote.get(CoreAnnotations.TokenBeginAnnotation.class) == quoteParagraphBeginToken && quote.get(CoreAnnotations.TokenEndAnnotation.class) == quoteParagraphEndToken) {
features.setCount("isImplicitSpeaker", 1);
} else {
features.setCount("isImplicitSpeaker", -1);
}
//Vocative detection
if (mention.type.equals("name")) {
List<Person> pList = sd.characterMap.get(sieve.tokenRangeToString(new Pair<>(mention.begin, mention.end)));
Person p = null;
if (pList != null)
p = pList.get(0);
else {
Pair<ArrayList<String>, ArrayList<Pair<Integer,Integer>>> scanForNamesResultPair
= sieve.scanForNames(new Pair<>(mention.begin, mention.end));
if (scanForNamesResultPair.first.size() != 0) {
String scanForNamesResultString = scanForNamesResultPair.first.get(0);
if (scanForNamesResultString != null && sd.characterMap.containsKey(scanForNamesResultString)) {
p = sd.characterMap.get(scanForNamesResultString).get(0);
}
}
}
if (p != null) {
for (String name : namesData.first) {
if (p.aliases.contains(name))
features.setCount("nameInQuote", 1);
}
if (quoteParagraphIdx > 0) {
// Paragraph prevParagraph = paragraphs.get(ex.paragraph_idx - 1);
List<CoreMap> quotesInPrevParagraph = paragraphToQuotes.getOrDefault(quoteParagraphIdx - 1, new ArrayList<>());
List<Pair<Integer, Integer>> exclusionList = new ArrayList<>();
for (CoreMap quoteIPP : quotesInPrevParagraph) {
Pair<Integer, Integer> quoteRange = new Pair<>(quoteIPP.get(CoreAnnotations.TokenBeginAnnotation.class), quoteIPP.get(CoreAnnotations.TokenEndAnnotation.class));
exclusionList.add(quoteRange);
for (String name : sieve.scanForNames(quoteRange).first) {
if (p.aliases.contains(name))
features.setCount("nameInPrevParagraphQuote", 1);
}
}
int sentenceIdx = quoteFirstSentence.get(CoreAnnotations.SentenceIndexAnnotation.class);
CoreMap sentenceInPrevParagraph = null;
for (int i = sentenceIdx - 1; i >= 0; i--) {
CoreMap currSentence = sentences.get(i);
if (currSentence.get(CoreAnnotations.ParagraphIndexAnnotation.class) == quoteParagraphIdx - 1) {
sentenceInPrevParagraph = currSentence;
break;
}
}
int prevParagraphBegin = getParagraphBeginToken(sentenceInPrevParagraph, sentences);
int prevParagraphEnd = getParagraphEndToken(sentenceInPrevParagraph, sentences);
List<Pair<Integer, Integer>> prevParagraphNonQuoteRuns = getRangeExclusion(new Pair<>(prevParagraphBegin, prevParagraphEnd), exclusionList);
for (Pair<Integer, Integer> nonQuoteRange : prevParagraphNonQuoteRuns) {
for (String name : sieve.scanForNames(nonQuoteRange).first) {
if (p.aliases.contains(name))
features.setCount("nameInPrevParagraphNonQuote", 1);
}
}
}
}
}
if (isTraining) {
if (QuoteAttributionUtils.rangeContains(new Pair<>(gold.mentionStartTokenIndex, gold.mentionEndTokenIndex), new Pair<>(mention.begin, mention.end))) {
RVFDatum<String, String> datum = new RVFDatum<>(features, "isMention");
datum.setID(Integer.toString(dataset.size()));
mapDatumToMention.put(dataset.size(), mention);
dataset.add(datum);
} else {
RVFDatum<String, String> datum = new RVFDatum<>(features, "isNotMention");
datum.setID(Integer.toString(dataset.size()));
dataset.add(datum);
mapDatumToMention.put(dataset.size(), mention);
}
}
else {
RVFDatum<String, String> datum = new RVFDatum<>(features, "none");
datum.setID(Integer.toString(dataset.size()));
mapDatumToMention.put(dataset.size(), mention);
dataset.add(datum);
}
}
mapQuoteToDataRange.put(quoteIdx, new Pair<>(initialSize, dataset.size() - 1));
}
return new FeaturesData(mapQuoteToDataRange, mapDatumToMention, dataset);
}
//TODO: potential bug in previous iteration: not implementing order reversal in eliminateDuplicates
private static List<Sieve.MentionData> eliminateDuplicates(List<Sieve.MentionData> mentionCandidates)
{
List<Sieve.MentionData> newList = new ArrayList<>();
Set<String> seenText = new HashSet<>();
for (Sieve.MentionData mentionCandidate : mentionCandidates) {
String text = mentionCandidate.text;
if (!seenText.contains(text) || mentionCandidate.type.equals("Pronoun"))
newList.add(mentionCandidate);
seenText.add(text);
}
return newList;
}
// todo [cdm Nov 2020: Isn't there already a method like this for Classifier?
public static void outputModel(String fileName, Classifier<String, String> clf) {
try {
FileOutputStream fo = new FileOutputStream(fileName);
ObjectOutputStream so = new ObjectOutputStream(fo);
so.writeObject(clf);
so.flush();
so.close();
} catch (IOException e) {
e.printStackTrace();
}
}
public static void train(XMLToAnnotation.Data data, Properties props) {
Map<String, List<Person>> characterMap = QuoteAttributionUtils.readPersonMap(props.getProperty("charactersPath"));
Map<Integer,String> pronounCorefMap =
QuoteAttributionUtils.setupCoref(props.getProperty("booknlpCoref"), characterMap, data.doc);
Set<String> animacyList = QuoteAttributionUtils.readAnimacyList(QuoteAttributionAnnotator.ANIMACY_WORD_LIST);
FeaturesData fd = featurize(new SieveData(data.doc, characterMap, pronounCorefMap, animacyList), data.goldList, true);
ExtractQuotesClassifier quotesClassifier = new ExtractQuotesClassifier(fd.dataset);
outputModel(props.getProperty("modelPath"), quotesClassifier.getClassifier());
}
public static void main(String[] args) throws Exception {
String home = "/home/mjfang/action_grammars/";
// make the first argument one for a base directory
String specificFile = "1PPDevUncollapsed.props";
if (args.length >= 1) {
home = args[0];
}
if (args.length >= 2) {
specificFile = args[1];
}
System.out.println("Base directory: " + home);
Properties props = StringUtils.propFileToProperties(home + "ExtractQuotesXMLScripts/" + specificFile);
XMLToAnnotation.Data data = XMLToAnnotation.readXMLFormat(props.getProperty("file"));
Properties propsPara = new Properties();
propsPara.setProperty("paragraphBreak", "one");
ParagraphAnnotator pa = new ParagraphAnnotator(propsPara, false);
pa.annotate(data.doc);
Properties annotatorProps = new Properties();
annotatorProps.setProperty("charactersPath", props.getProperty("charactersPath")); //"characterList.txt"
annotatorProps.setProperty("booknlpCoref", props.getProperty("booknlpCoref"));
annotatorProps.setProperty("modelPath", props.getProperty("modelPath"));//"model.ser");
QuoteAttributionAnnotator qaa = new QuoteAttributionAnnotator(annotatorProps);
qaa.annotate(data.doc);
ChapterAnnotator ca = new ChapterAnnotator();
ca.annotate(data.doc);
train(data, annotatorProps);
}
}
|
211539_21 | package water.api;
import dontweave.gson.Gson;
import dontweave.gson.GsonBuilder;
import dontweave.gson.JsonElement;
import dontweave.gson.JsonObject;
import hex.VarImp;
import hex.deeplearning.DeepLearning;
import hex.drf.DRF;
import hex.gbm.GBM;
import hex.glm.GLM2;
import hex.glm.GLMModel;
import hex.singlenoderf.SpeeDRF;
import hex.nb.NaiveBayes;
import hex.nb.NBModel;
import org.apache.commons.math3.util.Pair;
import water.*;
import water.api.Frames.FrameSummary;
import water.fvec.Frame;
import java.util.*;
import static water.util.ParamUtils.*;
public class Models extends Request2 {
///////////////////////
// Request2 boilerplate
///////////////////////
static final int API_WEAVER=1; // This file has auto-gen'd doc & json fields
static public DocGen.FieldDoc[] DOC_FIELDS; // Initialized from Auto-Gen code.
// This Request supports the HTML 'GET' command, and this is the help text
// for GET.
static final String DOC_GET = "Return the list of models.";
public static String link(Key k, String content){
return "<a href='/2/Models'>" + content + "</a>";
}
////////////////
// Query params:
////////////////
@API(help="An existing H2O Model key.", required=false, filter=Default.class)
Model key = null;
@API(help="Find Frames that are compatible with the Model.", required=false, filter=Default.class)
boolean find_compatible_frames = false;
@API(help="An existing H2O Frame key to score with the Model which is specified by the key parameter.", required=false, filter=Default.class)
Frame score_frame = null;
@API(help="Should we adapt() the Frame to the Model?", required=false, filter=Default.class)
boolean adapt = true;
/////////////////
// The Code (tm):
/////////////////
public static final Gson gson = new GsonBuilder().serializeSpecialFloatingPointValues().setPrettyPrinting().create();
public static final class ModelSummary {
public String[] warnings = new String[0];
public String model_algorithm = "unknown";
public Model.ModelCategory model_category = Model.ModelCategory.Unknown;
public Job.JobState state = Job.JobState.CREATED;
public String id = null;
public String key = null;
public long creation_epoch_time_millis = -1;
public long training_duration_in_ms = -1;
public List<String> input_column_names = new ArrayList<String>();
public String response_column_name = "unknown";
public Map critical_parameters = new HashMap<String, Object>();
public Map secondary_parameters = new HashMap<String, Object>();
public Map expert_parameters = new HashMap<String, Object>();
public Map variable_importances = null;
public Set<String> compatible_frames = new HashSet<String>();
}
private static Map whitelistJsonObject(JsonObject unfiltered, Set<String> whitelist) {
// If we create a new JsonObject here and serialize it the key/value pairs are inside
// a superflouous "members" object, so create a Map instead.
JsonObject filtered = new JsonObject();
Set<Map.Entry<String,JsonElement>> entries = unfiltered.entrySet();
for (Map.Entry<String,JsonElement> entry : entries) {
String key = entry.getKey();
if (whitelist.contains(key))
filtered.add(key, entry.getValue());
}
return gson.fromJson(gson.toJson(filtered), Map.class);
}
/**
* Fetch all the Frames so we can see if they are compatible with our Model(s).
*/
private Pair<Map<String, Frame>, Map<String, Set<String>>> fetchFrames() {
Map<String, Frame> all_frames = null;
Map<String, Set<String>> all_frames_cols = null;
if (this.find_compatible_frames) {
// caches for this request
all_frames = Frames.fetchAll();
all_frames_cols = new TreeMap<String, Set<String>>();
for (Map.Entry<String, Frame> entry : all_frames.entrySet()) {
all_frames_cols.put(entry.getKey(), new TreeSet<String>(Arrays.asList(entry.getValue()._names)));
}
}
return new Pair<Map<String, Frame>, Map<String, Set<String>>>(all_frames, all_frames_cols);
}
private static Map<String, Frame> findCompatibleFrames(Model model, Map<String, Frame> all_frames, Map<String, Set<String>> all_frames_cols) {
Map<String, Frame> compatible_frames = new TreeMap<String, Frame>();
Set<String> model_column_names = new HashSet(Arrays.asList(model._names));
for (Map.Entry<String, Set<String>> entry : all_frames_cols.entrySet()) {
Set<String> frame_cols = entry.getValue();
if (frame_cols.containsAll(model_column_names)) {
/// See if adapt throws an exception or not.
try {
Frame frame = all_frames.get(entry.getKey());
Frame[] outputs = model.adapt(frame, false); // TODO: this does too much work; write canAdapt()
Frame adapted = outputs[0];
Frame trash = outputs[1];
// adapted.delete(); // TODO: shouldn't we clean up adapted vecs? But we can't delete() the frame as a whole. . .
trash.delete();
// A-Ok
compatible_frames.put(entry.getKey(), frame);
}
catch (Exception e) {
// skip
}
}
}
return compatible_frames;
}
public static Map<String, ModelSummary> generateModelSummaries(Set<String>keys, Map<String, Model> models, boolean find_compatible_frames, Map<String, Frame> all_frames, Map<String, Set<String>> all_frames_cols) {
Map<String, ModelSummary> modelSummaries = new TreeMap<String, ModelSummary>();
if (null == keys) {
keys = models.keySet();
}
for (String key : keys) {
ModelSummary summary = new ModelSummary();
Models.summarizeAndEnhanceModel(summary, models.get(key), find_compatible_frames, all_frames, all_frames_cols);
modelSummaries.put(key, summary);
}
return modelSummaries;
}
/**
* Summarize subclasses of water.Model.
*/
protected static void summarizeAndEnhanceModel(ModelSummary summary, Model model, boolean find_compatible_frames, Map<String, Frame> all_frames, Map<String, Set<String>> all_frames_cols) {
if (model instanceof GLMModel) {
summarizeGLMModel(summary, (GLMModel) model);
} else if (model instanceof DRF.DRFModel) {
summarizeDRFModel(summary, (DRF.DRFModel) model);
} else if (model instanceof hex.deeplearning.DeepLearningModel) {
summarizeDeepLearningModel(summary, (hex.deeplearning.DeepLearningModel) model);
} else if (model instanceof hex.gbm.GBM.GBMModel) {
summarizeGBMModel(summary, (hex.gbm.GBM.GBMModel) model);
} else if (model instanceof hex.singlenoderf.SpeeDRFModel) {
summarizeSpeeDRFModel(summary, (hex.singlenoderf.SpeeDRFModel) model);
} else if (model instanceof NBModel) {
summarizeNBModel(summary, (NBModel) model);
} else {
// catch-all
summarizeModelCommonFields(summary, model);
}
if (find_compatible_frames) {
Map<String, Frame> compatible_frames = findCompatibleFrames(model, all_frames, all_frames_cols);
summary.compatible_frames = compatible_frames.keySet();
}
}
/**
* Summarize fields which are generic to water.Model.
*/
private static void summarizeModelCommonFields(ModelSummary summary, Model model) {
String[] names = model._names;
summary.warnings = model.warnings;
summary.model_algorithm = model.getClass().toString(); // fallback only
// model.job() is a local copy; on multinode clusters we need to get from the DKV
Key job_key = ((Job)model.job()).self();
if (null == job_key) throw H2O.fail("Null job key for model: " + (model == null ? "null model" : model._key)); // later when we deserialize models from disk we'll relax this constraint
Job job = DKV.get(job_key).get();
summary.state = job.getState();
summary.model_category = model.getModelCategory();
UniqueId unique_id = model.getUniqueId();
summary.id = unique_id.getId();
summary.key = unique_id.getKey();
summary.creation_epoch_time_millis = unique_id.getCreationEpochTimeMillis();
summary.training_duration_in_ms = model.training_duration_in_ms;
summary.response_column_name = names[names.length - 1];
for (int i = 0; i < names.length - 1; i++)
summary.input_column_names.add(names[i]);
// Ugh.
VarImp vi = model.varimp();
if (null != vi) {
summary.variable_importances = new LinkedHashMap();
summary.variable_importances.put("varimp", vi.varimp);
summary.variable_importances.put("variables", vi.getVariables());
summary.variable_importances.put("method", vi.method);
summary.variable_importances.put("max_var", vi.max_var);
summary.variable_importances.put("scaled", vi.scaled());
}
}
/******
* GLM2
******/
private static final Set<String> GLM_critical_params = getCriticalParamNames(GLM2.DOC_FIELDS);
private static final Set<String> GLM_secondary_params = getSecondaryParamNames(GLM2.DOC_FIELDS);
private static final Set<String> GLM_expert_params = getExpertParamNames(GLM2.DOC_FIELDS);
/**
* Summarize fields which are specific to hex.glm.GLMModel.
*/
private static void summarizeGLMModel(ModelSummary summary, hex.glm.GLMModel model) {
// add generic fields such as column names
summarizeModelCommonFields(summary, model);
summary.model_algorithm = "GLM";
JsonObject all_params = (model.get_params()).toJSON();
summary.critical_parameters = whitelistJsonObject(all_params, GLM_critical_params);
summary.secondary_parameters = whitelistJsonObject(all_params, GLM_secondary_params);
summary.expert_parameters = whitelistJsonObject(all_params, GLM_expert_params);
}
/******
* DRF
******/
private static final Set<String> DRF_critical_params = getCriticalParamNames(DRF.DOC_FIELDS);
private static final Set<String> DRF_secondary_params = getSecondaryParamNames(DRF.DOC_FIELDS);
private static final Set<String> DRF_expert_params = getExpertParamNames(DRF.DOC_FIELDS);
/**
* Summarize fields which are specific to hex.drf.DRF.DRFModel.
*/
private static void summarizeDRFModel(ModelSummary summary, hex.drf.DRF.DRFModel model) {
// add generic fields such as column names
summarizeModelCommonFields(summary, model);
summary.model_algorithm = "BigData RF";
JsonObject all_params = (model.get_params()).toJSON();
summary.critical_parameters = whitelistJsonObject(all_params, DRF_critical_params);
summary.secondary_parameters = whitelistJsonObject(all_params, DRF_secondary_params);
summary.expert_parameters = whitelistJsonObject(all_params, DRF_expert_params);
}
/******
* SpeeDRF
******/
private static final Set<String> SpeeDRF_critical_params = getCriticalParamNames(SpeeDRF.DOC_FIELDS);
private static final Set<String> SpeeDRF_secondary_params = getSecondaryParamNames(SpeeDRF.DOC_FIELDS);
private static final Set<String> SpeeDRF_expert_params = getExpertParamNames(SpeeDRF.DOC_FIELDS);
/**
* Summarize fields which are specific to hex.drf.DRF.SpeeDRFModel.
*/
private static void summarizeSpeeDRFModel(ModelSummary summary, hex.singlenoderf.SpeeDRFModel model) {
// add generic fields such as column names
summarizeModelCommonFields(summary, model);
summary.model_algorithm = "Random Forest";
JsonObject all_params = (model.get_params()).toJSON();
summary.critical_parameters = whitelistJsonObject(all_params, SpeeDRF_critical_params);
summary.secondary_parameters = whitelistJsonObject(all_params, SpeeDRF_secondary_params);
summary.expert_parameters = whitelistJsonObject(all_params, SpeeDRF_expert_params);
}
/***************
* DeepLearning
***************/
private static final Set<String> DL_critical_params = getCriticalParamNames(DeepLearning.DOC_FIELDS);
private static final Set<String> DL_secondary_params = getSecondaryParamNames(DeepLearning.DOC_FIELDS);
private static final Set<String> DL_expert_params =getExpertParamNames(DeepLearning.DOC_FIELDS);
/**
* Summarize fields which are specific to hex.deeplearning.DeepLearningModel.
*/
private static void summarizeDeepLearningModel(ModelSummary summary, hex.deeplearning.DeepLearningModel model) {
// add generic fields such as column names
summarizeModelCommonFields(summary, model);
summary.model_algorithm = "DeepLearning";
JsonObject all_params = (model.get_params()).toJSON();
summary.critical_parameters = whitelistJsonObject(all_params, DL_critical_params);
summary.secondary_parameters = whitelistJsonObject(all_params, DL_secondary_params);
summary.expert_parameters = whitelistJsonObject(all_params, DL_expert_params);
}
/******
* GBM
******/
private static final Set<String> GBM_critical_params = getCriticalParamNames(GBM.DOC_FIELDS);
private static final Set<String> GBM_secondary_params = getSecondaryParamNames(GBM.DOC_FIELDS);
private static final Set<String> GBM_expert_params = getExpertParamNames(GBM.DOC_FIELDS);
/**
* Summarize fields which are specific to hex.gbm.GBM.GBMModel.
*/
private static void summarizeGBMModel(ModelSummary summary, hex.gbm.GBM.GBMModel model) {
// add generic fields such as column names
summarizeModelCommonFields(summary, model);
summary.model_algorithm = "GBM";
JsonObject all_params = (model.get_params()).toJSON();
summary.critical_parameters = whitelistJsonObject(all_params, GBM_critical_params);
summary.secondary_parameters = whitelistJsonObject(all_params, GBM_secondary_params);
summary.expert_parameters = whitelistJsonObject(all_params, GBM_expert_params);
}
/******
* NB
******/
private static final Set<String> NB_critical_params = getCriticalParamNames(NaiveBayes.DOC_FIELDS);
private static final Set<String> NB_secondary_params = getSecondaryParamNames(NaiveBayes.DOC_FIELDS);
private static final Set<String> NB_expert_params = getExpertParamNames(NaiveBayes.DOC_FIELDS);
/**
* Summarize fields which are specific to hex.nb.NBModel.
*/
private static void summarizeNBModel(ModelSummary summary, hex.nb.NBModel model) {
// add generic fields such as column names
summarizeModelCommonFields(summary, model);
summary.model_algorithm = "Naive Bayes";
JsonObject all_params = (model.get_params()).toJSON();
summary.critical_parameters = whitelistJsonObject(all_params, NB_critical_params);
summary.secondary_parameters = whitelistJsonObject(all_params, NB_secondary_params);
summary.expert_parameters = whitelistJsonObject(all_params, NB_expert_params);
}
/**
* Fetch all Models from the KV store.
*/
protected Map<String, Model> fetchAll() {
return H2O.KeySnapshot.globalSnapshot().fetchAll(water.Model.class);
}
/**
* Score a frame with the given model.
*/
protected static Response scoreOne(Frame frame, Model score_model, boolean adapt) {
return Frames.scoreOne(frame, score_model);
}
/**
* Fetch all the Models from the KV store, sumamrize and enhance them, and return a map of them.
*/
private Response serveOneOrAll(Map<String, Model> modelsMap) {
// returns empty sets if !this.find_compatible_frames
Pair<Map<String, Frame>, Map<String, Set<String>>> frames_info = fetchFrames();
Map<String, Frame> all_frames = frames_info.getFirst();
Map<String, Set<String>> all_frames_cols = frames_info.getSecond();
Map<String, ModelSummary> modelSummaries = Models.generateModelSummaries(null, modelsMap, find_compatible_frames, all_frames, all_frames_cols);
Map resultsMap = new LinkedHashMap();
resultsMap.put("models", modelSummaries);
// If find_compatible_frames then include a map of the Frame summaries. Should we put this on a separate switch?
if (this.find_compatible_frames) {
Set<String> all_referenced_frames = new TreeSet<String>();
for (Map.Entry<String, ModelSummary> entry: modelSummaries.entrySet()) {
ModelSummary summary = entry.getValue();
all_referenced_frames.addAll(summary.compatible_frames);
}
Map<String, FrameSummary> frameSummaries = Frames.generateFrameSummaries(all_referenced_frames, all_frames, false, null, null);
resultsMap.put("frames", frameSummaries);
}
// TODO: temporary hack to get things going
String json = gson.toJson(resultsMap);
JsonObject result = gson.fromJson(json, JsonElement.class).getAsJsonObject();
return Response.done(result);
}
@Override
protected Response serve() {
if (null == this.key) {
return serveOneOrAll(fetchAll());
} else {
if (null == this.score_frame) {
Model model = this.key;
Map<String, Model> modelsMap = new TreeMap(); // Sort for pretty display and reliable ordering.
modelsMap.put(model._key.toString(), model);
return serveOneOrAll(modelsMap);
} else {
return scoreOne(this.score_frame, this.key, this.adapt);
}
}
} // serve()
}
| stigkj/h2o | src/main/java/water/api/Models.java | 4,767 | /******
* SpeeDRF
******/ | block_comment | nl | package water.api;
import dontweave.gson.Gson;
import dontweave.gson.GsonBuilder;
import dontweave.gson.JsonElement;
import dontweave.gson.JsonObject;
import hex.VarImp;
import hex.deeplearning.DeepLearning;
import hex.drf.DRF;
import hex.gbm.GBM;
import hex.glm.GLM2;
import hex.glm.GLMModel;
import hex.singlenoderf.SpeeDRF;
import hex.nb.NaiveBayes;
import hex.nb.NBModel;
import org.apache.commons.math3.util.Pair;
import water.*;
import water.api.Frames.FrameSummary;
import water.fvec.Frame;
import java.util.*;
import static water.util.ParamUtils.*;
public class Models extends Request2 {
///////////////////////
// Request2 boilerplate
///////////////////////
static final int API_WEAVER=1; // This file has auto-gen'd doc & json fields
static public DocGen.FieldDoc[] DOC_FIELDS; // Initialized from Auto-Gen code.
// This Request supports the HTML 'GET' command, and this is the help text
// for GET.
static final String DOC_GET = "Return the list of models.";
public static String link(Key k, String content){
return "<a href='/2/Models'>" + content + "</a>";
}
////////////////
// Query params:
////////////////
@API(help="An existing H2O Model key.", required=false, filter=Default.class)
Model key = null;
@API(help="Find Frames that are compatible with the Model.", required=false, filter=Default.class)
boolean find_compatible_frames = false;
@API(help="An existing H2O Frame key to score with the Model which is specified by the key parameter.", required=false, filter=Default.class)
Frame score_frame = null;
@API(help="Should we adapt() the Frame to the Model?", required=false, filter=Default.class)
boolean adapt = true;
/////////////////
// The Code (tm):
/////////////////
public static final Gson gson = new GsonBuilder().serializeSpecialFloatingPointValues().setPrettyPrinting().create();
public static final class ModelSummary {
public String[] warnings = new String[0];
public String model_algorithm = "unknown";
public Model.ModelCategory model_category = Model.ModelCategory.Unknown;
public Job.JobState state = Job.JobState.CREATED;
public String id = null;
public String key = null;
public long creation_epoch_time_millis = -1;
public long training_duration_in_ms = -1;
public List<String> input_column_names = new ArrayList<String>();
public String response_column_name = "unknown";
public Map critical_parameters = new HashMap<String, Object>();
public Map secondary_parameters = new HashMap<String, Object>();
public Map expert_parameters = new HashMap<String, Object>();
public Map variable_importances = null;
public Set<String> compatible_frames = new HashSet<String>();
}
private static Map whitelistJsonObject(JsonObject unfiltered, Set<String> whitelist) {
// If we create a new JsonObject here and serialize it the key/value pairs are inside
// a superflouous "members" object, so create a Map instead.
JsonObject filtered = new JsonObject();
Set<Map.Entry<String,JsonElement>> entries = unfiltered.entrySet();
for (Map.Entry<String,JsonElement> entry : entries) {
String key = entry.getKey();
if (whitelist.contains(key))
filtered.add(key, entry.getValue());
}
return gson.fromJson(gson.toJson(filtered), Map.class);
}
/**
* Fetch all the Frames so we can see if they are compatible with our Model(s).
*/
private Pair<Map<String, Frame>, Map<String, Set<String>>> fetchFrames() {
Map<String, Frame> all_frames = null;
Map<String, Set<String>> all_frames_cols = null;
if (this.find_compatible_frames) {
// caches for this request
all_frames = Frames.fetchAll();
all_frames_cols = new TreeMap<String, Set<String>>();
for (Map.Entry<String, Frame> entry : all_frames.entrySet()) {
all_frames_cols.put(entry.getKey(), new TreeSet<String>(Arrays.asList(entry.getValue()._names)));
}
}
return new Pair<Map<String, Frame>, Map<String, Set<String>>>(all_frames, all_frames_cols);
}
private static Map<String, Frame> findCompatibleFrames(Model model, Map<String, Frame> all_frames, Map<String, Set<String>> all_frames_cols) {
Map<String, Frame> compatible_frames = new TreeMap<String, Frame>();
Set<String> model_column_names = new HashSet(Arrays.asList(model._names));
for (Map.Entry<String, Set<String>> entry : all_frames_cols.entrySet()) {
Set<String> frame_cols = entry.getValue();
if (frame_cols.containsAll(model_column_names)) {
/// See if adapt throws an exception or not.
try {
Frame frame = all_frames.get(entry.getKey());
Frame[] outputs = model.adapt(frame, false); // TODO: this does too much work; write canAdapt()
Frame adapted = outputs[0];
Frame trash = outputs[1];
// adapted.delete(); // TODO: shouldn't we clean up adapted vecs? But we can't delete() the frame as a whole. . .
trash.delete();
// A-Ok
compatible_frames.put(entry.getKey(), frame);
}
catch (Exception e) {
// skip
}
}
}
return compatible_frames;
}
public static Map<String, ModelSummary> generateModelSummaries(Set<String>keys, Map<String, Model> models, boolean find_compatible_frames, Map<String, Frame> all_frames, Map<String, Set<String>> all_frames_cols) {
Map<String, ModelSummary> modelSummaries = new TreeMap<String, ModelSummary>();
if (null == keys) {
keys = models.keySet();
}
for (String key : keys) {
ModelSummary summary = new ModelSummary();
Models.summarizeAndEnhanceModel(summary, models.get(key), find_compatible_frames, all_frames, all_frames_cols);
modelSummaries.put(key, summary);
}
return modelSummaries;
}
/**
* Summarize subclasses of water.Model.
*/
protected static void summarizeAndEnhanceModel(ModelSummary summary, Model model, boolean find_compatible_frames, Map<String, Frame> all_frames, Map<String, Set<String>> all_frames_cols) {
if (model instanceof GLMModel) {
summarizeGLMModel(summary, (GLMModel) model);
} else if (model instanceof DRF.DRFModel) {
summarizeDRFModel(summary, (DRF.DRFModel) model);
} else if (model instanceof hex.deeplearning.DeepLearningModel) {
summarizeDeepLearningModel(summary, (hex.deeplearning.DeepLearningModel) model);
} else if (model instanceof hex.gbm.GBM.GBMModel) {
summarizeGBMModel(summary, (hex.gbm.GBM.GBMModel) model);
} else if (model instanceof hex.singlenoderf.SpeeDRFModel) {
summarizeSpeeDRFModel(summary, (hex.singlenoderf.SpeeDRFModel) model);
} else if (model instanceof NBModel) {
summarizeNBModel(summary, (NBModel) model);
} else {
// catch-all
summarizeModelCommonFields(summary, model);
}
if (find_compatible_frames) {
Map<String, Frame> compatible_frames = findCompatibleFrames(model, all_frames, all_frames_cols);
summary.compatible_frames = compatible_frames.keySet();
}
}
/**
* Summarize fields which are generic to water.Model.
*/
private static void summarizeModelCommonFields(ModelSummary summary, Model model) {
String[] names = model._names;
summary.warnings = model.warnings;
summary.model_algorithm = model.getClass().toString(); // fallback only
// model.job() is a local copy; on multinode clusters we need to get from the DKV
Key job_key = ((Job)model.job()).self();
if (null == job_key) throw H2O.fail("Null job key for model: " + (model == null ? "null model" : model._key)); // later when we deserialize models from disk we'll relax this constraint
Job job = DKV.get(job_key).get();
summary.state = job.getState();
summary.model_category = model.getModelCategory();
UniqueId unique_id = model.getUniqueId();
summary.id = unique_id.getId();
summary.key = unique_id.getKey();
summary.creation_epoch_time_millis = unique_id.getCreationEpochTimeMillis();
summary.training_duration_in_ms = model.training_duration_in_ms;
summary.response_column_name = names[names.length - 1];
for (int i = 0; i < names.length - 1; i++)
summary.input_column_names.add(names[i]);
// Ugh.
VarImp vi = model.varimp();
if (null != vi) {
summary.variable_importances = new LinkedHashMap();
summary.variable_importances.put("varimp", vi.varimp);
summary.variable_importances.put("variables", vi.getVariables());
summary.variable_importances.put("method", vi.method);
summary.variable_importances.put("max_var", vi.max_var);
summary.variable_importances.put("scaled", vi.scaled());
}
}
/******
* GLM2
******/
private static final Set<String> GLM_critical_params = getCriticalParamNames(GLM2.DOC_FIELDS);
private static final Set<String> GLM_secondary_params = getSecondaryParamNames(GLM2.DOC_FIELDS);
private static final Set<String> GLM_expert_params = getExpertParamNames(GLM2.DOC_FIELDS);
/**
* Summarize fields which are specific to hex.glm.GLMModel.
*/
private static void summarizeGLMModel(ModelSummary summary, hex.glm.GLMModel model) {
// add generic fields such as column names
summarizeModelCommonFields(summary, model);
summary.model_algorithm = "GLM";
JsonObject all_params = (model.get_params()).toJSON();
summary.critical_parameters = whitelistJsonObject(all_params, GLM_critical_params);
summary.secondary_parameters = whitelistJsonObject(all_params, GLM_secondary_params);
summary.expert_parameters = whitelistJsonObject(all_params, GLM_expert_params);
}
/******
* DRF
******/
private static final Set<String> DRF_critical_params = getCriticalParamNames(DRF.DOC_FIELDS);
private static final Set<String> DRF_secondary_params = getSecondaryParamNames(DRF.DOC_FIELDS);
private static final Set<String> DRF_expert_params = getExpertParamNames(DRF.DOC_FIELDS);
/**
* Summarize fields which are specific to hex.drf.DRF.DRFModel.
*/
private static void summarizeDRFModel(ModelSummary summary, hex.drf.DRF.DRFModel model) {
// add generic fields such as column names
summarizeModelCommonFields(summary, model);
summary.model_algorithm = "BigData RF";
JsonObject all_params = (model.get_params()).toJSON();
summary.critical_parameters = whitelistJsonObject(all_params, DRF_critical_params);
summary.secondary_parameters = whitelistJsonObject(all_params, DRF_secondary_params);
summary.expert_parameters = whitelistJsonObject(all_params, DRF_expert_params);
}
/******
* SpeeDRF
<SUF>*/
private static final Set<String> SpeeDRF_critical_params = getCriticalParamNames(SpeeDRF.DOC_FIELDS);
private static final Set<String> SpeeDRF_secondary_params = getSecondaryParamNames(SpeeDRF.DOC_FIELDS);
private static final Set<String> SpeeDRF_expert_params = getExpertParamNames(SpeeDRF.DOC_FIELDS);
/**
* Summarize fields which are specific to hex.drf.DRF.SpeeDRFModel.
*/
private static void summarizeSpeeDRFModel(ModelSummary summary, hex.singlenoderf.SpeeDRFModel model) {
// add generic fields such as column names
summarizeModelCommonFields(summary, model);
summary.model_algorithm = "Random Forest";
JsonObject all_params = (model.get_params()).toJSON();
summary.critical_parameters = whitelistJsonObject(all_params, SpeeDRF_critical_params);
summary.secondary_parameters = whitelistJsonObject(all_params, SpeeDRF_secondary_params);
summary.expert_parameters = whitelistJsonObject(all_params, SpeeDRF_expert_params);
}
/***************
* DeepLearning
***************/
private static final Set<String> DL_critical_params = getCriticalParamNames(DeepLearning.DOC_FIELDS);
private static final Set<String> DL_secondary_params = getSecondaryParamNames(DeepLearning.DOC_FIELDS);
private static final Set<String> DL_expert_params =getExpertParamNames(DeepLearning.DOC_FIELDS);
/**
* Summarize fields which are specific to hex.deeplearning.DeepLearningModel.
*/
private static void summarizeDeepLearningModel(ModelSummary summary, hex.deeplearning.DeepLearningModel model) {
// add generic fields such as column names
summarizeModelCommonFields(summary, model);
summary.model_algorithm = "DeepLearning";
JsonObject all_params = (model.get_params()).toJSON();
summary.critical_parameters = whitelistJsonObject(all_params, DL_critical_params);
summary.secondary_parameters = whitelistJsonObject(all_params, DL_secondary_params);
summary.expert_parameters = whitelistJsonObject(all_params, DL_expert_params);
}
/******
* GBM
******/
private static final Set<String> GBM_critical_params = getCriticalParamNames(GBM.DOC_FIELDS);
private static final Set<String> GBM_secondary_params = getSecondaryParamNames(GBM.DOC_FIELDS);
private static final Set<String> GBM_expert_params = getExpertParamNames(GBM.DOC_FIELDS);
/**
* Summarize fields which are specific to hex.gbm.GBM.GBMModel.
*/
private static void summarizeGBMModel(ModelSummary summary, hex.gbm.GBM.GBMModel model) {
// add generic fields such as column names
summarizeModelCommonFields(summary, model);
summary.model_algorithm = "GBM";
JsonObject all_params = (model.get_params()).toJSON();
summary.critical_parameters = whitelistJsonObject(all_params, GBM_critical_params);
summary.secondary_parameters = whitelistJsonObject(all_params, GBM_secondary_params);
summary.expert_parameters = whitelistJsonObject(all_params, GBM_expert_params);
}
/******
* NB
******/
private static final Set<String> NB_critical_params = getCriticalParamNames(NaiveBayes.DOC_FIELDS);
private static final Set<String> NB_secondary_params = getSecondaryParamNames(NaiveBayes.DOC_FIELDS);
private static final Set<String> NB_expert_params = getExpertParamNames(NaiveBayes.DOC_FIELDS);
/**
* Summarize fields which are specific to hex.nb.NBModel.
*/
private static void summarizeNBModel(ModelSummary summary, hex.nb.NBModel model) {
// add generic fields such as column names
summarizeModelCommonFields(summary, model);
summary.model_algorithm = "Naive Bayes";
JsonObject all_params = (model.get_params()).toJSON();
summary.critical_parameters = whitelistJsonObject(all_params, NB_critical_params);
summary.secondary_parameters = whitelistJsonObject(all_params, NB_secondary_params);
summary.expert_parameters = whitelistJsonObject(all_params, NB_expert_params);
}
/**
* Fetch all Models from the KV store.
*/
protected Map<String, Model> fetchAll() {
return H2O.KeySnapshot.globalSnapshot().fetchAll(water.Model.class);
}
/**
* Score a frame with the given model.
*/
protected static Response scoreOne(Frame frame, Model score_model, boolean adapt) {
return Frames.scoreOne(frame, score_model);
}
/**
* Fetch all the Models from the KV store, sumamrize and enhance them, and return a map of them.
*/
private Response serveOneOrAll(Map<String, Model> modelsMap) {
// returns empty sets if !this.find_compatible_frames
Pair<Map<String, Frame>, Map<String, Set<String>>> frames_info = fetchFrames();
Map<String, Frame> all_frames = frames_info.getFirst();
Map<String, Set<String>> all_frames_cols = frames_info.getSecond();
Map<String, ModelSummary> modelSummaries = Models.generateModelSummaries(null, modelsMap, find_compatible_frames, all_frames, all_frames_cols);
Map resultsMap = new LinkedHashMap();
resultsMap.put("models", modelSummaries);
// If find_compatible_frames then include a map of the Frame summaries. Should we put this on a separate switch?
if (this.find_compatible_frames) {
Set<String> all_referenced_frames = new TreeSet<String>();
for (Map.Entry<String, ModelSummary> entry: modelSummaries.entrySet()) {
ModelSummary summary = entry.getValue();
all_referenced_frames.addAll(summary.compatible_frames);
}
Map<String, FrameSummary> frameSummaries = Frames.generateFrameSummaries(all_referenced_frames, all_frames, false, null, null);
resultsMap.put("frames", frameSummaries);
}
// TODO: temporary hack to get things going
String json = gson.toJson(resultsMap);
JsonObject result = gson.fromJson(json, JsonElement.class).getAsJsonObject();
return Response.done(result);
}
@Override
protected Response serve() {
if (null == this.key) {
return serveOneOrAll(fetchAll());
} else {
if (null == this.score_frame) {
Model model = this.key;
Map<String, Model> modelsMap = new TreeMap(); // Sort for pretty display and reliable ordering.
modelsMap.put(model._key.toString(), model);
return serveOneOrAll(modelsMap);
} else {
return scoreOne(this.score_frame, this.key, this.adapt);
}
}
} // serve()
}
|
211562_1 | /**
* KAR Geo Tool - applicatie voor het registreren van KAR meldpunten
*
* Copyright (C) 2009-2013 B3Partners B.V.
*
* This program is free software: you can redistribute it and/or modify it under
* the terms of the GNU Affero General Public License as published by the Free
* Software Foundation, either version 3 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 Affero General Public License for more
* details.
*
* You should have received a copy of the GNU Affero General Public License
* along with this program. If not, see <http://www.gnu.org/licenses/>.
*/
package nl.b3p.kar.stripes;
import java.util.ArrayList;
import java.util.List;
import java.util.Set;
import javax.persistence.EntityManager;
import javax.persistence.Query;
import net.sourceforge.stripes.action.*;
import net.sourceforge.stripes.controller.LifecycleStage;
import net.sourceforge.stripes.validation.SimpleError;
import net.sourceforge.stripes.validation.Validate;
import nl.b3p.kar.hibernate.*;
import org.apache.commons.logging.Log;
import org.apache.commons.logging.LogFactory;
import org.json.JSONArray;
import org.json.JSONException;
import org.json.JSONObject;
import org.stripesstuff.stripersist.Stripersist;
/**
* Stripes klasse welke het opslaan van rechten van gebruikers per VRI regelt
*
* @author Meine Toonen [email protected]
*/
@StrictBinding
@UrlBinding("/action/rights")
public class RightsActionBean implements ActionBean {
private static final Log log = LogFactory.getLog(RightsActionBean.class);
private static final String JSP = "/WEB-INF/jsp/beheer/rights.jsp";
private static final String detail = "/WEB-INF/jsp/beheer/vriDetail.jsp";
private ActionBeanContext context;
private JSONArray rseqs;
@Validate
private RoadsideEquipment rseq;
private JSONObject rseqJson;
private String dataOwner;
private JSONArray gebruikers;
@Validate
private JSONArray rightsList;
/**
* Stripes methode waarmee de view van het edit proces wordt voorbereid.
*
* @return Stripes Resolution view
* @throws Exception de fout
*/
@DefaultHandler
public Resolution view() throws Exception {
EntityManager em = Stripersist.getEntityManager();
return new ForwardResolution(JSP);
}
@After(stages = LifecycleStage.BindingAndValidation)
private void lists() {
EntityManager em = Stripersist.getEntityManager();
try {
Gebruiker g = getGebruiker();
Set<DataOwner> rights = g.getEditableDataOwners();
boolean isBeheerder = g.isBeheerder();
String query = "FROM RoadsideEquipment WHERE ";
if (!rights.isEmpty()) {
query += "dataOwner in :list OR ";
}
query += "true = :beheerder";
Query q = em.createQuery(query).setParameter("beheerder", isBeheerder);
if (!rights.isEmpty()) {
q.setParameter("list", rights);
}
List<RoadsideEquipment> rseqList = q.getResultList();
rseqs = new JSONArray();
for (RoadsideEquipment rseqObj : rseqList) {
JSONObject jRseq = new JSONObject();
jRseq.put("id", rseqObj.getId());
jRseq.put("naam", rseqObj.getDescription());
jRseq.put("karAddress", rseqObj.getKarAddress());
jRseq.put("dataowner", rseqObj.getDataOwner().getOmschrijving());
String type = rseqObj.getType();
if (type.equalsIgnoreCase("CROSSING")) {
jRseq.put("type", "VRI");
} else if (type.equalsIgnoreCase("BAR")) {
jRseq.put("type", "Afsluitingssysteem");
} else if (type.equalsIgnoreCase("GUARD")) {
jRseq.put("type", "Waarschuwingssyteem");
}
rseqs.put(jRseq);
}
} catch (JSONException e) {
context.getValidationErrors().add("VRI", new SimpleError("Kan geen verkeerssystemen ophalen.", e.getMessage()));
}
}
public Resolution edit() throws JSONException {
EntityManager em = Stripersist.getEntityManager();
rseqJson = rseq.getJSON();
dataOwner = rseq.getDataOwner().getOmschrijving();
Gebruiker geb = getGebruiker();
List<GebruikerVRIRights> lijst = em.createQuery("FROM GebruikerVRIRights WHERE roadsideEquipment = :rseq", GebruikerVRIRights.class)
.setParameter("rseq", rseq).getResultList();
rightsList = new JSONArray();
List<Gebruiker> exclude = new ArrayList();
for (GebruikerVRIRights gebruikerVRIRights : lijst) {
JSONObject rights = new JSONObject();
rights.put("userId", gebruikerVRIRights.getGebruiker().getId());
rights.put("fullname", gebruikerVRIRights.getGebruiker().getFullname());
rights.put("read", gebruikerVRIRights.isReadable());
rights.put("write", gebruikerVRIRights.isEditable());
rightsList.put(rights);
exclude.add(gebruikerVRIRights.getGebruiker());
}
String q = "FROM Gebruiker g";
if(!exclude.isEmpty()){
q += " WHERE g not in :list";
}
q += " order by fullname";
Query query = em.createQuery(q, Gebruiker.class);
if(!exclude.isEmpty()){
query.setParameter("list", exclude);
}
List<Gebruiker> gebruikersList = query.getResultList();
gebruikers = new JSONArray();
for (Gebruiker g : gebruikersList) {
try {
JSONObject gebruiker = new JSONObject();
gebruiker.put("id", g.getId());
gebruiker.put("username", g.getUsername());
gebruiker.put("fullname", g.getFullname());
gebruikers.put(gebruiker);
} catch (JSONException ex) {
log.error("Kan gebruiker niet ophalen:", ex);
}
}
return new ForwardResolution(detail);
}
public Resolution save() throws JSONException {
EntityManager em = Stripersist.getEntityManager();
Gebruiker geb = getGebruiker();
List<GebruikerVRIRights> lijst = em.createQuery("FROM GebruikerVRIRights WHERE roadsideEquipment = :rseq", GebruikerVRIRights.class)
.setParameter("rseq", rseq).getResultList();
for (GebruikerVRIRights gebruikerVRIRights : lijst) {
em.remove(gebruikerVRIRights);
}
em.flush();
for (int i = 0; i < rightsList.length(); i++) {
try {
JSONObject userRights = rightsList.getJSONObject(i);
Integer userId = userRights.getInt("userId");
Gebruiker gebruiker = em.find(Gebruiker.class, userId);
GebruikerVRIRights gvr = new GebruikerVRIRights();
gvr.setGebruiker(gebruiker);
gvr.setRoadsideEquipment(rseq);
gvr.setReadable(userRights.getBoolean("read"));
gvr.setEditable(userRights.getBoolean("write"));
em.persist(gvr);
} catch (JSONException ex) {
log.error(ex);
}
}
em.getTransaction().commit();
return edit();
}
public Gebruiker getGebruiker() {
final String attribute = this.getClass().getName() + "_GEBRUIKER";
Gebruiker g = (Gebruiker) getContext().getRequest().getAttribute(attribute);
if (g != null) {
return g;
}
Gebruiker principal = (Gebruiker) context.getRequest().getUserPrincipal();
g = Stripersist.getEntityManager().find(Gebruiker.class, principal.getId());
getContext().getRequest().setAttribute(attribute, g);
return g;
}
// <editor-fold desc="Getters and Setters">
public ActionBeanContext getContext() {
return context;
}
public void setContext(ActionBeanContext context) {
this.context = context;
}
public RoadsideEquipment getRseq() {
return rseq;
}
public void setRseq(RoadsideEquipment rseq) {
this.rseq = rseq;
}
public JSONArray getGebruikers() {
return gebruikers;
}
public void setGebruikers(JSONArray gebruikers) {
this.gebruikers = gebruikers;
}
public JSONObject getRseqJson() {
return rseqJson;
}
public void setRseqJson(JSONObject rseqJson) {
this.rseqJson = rseqJson;
}
public String getDataOwner() {
return dataOwner;
}
public void setDataOwner(String dataOwner) {
this.dataOwner = dataOwner;
}
public JSONArray getRightsList() {
return rightsList;
}
public void setRightsList(JSONArray rightsList) {
this.rightsList = rightsList;
}
public JSONArray getRseqs() {
return rseqs;
}
public void setRseqs(JSONArray rseqs) {
this.rseqs = rseqs;
}
// </editor-fold>
}
| tjidde-nl/kargeotool | src/main/java/nl/b3p/kar/stripes/RightsActionBean.java | 2,478 | /**
* Stripes klasse welke het opslaan van rechten van gebruikers per VRI regelt
*
* @author Meine Toonen [email protected]
*/ | block_comment | nl | /**
* KAR Geo Tool - applicatie voor het registreren van KAR meldpunten
*
* Copyright (C) 2009-2013 B3Partners B.V.
*
* This program is free software: you can redistribute it and/or modify it under
* the terms of the GNU Affero General Public License as published by the Free
* Software Foundation, either version 3 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 Affero General Public License for more
* details.
*
* You should have received a copy of the GNU Affero General Public License
* along with this program. If not, see <http://www.gnu.org/licenses/>.
*/
package nl.b3p.kar.stripes;
import java.util.ArrayList;
import java.util.List;
import java.util.Set;
import javax.persistence.EntityManager;
import javax.persistence.Query;
import net.sourceforge.stripes.action.*;
import net.sourceforge.stripes.controller.LifecycleStage;
import net.sourceforge.stripes.validation.SimpleError;
import net.sourceforge.stripes.validation.Validate;
import nl.b3p.kar.hibernate.*;
import org.apache.commons.logging.Log;
import org.apache.commons.logging.LogFactory;
import org.json.JSONArray;
import org.json.JSONException;
import org.json.JSONObject;
import org.stripesstuff.stripersist.Stripersist;
/**
* Stripes klasse welke<SUF>*/
@StrictBinding
@UrlBinding("/action/rights")
public class RightsActionBean implements ActionBean {
private static final Log log = LogFactory.getLog(RightsActionBean.class);
private static final String JSP = "/WEB-INF/jsp/beheer/rights.jsp";
private static final String detail = "/WEB-INF/jsp/beheer/vriDetail.jsp";
private ActionBeanContext context;
private JSONArray rseqs;
@Validate
private RoadsideEquipment rseq;
private JSONObject rseqJson;
private String dataOwner;
private JSONArray gebruikers;
@Validate
private JSONArray rightsList;
/**
* Stripes methode waarmee de view van het edit proces wordt voorbereid.
*
* @return Stripes Resolution view
* @throws Exception de fout
*/
@DefaultHandler
public Resolution view() throws Exception {
EntityManager em = Stripersist.getEntityManager();
return new ForwardResolution(JSP);
}
@After(stages = LifecycleStage.BindingAndValidation)
private void lists() {
EntityManager em = Stripersist.getEntityManager();
try {
Gebruiker g = getGebruiker();
Set<DataOwner> rights = g.getEditableDataOwners();
boolean isBeheerder = g.isBeheerder();
String query = "FROM RoadsideEquipment WHERE ";
if (!rights.isEmpty()) {
query += "dataOwner in :list OR ";
}
query += "true = :beheerder";
Query q = em.createQuery(query).setParameter("beheerder", isBeheerder);
if (!rights.isEmpty()) {
q.setParameter("list", rights);
}
List<RoadsideEquipment> rseqList = q.getResultList();
rseqs = new JSONArray();
for (RoadsideEquipment rseqObj : rseqList) {
JSONObject jRseq = new JSONObject();
jRseq.put("id", rseqObj.getId());
jRseq.put("naam", rseqObj.getDescription());
jRseq.put("karAddress", rseqObj.getKarAddress());
jRseq.put("dataowner", rseqObj.getDataOwner().getOmschrijving());
String type = rseqObj.getType();
if (type.equalsIgnoreCase("CROSSING")) {
jRseq.put("type", "VRI");
} else if (type.equalsIgnoreCase("BAR")) {
jRseq.put("type", "Afsluitingssysteem");
} else if (type.equalsIgnoreCase("GUARD")) {
jRseq.put("type", "Waarschuwingssyteem");
}
rseqs.put(jRseq);
}
} catch (JSONException e) {
context.getValidationErrors().add("VRI", new SimpleError("Kan geen verkeerssystemen ophalen.", e.getMessage()));
}
}
public Resolution edit() throws JSONException {
EntityManager em = Stripersist.getEntityManager();
rseqJson = rseq.getJSON();
dataOwner = rseq.getDataOwner().getOmschrijving();
Gebruiker geb = getGebruiker();
List<GebruikerVRIRights> lijst = em.createQuery("FROM GebruikerVRIRights WHERE roadsideEquipment = :rseq", GebruikerVRIRights.class)
.setParameter("rseq", rseq).getResultList();
rightsList = new JSONArray();
List<Gebruiker> exclude = new ArrayList();
for (GebruikerVRIRights gebruikerVRIRights : lijst) {
JSONObject rights = new JSONObject();
rights.put("userId", gebruikerVRIRights.getGebruiker().getId());
rights.put("fullname", gebruikerVRIRights.getGebruiker().getFullname());
rights.put("read", gebruikerVRIRights.isReadable());
rights.put("write", gebruikerVRIRights.isEditable());
rightsList.put(rights);
exclude.add(gebruikerVRIRights.getGebruiker());
}
String q = "FROM Gebruiker g";
if(!exclude.isEmpty()){
q += " WHERE g not in :list";
}
q += " order by fullname";
Query query = em.createQuery(q, Gebruiker.class);
if(!exclude.isEmpty()){
query.setParameter("list", exclude);
}
List<Gebruiker> gebruikersList = query.getResultList();
gebruikers = new JSONArray();
for (Gebruiker g : gebruikersList) {
try {
JSONObject gebruiker = new JSONObject();
gebruiker.put("id", g.getId());
gebruiker.put("username", g.getUsername());
gebruiker.put("fullname", g.getFullname());
gebruikers.put(gebruiker);
} catch (JSONException ex) {
log.error("Kan gebruiker niet ophalen:", ex);
}
}
return new ForwardResolution(detail);
}
public Resolution save() throws JSONException {
EntityManager em = Stripersist.getEntityManager();
Gebruiker geb = getGebruiker();
List<GebruikerVRIRights> lijst = em.createQuery("FROM GebruikerVRIRights WHERE roadsideEquipment = :rseq", GebruikerVRIRights.class)
.setParameter("rseq", rseq).getResultList();
for (GebruikerVRIRights gebruikerVRIRights : lijst) {
em.remove(gebruikerVRIRights);
}
em.flush();
for (int i = 0; i < rightsList.length(); i++) {
try {
JSONObject userRights = rightsList.getJSONObject(i);
Integer userId = userRights.getInt("userId");
Gebruiker gebruiker = em.find(Gebruiker.class, userId);
GebruikerVRIRights gvr = new GebruikerVRIRights();
gvr.setGebruiker(gebruiker);
gvr.setRoadsideEquipment(rseq);
gvr.setReadable(userRights.getBoolean("read"));
gvr.setEditable(userRights.getBoolean("write"));
em.persist(gvr);
} catch (JSONException ex) {
log.error(ex);
}
}
em.getTransaction().commit();
return edit();
}
public Gebruiker getGebruiker() {
final String attribute = this.getClass().getName() + "_GEBRUIKER";
Gebruiker g = (Gebruiker) getContext().getRequest().getAttribute(attribute);
if (g != null) {
return g;
}
Gebruiker principal = (Gebruiker) context.getRequest().getUserPrincipal();
g = Stripersist.getEntityManager().find(Gebruiker.class, principal.getId());
getContext().getRequest().setAttribute(attribute, g);
return g;
}
// <editor-fold desc="Getters and Setters">
public ActionBeanContext getContext() {
return context;
}
public void setContext(ActionBeanContext context) {
this.context = context;
}
public RoadsideEquipment getRseq() {
return rseq;
}
public void setRseq(RoadsideEquipment rseq) {
this.rseq = rseq;
}
public JSONArray getGebruikers() {
return gebruikers;
}
public void setGebruikers(JSONArray gebruikers) {
this.gebruikers = gebruikers;
}
public JSONObject getRseqJson() {
return rseqJson;
}
public void setRseqJson(JSONObject rseqJson) {
this.rseqJson = rseqJson;
}
public String getDataOwner() {
return dataOwner;
}
public void setDataOwner(String dataOwner) {
this.dataOwner = dataOwner;
}
public JSONArray getRightsList() {
return rightsList;
}
public void setRightsList(JSONArray rightsList) {
this.rightsList = rightsList;
}
public JSONArray getRseqs() {
return rseqs;
}
public void setRseqs(JSONArray rseqs) {
this.rseqs = rseqs;
}
// </editor-fold>
}
|
211562_2 | /**
* KAR Geo Tool - applicatie voor het registreren van KAR meldpunten
*
* Copyright (C) 2009-2013 B3Partners B.V.
*
* This program is free software: you can redistribute it and/or modify it under
* the terms of the GNU Affero General Public License as published by the Free
* Software Foundation, either version 3 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 Affero General Public License for more
* details.
*
* You should have received a copy of the GNU Affero General Public License
* along with this program. If not, see <http://www.gnu.org/licenses/>.
*/
package nl.b3p.kar.stripes;
import java.util.ArrayList;
import java.util.List;
import java.util.Set;
import javax.persistence.EntityManager;
import javax.persistence.Query;
import net.sourceforge.stripes.action.*;
import net.sourceforge.stripes.controller.LifecycleStage;
import net.sourceforge.stripes.validation.SimpleError;
import net.sourceforge.stripes.validation.Validate;
import nl.b3p.kar.hibernate.*;
import org.apache.commons.logging.Log;
import org.apache.commons.logging.LogFactory;
import org.json.JSONArray;
import org.json.JSONException;
import org.json.JSONObject;
import org.stripesstuff.stripersist.Stripersist;
/**
* Stripes klasse welke het opslaan van rechten van gebruikers per VRI regelt
*
* @author Meine Toonen [email protected]
*/
@StrictBinding
@UrlBinding("/action/rights")
public class RightsActionBean implements ActionBean {
private static final Log log = LogFactory.getLog(RightsActionBean.class);
private static final String JSP = "/WEB-INF/jsp/beheer/rights.jsp";
private static final String detail = "/WEB-INF/jsp/beheer/vriDetail.jsp";
private ActionBeanContext context;
private JSONArray rseqs;
@Validate
private RoadsideEquipment rseq;
private JSONObject rseqJson;
private String dataOwner;
private JSONArray gebruikers;
@Validate
private JSONArray rightsList;
/**
* Stripes methode waarmee de view van het edit proces wordt voorbereid.
*
* @return Stripes Resolution view
* @throws Exception de fout
*/
@DefaultHandler
public Resolution view() throws Exception {
EntityManager em = Stripersist.getEntityManager();
return new ForwardResolution(JSP);
}
@After(stages = LifecycleStage.BindingAndValidation)
private void lists() {
EntityManager em = Stripersist.getEntityManager();
try {
Gebruiker g = getGebruiker();
Set<DataOwner> rights = g.getEditableDataOwners();
boolean isBeheerder = g.isBeheerder();
String query = "FROM RoadsideEquipment WHERE ";
if (!rights.isEmpty()) {
query += "dataOwner in :list OR ";
}
query += "true = :beheerder";
Query q = em.createQuery(query).setParameter("beheerder", isBeheerder);
if (!rights.isEmpty()) {
q.setParameter("list", rights);
}
List<RoadsideEquipment> rseqList = q.getResultList();
rseqs = new JSONArray();
for (RoadsideEquipment rseqObj : rseqList) {
JSONObject jRseq = new JSONObject();
jRseq.put("id", rseqObj.getId());
jRseq.put("naam", rseqObj.getDescription());
jRseq.put("karAddress", rseqObj.getKarAddress());
jRseq.put("dataowner", rseqObj.getDataOwner().getOmschrijving());
String type = rseqObj.getType();
if (type.equalsIgnoreCase("CROSSING")) {
jRseq.put("type", "VRI");
} else if (type.equalsIgnoreCase("BAR")) {
jRseq.put("type", "Afsluitingssysteem");
} else if (type.equalsIgnoreCase("GUARD")) {
jRseq.put("type", "Waarschuwingssyteem");
}
rseqs.put(jRseq);
}
} catch (JSONException e) {
context.getValidationErrors().add("VRI", new SimpleError("Kan geen verkeerssystemen ophalen.", e.getMessage()));
}
}
public Resolution edit() throws JSONException {
EntityManager em = Stripersist.getEntityManager();
rseqJson = rseq.getJSON();
dataOwner = rseq.getDataOwner().getOmschrijving();
Gebruiker geb = getGebruiker();
List<GebruikerVRIRights> lijst = em.createQuery("FROM GebruikerVRIRights WHERE roadsideEquipment = :rseq", GebruikerVRIRights.class)
.setParameter("rseq", rseq).getResultList();
rightsList = new JSONArray();
List<Gebruiker> exclude = new ArrayList();
for (GebruikerVRIRights gebruikerVRIRights : lijst) {
JSONObject rights = new JSONObject();
rights.put("userId", gebruikerVRIRights.getGebruiker().getId());
rights.put("fullname", gebruikerVRIRights.getGebruiker().getFullname());
rights.put("read", gebruikerVRIRights.isReadable());
rights.put("write", gebruikerVRIRights.isEditable());
rightsList.put(rights);
exclude.add(gebruikerVRIRights.getGebruiker());
}
String q = "FROM Gebruiker g";
if(!exclude.isEmpty()){
q += " WHERE g not in :list";
}
q += " order by fullname";
Query query = em.createQuery(q, Gebruiker.class);
if(!exclude.isEmpty()){
query.setParameter("list", exclude);
}
List<Gebruiker> gebruikersList = query.getResultList();
gebruikers = new JSONArray();
for (Gebruiker g : gebruikersList) {
try {
JSONObject gebruiker = new JSONObject();
gebruiker.put("id", g.getId());
gebruiker.put("username", g.getUsername());
gebruiker.put("fullname", g.getFullname());
gebruikers.put(gebruiker);
} catch (JSONException ex) {
log.error("Kan gebruiker niet ophalen:", ex);
}
}
return new ForwardResolution(detail);
}
public Resolution save() throws JSONException {
EntityManager em = Stripersist.getEntityManager();
Gebruiker geb = getGebruiker();
List<GebruikerVRIRights> lijst = em.createQuery("FROM GebruikerVRIRights WHERE roadsideEquipment = :rseq", GebruikerVRIRights.class)
.setParameter("rseq", rseq).getResultList();
for (GebruikerVRIRights gebruikerVRIRights : lijst) {
em.remove(gebruikerVRIRights);
}
em.flush();
for (int i = 0; i < rightsList.length(); i++) {
try {
JSONObject userRights = rightsList.getJSONObject(i);
Integer userId = userRights.getInt("userId");
Gebruiker gebruiker = em.find(Gebruiker.class, userId);
GebruikerVRIRights gvr = new GebruikerVRIRights();
gvr.setGebruiker(gebruiker);
gvr.setRoadsideEquipment(rseq);
gvr.setReadable(userRights.getBoolean("read"));
gvr.setEditable(userRights.getBoolean("write"));
em.persist(gvr);
} catch (JSONException ex) {
log.error(ex);
}
}
em.getTransaction().commit();
return edit();
}
public Gebruiker getGebruiker() {
final String attribute = this.getClass().getName() + "_GEBRUIKER";
Gebruiker g = (Gebruiker) getContext().getRequest().getAttribute(attribute);
if (g != null) {
return g;
}
Gebruiker principal = (Gebruiker) context.getRequest().getUserPrincipal();
g = Stripersist.getEntityManager().find(Gebruiker.class, principal.getId());
getContext().getRequest().setAttribute(attribute, g);
return g;
}
// <editor-fold desc="Getters and Setters">
public ActionBeanContext getContext() {
return context;
}
public void setContext(ActionBeanContext context) {
this.context = context;
}
public RoadsideEquipment getRseq() {
return rseq;
}
public void setRseq(RoadsideEquipment rseq) {
this.rseq = rseq;
}
public JSONArray getGebruikers() {
return gebruikers;
}
public void setGebruikers(JSONArray gebruikers) {
this.gebruikers = gebruikers;
}
public JSONObject getRseqJson() {
return rseqJson;
}
public void setRseqJson(JSONObject rseqJson) {
this.rseqJson = rseqJson;
}
public String getDataOwner() {
return dataOwner;
}
public void setDataOwner(String dataOwner) {
this.dataOwner = dataOwner;
}
public JSONArray getRightsList() {
return rightsList;
}
public void setRightsList(JSONArray rightsList) {
this.rightsList = rightsList;
}
public JSONArray getRseqs() {
return rseqs;
}
public void setRseqs(JSONArray rseqs) {
this.rseqs = rseqs;
}
// </editor-fold>
}
| tjidde-nl/kargeotool | src/main/java/nl/b3p/kar/stripes/RightsActionBean.java | 2,478 | /**
* Stripes methode waarmee de view van het edit proces wordt voorbereid.
*
* @return Stripes Resolution view
* @throws Exception de fout
*/ | block_comment | nl | /**
* KAR Geo Tool - applicatie voor het registreren van KAR meldpunten
*
* Copyright (C) 2009-2013 B3Partners B.V.
*
* This program is free software: you can redistribute it and/or modify it under
* the terms of the GNU Affero General Public License as published by the Free
* Software Foundation, either version 3 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 Affero General Public License for more
* details.
*
* You should have received a copy of the GNU Affero General Public License
* along with this program. If not, see <http://www.gnu.org/licenses/>.
*/
package nl.b3p.kar.stripes;
import java.util.ArrayList;
import java.util.List;
import java.util.Set;
import javax.persistence.EntityManager;
import javax.persistence.Query;
import net.sourceforge.stripes.action.*;
import net.sourceforge.stripes.controller.LifecycleStage;
import net.sourceforge.stripes.validation.SimpleError;
import net.sourceforge.stripes.validation.Validate;
import nl.b3p.kar.hibernate.*;
import org.apache.commons.logging.Log;
import org.apache.commons.logging.LogFactory;
import org.json.JSONArray;
import org.json.JSONException;
import org.json.JSONObject;
import org.stripesstuff.stripersist.Stripersist;
/**
* Stripes klasse welke het opslaan van rechten van gebruikers per VRI regelt
*
* @author Meine Toonen [email protected]
*/
@StrictBinding
@UrlBinding("/action/rights")
public class RightsActionBean implements ActionBean {
private static final Log log = LogFactory.getLog(RightsActionBean.class);
private static final String JSP = "/WEB-INF/jsp/beheer/rights.jsp";
private static final String detail = "/WEB-INF/jsp/beheer/vriDetail.jsp";
private ActionBeanContext context;
private JSONArray rseqs;
@Validate
private RoadsideEquipment rseq;
private JSONObject rseqJson;
private String dataOwner;
private JSONArray gebruikers;
@Validate
private JSONArray rightsList;
/**
* Stripes methode waarmee<SUF>*/
@DefaultHandler
public Resolution view() throws Exception {
EntityManager em = Stripersist.getEntityManager();
return new ForwardResolution(JSP);
}
@After(stages = LifecycleStage.BindingAndValidation)
private void lists() {
EntityManager em = Stripersist.getEntityManager();
try {
Gebruiker g = getGebruiker();
Set<DataOwner> rights = g.getEditableDataOwners();
boolean isBeheerder = g.isBeheerder();
String query = "FROM RoadsideEquipment WHERE ";
if (!rights.isEmpty()) {
query += "dataOwner in :list OR ";
}
query += "true = :beheerder";
Query q = em.createQuery(query).setParameter("beheerder", isBeheerder);
if (!rights.isEmpty()) {
q.setParameter("list", rights);
}
List<RoadsideEquipment> rseqList = q.getResultList();
rseqs = new JSONArray();
for (RoadsideEquipment rseqObj : rseqList) {
JSONObject jRseq = new JSONObject();
jRseq.put("id", rseqObj.getId());
jRseq.put("naam", rseqObj.getDescription());
jRseq.put("karAddress", rseqObj.getKarAddress());
jRseq.put("dataowner", rseqObj.getDataOwner().getOmschrijving());
String type = rseqObj.getType();
if (type.equalsIgnoreCase("CROSSING")) {
jRseq.put("type", "VRI");
} else if (type.equalsIgnoreCase("BAR")) {
jRseq.put("type", "Afsluitingssysteem");
} else if (type.equalsIgnoreCase("GUARD")) {
jRseq.put("type", "Waarschuwingssyteem");
}
rseqs.put(jRseq);
}
} catch (JSONException e) {
context.getValidationErrors().add("VRI", new SimpleError("Kan geen verkeerssystemen ophalen.", e.getMessage()));
}
}
public Resolution edit() throws JSONException {
EntityManager em = Stripersist.getEntityManager();
rseqJson = rseq.getJSON();
dataOwner = rseq.getDataOwner().getOmschrijving();
Gebruiker geb = getGebruiker();
List<GebruikerVRIRights> lijst = em.createQuery("FROM GebruikerVRIRights WHERE roadsideEquipment = :rseq", GebruikerVRIRights.class)
.setParameter("rseq", rseq).getResultList();
rightsList = new JSONArray();
List<Gebruiker> exclude = new ArrayList();
for (GebruikerVRIRights gebruikerVRIRights : lijst) {
JSONObject rights = new JSONObject();
rights.put("userId", gebruikerVRIRights.getGebruiker().getId());
rights.put("fullname", gebruikerVRIRights.getGebruiker().getFullname());
rights.put("read", gebruikerVRIRights.isReadable());
rights.put("write", gebruikerVRIRights.isEditable());
rightsList.put(rights);
exclude.add(gebruikerVRIRights.getGebruiker());
}
String q = "FROM Gebruiker g";
if(!exclude.isEmpty()){
q += " WHERE g not in :list";
}
q += " order by fullname";
Query query = em.createQuery(q, Gebruiker.class);
if(!exclude.isEmpty()){
query.setParameter("list", exclude);
}
List<Gebruiker> gebruikersList = query.getResultList();
gebruikers = new JSONArray();
for (Gebruiker g : gebruikersList) {
try {
JSONObject gebruiker = new JSONObject();
gebruiker.put("id", g.getId());
gebruiker.put("username", g.getUsername());
gebruiker.put("fullname", g.getFullname());
gebruikers.put(gebruiker);
} catch (JSONException ex) {
log.error("Kan gebruiker niet ophalen:", ex);
}
}
return new ForwardResolution(detail);
}
public Resolution save() throws JSONException {
EntityManager em = Stripersist.getEntityManager();
Gebruiker geb = getGebruiker();
List<GebruikerVRIRights> lijst = em.createQuery("FROM GebruikerVRIRights WHERE roadsideEquipment = :rseq", GebruikerVRIRights.class)
.setParameter("rseq", rseq).getResultList();
for (GebruikerVRIRights gebruikerVRIRights : lijst) {
em.remove(gebruikerVRIRights);
}
em.flush();
for (int i = 0; i < rightsList.length(); i++) {
try {
JSONObject userRights = rightsList.getJSONObject(i);
Integer userId = userRights.getInt("userId");
Gebruiker gebruiker = em.find(Gebruiker.class, userId);
GebruikerVRIRights gvr = new GebruikerVRIRights();
gvr.setGebruiker(gebruiker);
gvr.setRoadsideEquipment(rseq);
gvr.setReadable(userRights.getBoolean("read"));
gvr.setEditable(userRights.getBoolean("write"));
em.persist(gvr);
} catch (JSONException ex) {
log.error(ex);
}
}
em.getTransaction().commit();
return edit();
}
public Gebruiker getGebruiker() {
final String attribute = this.getClass().getName() + "_GEBRUIKER";
Gebruiker g = (Gebruiker) getContext().getRequest().getAttribute(attribute);
if (g != null) {
return g;
}
Gebruiker principal = (Gebruiker) context.getRequest().getUserPrincipal();
g = Stripersist.getEntityManager().find(Gebruiker.class, principal.getId());
getContext().getRequest().setAttribute(attribute, g);
return g;
}
// <editor-fold desc="Getters and Setters">
public ActionBeanContext getContext() {
return context;
}
public void setContext(ActionBeanContext context) {
this.context = context;
}
public RoadsideEquipment getRseq() {
return rseq;
}
public void setRseq(RoadsideEquipment rseq) {
this.rseq = rseq;
}
public JSONArray getGebruikers() {
return gebruikers;
}
public void setGebruikers(JSONArray gebruikers) {
this.gebruikers = gebruikers;
}
public JSONObject getRseqJson() {
return rseqJson;
}
public void setRseqJson(JSONObject rseqJson) {
this.rseqJson = rseqJson;
}
public String getDataOwner() {
return dataOwner;
}
public void setDataOwner(String dataOwner) {
this.dataOwner = dataOwner;
}
public JSONArray getRightsList() {
return rightsList;
}
public void setRightsList(JSONArray rightsList) {
this.rightsList = rightsList;
}
public JSONArray getRseqs() {
return rseqs;
}
public void setRseqs(JSONArray rseqs) {
this.rseqs = rseqs;
}
// </editor-fold>
}
|
211563_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.personmutationsindex.page1;
import java.util.ArrayList;
import java.util.List;
import com.vaadin.ui.Embedded;
import nl.procura.bsm.rest.v1_0.objecten.algemeen.BsmRestElement;
import nl.procura.bsm.rest.v1_0.objecten.gba.probev.mutations.MutationRestElement;
import nl.procura.bsm.rest.v1_0.objecten.gba.probev.mutations.MutationType;
import nl.procura.gba.web.components.TableImage;
import nl.procura.gba.web.components.layouts.table.GbaTable;
import nl.procura.vaadin.theme.twee.Icons;
public class Page1MutationsIndexTable extends GbaTable {
private List<MutationRestElement> mutations = new ArrayList<>();
@Override
public void setColumns() {
setSelectable(true);
setMultiSelect(true);
addColumn("Nr", 50);
addColumn(" ", 20).setClassType(Embedded.class);
addColumn("Status", 230);
addColumn("Naam");
addColumn("A-nummer", 100);
addColumn("Datum/tijd mutatie", 160);
addColumn("Categorie", 160);
addColumn("Datum/tijd goedkeuring", 160);
super.setColumns();
}
public void setMutations(List<MutationRestElement> mutations) {
this.mutations = mutations;
init();
}
@Override
public int getPageLength() {
return 15;
}
@Override
public void setRecords() {
long nr = 0;
for (MutationRestElement mut : mutations) {
Record record = addRecord(mut);
record.addValue(++nr);
record.addValue(getIcon(mut.getStatusMutation().getWaarde()));
record.addValue(getWaardeOms(mut.getStatusMutation()));
record.addValue(mut.getName().getWaarde());
record.addValue(mut.getAnr().getOmschrijving());
record.addValue(getWaarde(mut.getDateMutation(), mut.getTimeMutation()));
record.addValue(getWaardeOms(mut.getCat()));
record.addValue(mut.getDateApproval().map(BsmRestElement::getOmschrijving).orElse("") + " "
+ mut.getTimeApproval().map(BsmRestElement::getOmschrijving).orElse(""));
}
super.setRecords();
}
private String getWaarde(BsmRestElement e1, BsmRestElement e2) {
return e1.getOmschrijving() + " " + e2.getOmschrijving();
}
private String getWaardeOms(BsmRestElement e) {
return e.getWaarde() + " - " + e.getOmschrijving();
}
@Override
public void init() {
super.init();
getRecords()
.stream()
.filter(rec -> MutationType.NIET_GOEDGEKEURD.is(rec.getObject(MutationRestElement.class)
.getStatusMutation()
.getWaarde()))
.forEach(rec -> select(rec.getItemId()));
}
protected TableImage getIcon(String status) {
int icon = Icons.ICON_EMPTY;
switch (MutationType.get(status)) {
case GOEDGEKEURD:
case GOEDGEKEURD_EN_SPONTAAN_MUTATIE:
case GOEDGEKEURD_EN_SPONTAAN_VERWERKT:
case GOEDGEKEURD_EN_SPONTAAN_VOORBEREID:
icon = Icons.ICON_OK;
break;
case NIET_GOEDGEKEURD:
icon = Icons.ICON_WARN;
break;
default:
}
return new TableImage(Icons.getIcon(icon));
}
}
| vrijBRP/vrijBRP-Balie | gba-web/src/main/java/nl/procura/gba/web/modules/zaken/personmutationsindex/page1/Page1MutationsIndexTable.java | 1,182 | /*
* 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.personmutationsindex.page1;
import java.util.ArrayList;
import java.util.List;
import com.vaadin.ui.Embedded;
import nl.procura.bsm.rest.v1_0.objecten.algemeen.BsmRestElement;
import nl.procura.bsm.rest.v1_0.objecten.gba.probev.mutations.MutationRestElement;
import nl.procura.bsm.rest.v1_0.objecten.gba.probev.mutations.MutationType;
import nl.procura.gba.web.components.TableImage;
import nl.procura.gba.web.components.layouts.table.GbaTable;
import nl.procura.vaadin.theme.twee.Icons;
public class Page1MutationsIndexTable extends GbaTable {
private List<MutationRestElement> mutations = new ArrayList<>();
@Override
public void setColumns() {
setSelectable(true);
setMultiSelect(true);
addColumn("Nr", 50);
addColumn(" ", 20).setClassType(Embedded.class);
addColumn("Status", 230);
addColumn("Naam");
addColumn("A-nummer", 100);
addColumn("Datum/tijd mutatie", 160);
addColumn("Categorie", 160);
addColumn("Datum/tijd goedkeuring", 160);
super.setColumns();
}
public void setMutations(List<MutationRestElement> mutations) {
this.mutations = mutations;
init();
}
@Override
public int getPageLength() {
return 15;
}
@Override
public void setRecords() {
long nr = 0;
for (MutationRestElement mut : mutations) {
Record record = addRecord(mut);
record.addValue(++nr);
record.addValue(getIcon(mut.getStatusMutation().getWaarde()));
record.addValue(getWaardeOms(mut.getStatusMutation()));
record.addValue(mut.getName().getWaarde());
record.addValue(mut.getAnr().getOmschrijving());
record.addValue(getWaarde(mut.getDateMutation(), mut.getTimeMutation()));
record.addValue(getWaardeOms(mut.getCat()));
record.addValue(mut.getDateApproval().map(BsmRestElement::getOmschrijving).orElse("") + " "
+ mut.getTimeApproval().map(BsmRestElement::getOmschrijving).orElse(""));
}
super.setRecords();
}
private String getWaarde(BsmRestElement e1, BsmRestElement e2) {
return e1.getOmschrijving() + " " + e2.getOmschrijving();
}
private String getWaardeOms(BsmRestElement e) {
return e.getWaarde() + " - " + e.getOmschrijving();
}
@Override
public void init() {
super.init();
getRecords()
.stream()
.filter(rec -> MutationType.NIET_GOEDGEKEURD.is(rec.getObject(MutationRestElement.class)
.getStatusMutation()
.getWaarde()))
.forEach(rec -> select(rec.getItemId()));
}
protected TableImage getIcon(String status) {
int icon = Icons.ICON_EMPTY;
switch (MutationType.get(status)) {
case GOEDGEKEURD:
case GOEDGEKEURD_EN_SPONTAAN_MUTATIE:
case GOEDGEKEURD_EN_SPONTAAN_VERWERKT:
case GOEDGEKEURD_EN_SPONTAAN_VOORBEREID:
icon = Icons.ICON_OK;
break;
case NIET_GOEDGEKEURD:
icon = Icons.ICON_WARN;
break;
default:
}
return new TableImage(Icons.getIcon(icon));
}
}
|
211575_4 | package cryptogen.des;
import helpers.ByteHelper;
import java.util.Arrays;
/**
* DesAlgorithm includes methods to encrypt and decrypt blocks of data.
* If you supply more than one sequence of subkeys, the blocks are encrypted or decrypted
* multiple types.
* eg. for 3DES, supply 3 sequences of subkeys.
*
* @author Peter.
*/
public class DesAlgorithm {
/**
* The number of bytes in one block.
*/
public static final int blockSizeInBytes = 8;
// IP matrix
private static final int[] initialPermutation = new int[] {
58, 50, 42, 34, 26, 18, 10, 2,
60, 52, 44, 36, 28, 20, 12, 4,
62, 54, 46, 38, 30, 22, 14, 6,
64, 56, 48, 40, 32, 24, 16, 8,
57, 49, 41, 33, 25, 17, 9, 1,
59, 51, 43, 35, 27, 19, 11, 3,
61, 53, 45, 37, 29, 21, 13, 5,
63, 55, 47, 39, 31, 23, 15, 7
};
// IP-1 matrix
private static final int[] inverseInitialPermutation = new int[] {
40, 8, 48, 16, 56, 24, 64, 32,
39, 7, 47, 15, 55, 23, 63, 31,
38, 6, 46, 14, 54, 22, 62, 30,
37, 5, 45, 13, 53, 21, 61, 29,
36, 4, 44, 12, 52, 20, 60, 28,
35, 3, 43, 11, 51, 19, 59, 27,
34, 2, 42, 10, 50, 18, 58, 26,
33, 1, 41, 9, 49, 17, 57, 25
};
/**
* Encrypt the specified block multiple times based on the length of the specified subkeys.
*
* @param block the block of data to be encrypted
* @param subkeys the subkeys used to encrypt the block
*/
public static byte[] encryptBlock(byte[] block, byte[][][] subKeys) throws IllegalArgumentException {
byte[] tempBlock = block;
for (int i = 0; i < subKeys.length; i++) {
tempBlock = encryptBlock(tempBlock, subKeys[i]);
}
return tempBlock;
}
/**
* Encrypt the specified block one time using the specified subkeys.
*
* @param block the block of data to be encrypted
* @param subkeys the subkeys used to encrypt the block
*/
public static byte[] encryptBlock(byte[] block, byte[][] subKeys) throws IllegalArgumentException {
if (block.length != 8)
throw new IllegalArgumentException("Block not 8 length");
final byte[] permutatedBlock = ByteHelper.permutFunc(block, initialPermutation);
byte[] prevLeft, prevRight, left, right;
// verdeel in initiele linkse en rechtse blok
prevLeft = ByteHelper.getFirstHalf(permutatedBlock);
prevRight = ByteHelper.getSecondHalf(permutatedBlock);
// bereken L1 R1 tem L16 R16
for (int i = 1; i <= 16; i++) {
// bereken linkse en rechtse blok
left = prevRight;
right = ByteHelper.xorByteBlocks(prevLeft, Feistel.executeFunction(prevRight, subKeys[i - 1]));
// voorbereiding volgende iteratie
prevLeft = left;
prevRight = right;
}
// swap voor laatste iteratie
left = prevRight;
right = prevLeft;
return ByteHelper.permutFunc(ByteHelper.concatBlocks(left, right), inverseInitialPermutation);
}
/**
* Decrypt the specified block multiple times based on the length of the specified subkeys.
*
* @precondition the subkeys should the reversed subkeys used to encrypt.
* @param block the block of data to be decrypted
* @param subkeys the subkeys used to decrypt the block
*/
public static byte[] decryptBlock(byte[] block, byte[][][] reversedSubKeys) throws IllegalArgumentException {
return encryptBlock(block, reversedSubKeys);
}
/**
* Decrypt the specified block one time using the specified subkeys.
*
* @precondition the subkeys should the reversed subkeys used to encrypt.
* @param block the block of data to be decrypted
* @param subkeys the subkeys used to decrypt the block
*/
public static byte[] decryptBlock(byte[] block, byte[][] reversedSubKeys) throws IllegalArgumentException {
return encryptBlock(block, reversedSubKeys);
}
}
| peterneyens/DES | src/main/java/cryptogen/des/DesAlgorithm.java | 1,387 | // verdeel in initiele linkse en rechtse blok | line_comment | nl | package cryptogen.des;
import helpers.ByteHelper;
import java.util.Arrays;
/**
* DesAlgorithm includes methods to encrypt and decrypt blocks of data.
* If you supply more than one sequence of subkeys, the blocks are encrypted or decrypted
* multiple types.
* eg. for 3DES, supply 3 sequences of subkeys.
*
* @author Peter.
*/
public class DesAlgorithm {
/**
* The number of bytes in one block.
*/
public static final int blockSizeInBytes = 8;
// IP matrix
private static final int[] initialPermutation = new int[] {
58, 50, 42, 34, 26, 18, 10, 2,
60, 52, 44, 36, 28, 20, 12, 4,
62, 54, 46, 38, 30, 22, 14, 6,
64, 56, 48, 40, 32, 24, 16, 8,
57, 49, 41, 33, 25, 17, 9, 1,
59, 51, 43, 35, 27, 19, 11, 3,
61, 53, 45, 37, 29, 21, 13, 5,
63, 55, 47, 39, 31, 23, 15, 7
};
// IP-1 matrix
private static final int[] inverseInitialPermutation = new int[] {
40, 8, 48, 16, 56, 24, 64, 32,
39, 7, 47, 15, 55, 23, 63, 31,
38, 6, 46, 14, 54, 22, 62, 30,
37, 5, 45, 13, 53, 21, 61, 29,
36, 4, 44, 12, 52, 20, 60, 28,
35, 3, 43, 11, 51, 19, 59, 27,
34, 2, 42, 10, 50, 18, 58, 26,
33, 1, 41, 9, 49, 17, 57, 25
};
/**
* Encrypt the specified block multiple times based on the length of the specified subkeys.
*
* @param block the block of data to be encrypted
* @param subkeys the subkeys used to encrypt the block
*/
public static byte[] encryptBlock(byte[] block, byte[][][] subKeys) throws IllegalArgumentException {
byte[] tempBlock = block;
for (int i = 0; i < subKeys.length; i++) {
tempBlock = encryptBlock(tempBlock, subKeys[i]);
}
return tempBlock;
}
/**
* Encrypt the specified block one time using the specified subkeys.
*
* @param block the block of data to be encrypted
* @param subkeys the subkeys used to encrypt the block
*/
public static byte[] encryptBlock(byte[] block, byte[][] subKeys) throws IllegalArgumentException {
if (block.length != 8)
throw new IllegalArgumentException("Block not 8 length");
final byte[] permutatedBlock = ByteHelper.permutFunc(block, initialPermutation);
byte[] prevLeft, prevRight, left, right;
// verdeel in<SUF>
prevLeft = ByteHelper.getFirstHalf(permutatedBlock);
prevRight = ByteHelper.getSecondHalf(permutatedBlock);
// bereken L1 R1 tem L16 R16
for (int i = 1; i <= 16; i++) {
// bereken linkse en rechtse blok
left = prevRight;
right = ByteHelper.xorByteBlocks(prevLeft, Feistel.executeFunction(prevRight, subKeys[i - 1]));
// voorbereiding volgende iteratie
prevLeft = left;
prevRight = right;
}
// swap voor laatste iteratie
left = prevRight;
right = prevLeft;
return ByteHelper.permutFunc(ByteHelper.concatBlocks(left, right), inverseInitialPermutation);
}
/**
* Decrypt the specified block multiple times based on the length of the specified subkeys.
*
* @precondition the subkeys should the reversed subkeys used to encrypt.
* @param block the block of data to be decrypted
* @param subkeys the subkeys used to decrypt the block
*/
public static byte[] decryptBlock(byte[] block, byte[][][] reversedSubKeys) throws IllegalArgumentException {
return encryptBlock(block, reversedSubKeys);
}
/**
* Decrypt the specified block one time using the specified subkeys.
*
* @precondition the subkeys should the reversed subkeys used to encrypt.
* @param block the block of data to be decrypted
* @param subkeys the subkeys used to decrypt the block
*/
public static byte[] decryptBlock(byte[] block, byte[][] reversedSubKeys) throws IllegalArgumentException {
return encryptBlock(block, reversedSubKeys);
}
}
|
211575_6 | package cryptogen.des;
import helpers.ByteHelper;
import java.util.Arrays;
/**
* DesAlgorithm includes methods to encrypt and decrypt blocks of data.
* If you supply more than one sequence of subkeys, the blocks are encrypted or decrypted
* multiple types.
* eg. for 3DES, supply 3 sequences of subkeys.
*
* @author Peter.
*/
public class DesAlgorithm {
/**
* The number of bytes in one block.
*/
public static final int blockSizeInBytes = 8;
// IP matrix
private static final int[] initialPermutation = new int[] {
58, 50, 42, 34, 26, 18, 10, 2,
60, 52, 44, 36, 28, 20, 12, 4,
62, 54, 46, 38, 30, 22, 14, 6,
64, 56, 48, 40, 32, 24, 16, 8,
57, 49, 41, 33, 25, 17, 9, 1,
59, 51, 43, 35, 27, 19, 11, 3,
61, 53, 45, 37, 29, 21, 13, 5,
63, 55, 47, 39, 31, 23, 15, 7
};
// IP-1 matrix
private static final int[] inverseInitialPermutation = new int[] {
40, 8, 48, 16, 56, 24, 64, 32,
39, 7, 47, 15, 55, 23, 63, 31,
38, 6, 46, 14, 54, 22, 62, 30,
37, 5, 45, 13, 53, 21, 61, 29,
36, 4, 44, 12, 52, 20, 60, 28,
35, 3, 43, 11, 51, 19, 59, 27,
34, 2, 42, 10, 50, 18, 58, 26,
33, 1, 41, 9, 49, 17, 57, 25
};
/**
* Encrypt the specified block multiple times based on the length of the specified subkeys.
*
* @param block the block of data to be encrypted
* @param subkeys the subkeys used to encrypt the block
*/
public static byte[] encryptBlock(byte[] block, byte[][][] subKeys) throws IllegalArgumentException {
byte[] tempBlock = block;
for (int i = 0; i < subKeys.length; i++) {
tempBlock = encryptBlock(tempBlock, subKeys[i]);
}
return tempBlock;
}
/**
* Encrypt the specified block one time using the specified subkeys.
*
* @param block the block of data to be encrypted
* @param subkeys the subkeys used to encrypt the block
*/
public static byte[] encryptBlock(byte[] block, byte[][] subKeys) throws IllegalArgumentException {
if (block.length != 8)
throw new IllegalArgumentException("Block not 8 length");
final byte[] permutatedBlock = ByteHelper.permutFunc(block, initialPermutation);
byte[] prevLeft, prevRight, left, right;
// verdeel in initiele linkse en rechtse blok
prevLeft = ByteHelper.getFirstHalf(permutatedBlock);
prevRight = ByteHelper.getSecondHalf(permutatedBlock);
// bereken L1 R1 tem L16 R16
for (int i = 1; i <= 16; i++) {
// bereken linkse en rechtse blok
left = prevRight;
right = ByteHelper.xorByteBlocks(prevLeft, Feistel.executeFunction(prevRight, subKeys[i - 1]));
// voorbereiding volgende iteratie
prevLeft = left;
prevRight = right;
}
// swap voor laatste iteratie
left = prevRight;
right = prevLeft;
return ByteHelper.permutFunc(ByteHelper.concatBlocks(left, right), inverseInitialPermutation);
}
/**
* Decrypt the specified block multiple times based on the length of the specified subkeys.
*
* @precondition the subkeys should the reversed subkeys used to encrypt.
* @param block the block of data to be decrypted
* @param subkeys the subkeys used to decrypt the block
*/
public static byte[] decryptBlock(byte[] block, byte[][][] reversedSubKeys) throws IllegalArgumentException {
return encryptBlock(block, reversedSubKeys);
}
/**
* Decrypt the specified block one time using the specified subkeys.
*
* @precondition the subkeys should the reversed subkeys used to encrypt.
* @param block the block of data to be decrypted
* @param subkeys the subkeys used to decrypt the block
*/
public static byte[] decryptBlock(byte[] block, byte[][] reversedSubKeys) throws IllegalArgumentException {
return encryptBlock(block, reversedSubKeys);
}
}
| peterneyens/DES | src/main/java/cryptogen/des/DesAlgorithm.java | 1,387 | // bereken linkse en rechtse blok | line_comment | nl | package cryptogen.des;
import helpers.ByteHelper;
import java.util.Arrays;
/**
* DesAlgorithm includes methods to encrypt and decrypt blocks of data.
* If you supply more than one sequence of subkeys, the blocks are encrypted or decrypted
* multiple types.
* eg. for 3DES, supply 3 sequences of subkeys.
*
* @author Peter.
*/
public class DesAlgorithm {
/**
* The number of bytes in one block.
*/
public static final int blockSizeInBytes = 8;
// IP matrix
private static final int[] initialPermutation = new int[] {
58, 50, 42, 34, 26, 18, 10, 2,
60, 52, 44, 36, 28, 20, 12, 4,
62, 54, 46, 38, 30, 22, 14, 6,
64, 56, 48, 40, 32, 24, 16, 8,
57, 49, 41, 33, 25, 17, 9, 1,
59, 51, 43, 35, 27, 19, 11, 3,
61, 53, 45, 37, 29, 21, 13, 5,
63, 55, 47, 39, 31, 23, 15, 7
};
// IP-1 matrix
private static final int[] inverseInitialPermutation = new int[] {
40, 8, 48, 16, 56, 24, 64, 32,
39, 7, 47, 15, 55, 23, 63, 31,
38, 6, 46, 14, 54, 22, 62, 30,
37, 5, 45, 13, 53, 21, 61, 29,
36, 4, 44, 12, 52, 20, 60, 28,
35, 3, 43, 11, 51, 19, 59, 27,
34, 2, 42, 10, 50, 18, 58, 26,
33, 1, 41, 9, 49, 17, 57, 25
};
/**
* Encrypt the specified block multiple times based on the length of the specified subkeys.
*
* @param block the block of data to be encrypted
* @param subkeys the subkeys used to encrypt the block
*/
public static byte[] encryptBlock(byte[] block, byte[][][] subKeys) throws IllegalArgumentException {
byte[] tempBlock = block;
for (int i = 0; i < subKeys.length; i++) {
tempBlock = encryptBlock(tempBlock, subKeys[i]);
}
return tempBlock;
}
/**
* Encrypt the specified block one time using the specified subkeys.
*
* @param block the block of data to be encrypted
* @param subkeys the subkeys used to encrypt the block
*/
public static byte[] encryptBlock(byte[] block, byte[][] subKeys) throws IllegalArgumentException {
if (block.length != 8)
throw new IllegalArgumentException("Block not 8 length");
final byte[] permutatedBlock = ByteHelper.permutFunc(block, initialPermutation);
byte[] prevLeft, prevRight, left, right;
// verdeel in initiele linkse en rechtse blok
prevLeft = ByteHelper.getFirstHalf(permutatedBlock);
prevRight = ByteHelper.getSecondHalf(permutatedBlock);
// bereken L1 R1 tem L16 R16
for (int i = 1; i <= 16; i++) {
// bereken linkse<SUF>
left = prevRight;
right = ByteHelper.xorByteBlocks(prevLeft, Feistel.executeFunction(prevRight, subKeys[i - 1]));
// voorbereiding volgende iteratie
prevLeft = left;
prevRight = right;
}
// swap voor laatste iteratie
left = prevRight;
right = prevLeft;
return ByteHelper.permutFunc(ByteHelper.concatBlocks(left, right), inverseInitialPermutation);
}
/**
* Decrypt the specified block multiple times based on the length of the specified subkeys.
*
* @precondition the subkeys should the reversed subkeys used to encrypt.
* @param block the block of data to be decrypted
* @param subkeys the subkeys used to decrypt the block
*/
public static byte[] decryptBlock(byte[] block, byte[][][] reversedSubKeys) throws IllegalArgumentException {
return encryptBlock(block, reversedSubKeys);
}
/**
* Decrypt the specified block one time using the specified subkeys.
*
* @precondition the subkeys should the reversed subkeys used to encrypt.
* @param block the block of data to be decrypted
* @param subkeys the subkeys used to decrypt the block
*/
public static byte[] decryptBlock(byte[] block, byte[][] reversedSubKeys) throws IllegalArgumentException {
return encryptBlock(block, reversedSubKeys);
}
}
|
211590_0 | /** -----------------------------------------------------------------------
*
* ie.ucd.srg.koa.constants.SystemState.java
*
* -----------------------------------------------------------------------
*
* (c) 2003 Ministerie van Binnenlandse Zaken en Koninkrijkrelaties
*
* Project : Kiezen Op Afstand (KOA)
* Project Number : ECF-2651
*
* History:
* Version Date Name Reason
* ---------------------------------------------------------
* 0.1 11-04-2003 MKu First implementation
* -----------------------------------------------------------------------
*/
package ie.ucd.srg.koa.constants;
import java.io.IOException;
import java.util.Vector;
import ie.ucd.srg.koa.exception.*;
import ie.ucd.srg.logica.eplatform.error.ErrorMessageFactory;
import ie.ucd.srg.koa.constants.ErrorConstants;
import ie.ucd.srg.koa.utils.KOALogHelper;
/**
* All possible states the KOA system could
* have are bundled in this class.
* Every state has a constant value.
*
* @author KuijerM
*
*/
public class SystemState
{
/**
* Private constructor to prevent
* creating an instance of this class
*
*/
private SystemState()
{
}
/**
* The system state is not known
*
*/
public final static String UNKNOWN = "UNKNOWN";
/**
* The system will be prepared for the elections
*
*/
public final static String PREPARE = "PREPARE";
/**
* The system is initialized and ready to be opened
*
*/
public final static String INITIALIZED = "INITIALIZED";
/**
* The system is open. In this state votes can be
* posted to the system.
*
*/
public final static String OPEN = "OPEN";
/**
* The system is blocked. If the system indicates that
* there are inconsistenties, it automatically will
* block.
*
*/
public final static String BLOCKED = "BLOCKED";
/**
* The system is suspended. During elections and there
* can not be voted.
*
*/
public final static String SUSPENDED = "SUSPENDED";
/**
* The system is closed. There can not be voted anymore.
*
*/
public final static String CLOSED = "CLOSED";
/**
* The system is re-initialized. It is ready to be
* opened.
*
*/
public final static String RE_INITIALIZED = "RE_INITIALIZED";
/**
* The system is closed and the system is ready to
* count the votes.
*
*/
public final static String READY_TO_COUNT = "READY_TO_COUNT";
/**
* The system has counted the votes. This is the final
* state.
*
*/
public final static String VOTES_COUNTED = "VOTES_COUNTED";
/**
* Get the system state mapped to an Integer
*
*/
//@ requires sState != null;
//@ ensures \result >= -1 && \result <= 6;
public static int getStateAsInt(String sState)
{
if (sState.equals(UNKNOWN))
return -1;
if (sState.equals(PREPARE))
return 0;
if (sState.equals(INITIALIZED))
return 1;
if (sState.equals(RE_INITIALIZED))
return 2;
if (sState.equals(OPEN))
return 3;
if (sState.equals(SUSPENDED))
return 4;
if (sState.equals(BLOCKED))
return 5;
if (sState.equals(READY_TO_COUNT)
|| sState.equals(VOTES_COUNTED)
|| sState.equals(CLOSED))
return 6;
return -1;
}
/**
* Method to determine if the system state should be altered
* before actions are executed on the components, or after the
* actions have been executed.
*
* @param sCurrentState The current state
* @param sNewState the new state
*
* @return boolean indicating if the state is changed before executing the components (true) or after executing the components (false)
*
*/
//@ requires sCurrentState != null;
//@ requires sNewState != null;
public static boolean changeSystemStateFirst(
String sCurrentState,
String sNewState)
{
/* if the new state is blocked always change the system state first */
if (sNewState.equals(BLOCKED))
{
return true;
}
/* if the currentstate is prepare
and new state is initialized*/
if (sCurrentState.equals(PREPARE) && sNewState.equals(INITIALIZED))
{
/* false means that the state is changed
after all the components have executed changes */
return false;
}
/* if the currentstate is initialized and new state
is open*/
else if (sCurrentState.equals(INITIALIZED) && sNewState.equals(OPEN))
{
/* false means that the state is changed
after all the components have executed changes */
return false;
}
/* if the currentstate is open and new state
is closed */
else if (sCurrentState.equals(OPEN) && sNewState.equals(CLOSED))
{
/* true means that the state is changed
first, before all the components have executed changes */
return true;
}
/* if the currentstate is open and new state
is closed */
else if (sCurrentState.equals(OPEN) && sNewState.equals(SUSPENDED))
{
/* true means that the state is changed
first, before all the components have executed changes */
return true;
}
/* if the currentstate is blocked and new state
is suspended */
else if (sCurrentState.equals(BLOCKED) && sNewState.equals(SUSPENDED))
{
/* false means that the state is changed
after all the components have executed changes */
return false;
}
/* if the currentstate is suspended and new state
is closed */
else if (sCurrentState.equals(SUSPENDED) && sNewState.equals(CLOSED))
{
/* true means that the state is changed
first, before all the components have executed changes */
return true;
}
/* if the currentstate is suspended and new state
is re-initialized */
else if (
sCurrentState.equals(SUSPENDED)
&& sNewState.equals(RE_INITIALIZED))
{
/* false means that the state is changed
after all the components have executed changes */
return false;
}
/* if the currentstate is re-initialized and new state
is open */
else if (
sCurrentState.equals(RE_INITIALIZED) && sNewState.equals(OPEN))
{
/* false means that the state is changed
after all the components have executed changes */
return false;
}
/* if the currentstate is closed and new state
is ready to count */
else if (
sCurrentState.equals(CLOSED) && sNewState.equals(READY_TO_COUNT))
{
/* false means that the state is changed
after all the components have executed changes */
return false;
}
/* if the currentstate is ready to count and new state
is votes counted */
else if (
sCurrentState.equals(READY_TO_COUNT)
&& sNewState.equals(VOTES_COUNTED))
{
/* false means that the state is changed
after all the components have executed changes */
return false;
}
/* false means that the state is changed
after all the components have executed changes */
return false;
}
/**
* Method to get all the available valid states to change
* to based on the current state.
*
* @param sCurrentState The current state
*
* @return Vector with all states (String) that are valid to change to
*
*/
//@ requires sCurrentState != null;
//@ ensures \result != null;
public static Vector getValidStateChanges(String sCurrentState)
{
Vector vValidStates = new Vector();
/* if the currentstate is prepare */
if (sCurrentState.equals(PREPARE))
{
vValidStates.add(INITIALIZED);
}
/* if the currentstate is initialized */
else if (sCurrentState.equals(INITIALIZED))
{
vValidStates.add(OPEN);
}
/* if the currentstate is open */
else if (sCurrentState.equals(OPEN))
{
vValidStates.add(CLOSED);
vValidStates.add(BLOCKED);
vValidStates.add(SUSPENDED);
}
/* if the currentstate is blocked */
else if (sCurrentState.equals(BLOCKED))
{
vValidStates.add(SUSPENDED);
}
/* if the currentstate is suspended */
else if (sCurrentState.equals(SUSPENDED))
{
vValidStates.add(CLOSED);
vValidStates.add(RE_INITIALIZED);
}
/* if the currentstate is re-initialized */
else if (sCurrentState.equals(RE_INITIALIZED))
{
vValidStates.add(OPEN);
vValidStates.add(SUSPENDED);
}
/* if the currentstate is closed */
else if (sCurrentState.equals(CLOSED))
{
vValidStates.add(READY_TO_COUNT);
}
/* if the currentstate is ready to count */
else if (sCurrentState.equals(READY_TO_COUNT))
{
vValidStates.add(VOTES_COUNTED);
}
return vValidStates;
}
/**
* Translates the State key to a dutch discription of the state.
*
* @param stateKey The key of the state to translate
*
* @return String the translation of the state key
*
*/
//@ requires stateKey != null;
//@ ensures \result != null;
public static String getDutchTranslationForState(String stateKey)
{
if (stateKey == null)
{
return "Onbekende status";
}
stateKey = stateKey.trim();
if (stateKey.equals(SystemState.PREPARE))
{
return "Voorbereiding";
}
else if (stateKey.equals(SystemState.INITIALIZED))
{
return "Gereed voor openen";
}
else if (stateKey.equals(SystemState.OPEN))
{
return "Open";
}
else if (stateKey.equals(SystemState.SUSPENDED))
{
return "Onderbroken";
}
else if (stateKey.equals(SystemState.RE_INITIALIZED))
{
return "Gereed voor hervatten";
}
else if (stateKey.equals(SystemState.BLOCKED))
{
return "Geblokkeerd";
}
else if (stateKey.equals(SystemState.CLOSED))
{
return "Gesloten";
}
else if (stateKey.equals(SystemState.READY_TO_COUNT))
{
return "Gereed voor stemopneming";
}
else if (stateKey.equals(SystemState.VOTES_COUNTED))
{
return "Stemopneming uitgevoerd";
}
else
{
return stateKey;
}
}
/**
* Method to determine if the state change should only be
* performed when all notification are succesful or always
* change the state.
*
* @param sCurrentState The currentstate
* @param sNewState The new state
*
* @return boolean The boolean indicating only to change state if succesfully notified all components (True) or always change state (false)
*
*/
//@ requires sCurrentState != null;
//@ requires sNewState != null;
public static boolean changeStateOnlyForSuccesfulNotify(
String sCurrentState,
String sNewState)
{
/* check if the systemstate should be changed first,
if this is true, always change state, because
this means the state change is to important to cancel */
if (changeSystemStateFirst(sCurrentState, sNewState))
{
/* false means always change state */
return false;
}
/* if the currentstate is prepare
and new state is initialized*/
if (sCurrentState.equals(PREPARE) && sNewState.equals(INITIALIZED))
{
/* true means only change state if notify succefully */
return true;
}
/* if the currentstate is initialized and new state
is open*/
else if (sCurrentState.equals(INITIALIZED) && sNewState.equals(OPEN))
{
/* true means only change state if notify succefully */
return true;
}
/* if the currentstate is open and new state
is closed */
else if (sCurrentState.equals(OPEN) && sNewState.equals(CLOSED))
{
/* false means always change state */
return false;
}
/* if the currentstate is open and new state
is blocked */
else if (sCurrentState.equals(OPEN) && sNewState.equals(BLOCKED))
{
/* false means always change state */
return false;
}
/* if the currentstate is open and new state
is closed */
else if (sCurrentState.equals(OPEN) && sNewState.equals(SUSPENDED))
{
/* false means always change state */
return false;
}
/* if the currentstate is blocked and new state
is suspended */
else if (sCurrentState.equals(BLOCKED) && sNewState.equals(SUSPENDED))
{
/* false means always change state */
return false;
}
/* if the currentstate is suspended and new state
is closed */
else if (sCurrentState.equals(SUSPENDED) && sNewState.equals(CLOSED))
{
/* false means always change state */
return false;
}
/* if the currentstate is suspended and new state
is re-initialized */
else if (
sCurrentState.equals(SUSPENDED)
&& sNewState.equals(RE_INITIALIZED))
{
/* true means only change state if notify succefully */
return true;
}
/* if the currentstate is re-initialized and new state
is open */
else if (
sCurrentState.equals(RE_INITIALIZED) && sNewState.equals(OPEN))
{
/* true means only change state if notify succefully */
return true;
}
/* if the currentstate is closed and new state
is ready to count */
else if (
sCurrentState.equals(CLOSED) && sNewState.equals(READY_TO_COUNT))
{
/* false means always change state */
return false;
}
/* if the currentstate is ready to count and new state
is votes counted */
else if (
sCurrentState.equals(READY_TO_COUNT)
&& sNewState.equals(VOTES_COUNTED))
{
/* false means always change state */
return false;
}
/* false means always change state */
return false;
}
/**
* Translates the State key to a whole text to show on the web page for
* the voter.
*
* @param stateKey The key of the state to translate
*
* @return String the text saying the elections are open or closed.
*
*/
//@ requires sCurrentState != null;
public static String getWebTextForState(String sCurrentState)
{
String sText = null;
if (sCurrentState == null || sCurrentState.equals(SystemState.UNKNOWN))
{
KOALogHelper.log(
KOALogHelper.WARNING,
"[SystemState.getWebTextForState] state unknown");
return sText;
}
try
{
ErrorMessageFactory msgFactory =
ErrorMessageFactory.getErrorMessageFactory();
if (sCurrentState.equals(SystemState.OPEN))
{
sText = null;
}
else if (
sCurrentState.equals(SystemState.PREPARE)
|| sCurrentState.equals(SystemState.INITIALIZED))
{
sText =
msgFactory.getErrorMessage(
ErrorConstants.ERR_ELECTION_NOT_YET_OPEN,
null);
}
else if (sCurrentState.equals(SystemState.BLOCKED))
{
sText =
msgFactory.getErrorMessage(
ErrorConstants.ERR_ELECTION_BLOCKED,
null);
}
else if (
sCurrentState.equals(SystemState.SUSPENDED)
|| sCurrentState.equals(SystemState.RE_INITIALIZED))
{
sText =
msgFactory.getErrorMessage(
ErrorConstants.ERR_ELECTION_SUSPENDED,
null);
}
else if (
sCurrentState.equals(SystemState.CLOSED)
|| sCurrentState.equals(SystemState.READY_TO_COUNT)
|| sCurrentState.equals(SystemState.VOTES_COUNTED))
{
sText =
msgFactory.getErrorMessage(
ErrorConstants.ERR_ELECTION_CLOSED,
null);
}
}
catch (IOException ioe)
{
KOALogHelper.logError(
"SystemState.getWebTextForState",
"Failed to get status messages from ErrorMessageFactory",
ioe);
}
/**@author Alan Morkan */
//TODO Properly complete the body of the following catch block
catch(KOAException k){
System.out.println(k);
}
return sText;
}
}
| FreeAndFair/KOA | infrastructure/source/WebVotingSystem/src/ie/ucd/srg/koa/constants/SystemState.java | 4,612 | /** -----------------------------------------------------------------------
*
* ie.ucd.srg.koa.constants.SystemState.java
*
* -----------------------------------------------------------------------
*
* (c) 2003 Ministerie van Binnenlandse Zaken en Koninkrijkrelaties
*
* Project : Kiezen Op Afstand (KOA)
* Project Number : ECF-2651
*
* History:
* Version Date Name Reason
* ---------------------------------------------------------
* 0.1 11-04-2003 MKu First implementation
* -----------------------------------------------------------------------
*/ | block_comment | nl | /** -----------------------------------------------------------------------
<SUF>*/
package ie.ucd.srg.koa.constants;
import java.io.IOException;
import java.util.Vector;
import ie.ucd.srg.koa.exception.*;
import ie.ucd.srg.logica.eplatform.error.ErrorMessageFactory;
import ie.ucd.srg.koa.constants.ErrorConstants;
import ie.ucd.srg.koa.utils.KOALogHelper;
/**
* All possible states the KOA system could
* have are bundled in this class.
* Every state has a constant value.
*
* @author KuijerM
*
*/
public class SystemState
{
/**
* Private constructor to prevent
* creating an instance of this class
*
*/
private SystemState()
{
}
/**
* The system state is not known
*
*/
public final static String UNKNOWN = "UNKNOWN";
/**
* The system will be prepared for the elections
*
*/
public final static String PREPARE = "PREPARE";
/**
* The system is initialized and ready to be opened
*
*/
public final static String INITIALIZED = "INITIALIZED";
/**
* The system is open. In this state votes can be
* posted to the system.
*
*/
public final static String OPEN = "OPEN";
/**
* The system is blocked. If the system indicates that
* there are inconsistenties, it automatically will
* block.
*
*/
public final static String BLOCKED = "BLOCKED";
/**
* The system is suspended. During elections and there
* can not be voted.
*
*/
public final static String SUSPENDED = "SUSPENDED";
/**
* The system is closed. There can not be voted anymore.
*
*/
public final static String CLOSED = "CLOSED";
/**
* The system is re-initialized. It is ready to be
* opened.
*
*/
public final static String RE_INITIALIZED = "RE_INITIALIZED";
/**
* The system is closed and the system is ready to
* count the votes.
*
*/
public final static String READY_TO_COUNT = "READY_TO_COUNT";
/**
* The system has counted the votes. This is the final
* state.
*
*/
public final static String VOTES_COUNTED = "VOTES_COUNTED";
/**
* Get the system state mapped to an Integer
*
*/
//@ requires sState != null;
//@ ensures \result >= -1 && \result <= 6;
public static int getStateAsInt(String sState)
{
if (sState.equals(UNKNOWN))
return -1;
if (sState.equals(PREPARE))
return 0;
if (sState.equals(INITIALIZED))
return 1;
if (sState.equals(RE_INITIALIZED))
return 2;
if (sState.equals(OPEN))
return 3;
if (sState.equals(SUSPENDED))
return 4;
if (sState.equals(BLOCKED))
return 5;
if (sState.equals(READY_TO_COUNT)
|| sState.equals(VOTES_COUNTED)
|| sState.equals(CLOSED))
return 6;
return -1;
}
/**
* Method to determine if the system state should be altered
* before actions are executed on the components, or after the
* actions have been executed.
*
* @param sCurrentState The current state
* @param sNewState the new state
*
* @return boolean indicating if the state is changed before executing the components (true) or after executing the components (false)
*
*/
//@ requires sCurrentState != null;
//@ requires sNewState != null;
public static boolean changeSystemStateFirst(
String sCurrentState,
String sNewState)
{
/* if the new state is blocked always change the system state first */
if (sNewState.equals(BLOCKED))
{
return true;
}
/* if the currentstate is prepare
and new state is initialized*/
if (sCurrentState.equals(PREPARE) && sNewState.equals(INITIALIZED))
{
/* false means that the state is changed
after all the components have executed changes */
return false;
}
/* if the currentstate is initialized and new state
is open*/
else if (sCurrentState.equals(INITIALIZED) && sNewState.equals(OPEN))
{
/* false means that the state is changed
after all the components have executed changes */
return false;
}
/* if the currentstate is open and new state
is closed */
else if (sCurrentState.equals(OPEN) && sNewState.equals(CLOSED))
{
/* true means that the state is changed
first, before all the components have executed changes */
return true;
}
/* if the currentstate is open and new state
is closed */
else if (sCurrentState.equals(OPEN) && sNewState.equals(SUSPENDED))
{
/* true means that the state is changed
first, before all the components have executed changes */
return true;
}
/* if the currentstate is blocked and new state
is suspended */
else if (sCurrentState.equals(BLOCKED) && sNewState.equals(SUSPENDED))
{
/* false means that the state is changed
after all the components have executed changes */
return false;
}
/* if the currentstate is suspended and new state
is closed */
else if (sCurrentState.equals(SUSPENDED) && sNewState.equals(CLOSED))
{
/* true means that the state is changed
first, before all the components have executed changes */
return true;
}
/* if the currentstate is suspended and new state
is re-initialized */
else if (
sCurrentState.equals(SUSPENDED)
&& sNewState.equals(RE_INITIALIZED))
{
/* false means that the state is changed
after all the components have executed changes */
return false;
}
/* if the currentstate is re-initialized and new state
is open */
else if (
sCurrentState.equals(RE_INITIALIZED) && sNewState.equals(OPEN))
{
/* false means that the state is changed
after all the components have executed changes */
return false;
}
/* if the currentstate is closed and new state
is ready to count */
else if (
sCurrentState.equals(CLOSED) && sNewState.equals(READY_TO_COUNT))
{
/* false means that the state is changed
after all the components have executed changes */
return false;
}
/* if the currentstate is ready to count and new state
is votes counted */
else if (
sCurrentState.equals(READY_TO_COUNT)
&& sNewState.equals(VOTES_COUNTED))
{
/* false means that the state is changed
after all the components have executed changes */
return false;
}
/* false means that the state is changed
after all the components have executed changes */
return false;
}
/**
* Method to get all the available valid states to change
* to based on the current state.
*
* @param sCurrentState The current state
*
* @return Vector with all states (String) that are valid to change to
*
*/
//@ requires sCurrentState != null;
//@ ensures \result != null;
public static Vector getValidStateChanges(String sCurrentState)
{
Vector vValidStates = new Vector();
/* if the currentstate is prepare */
if (sCurrentState.equals(PREPARE))
{
vValidStates.add(INITIALIZED);
}
/* if the currentstate is initialized */
else if (sCurrentState.equals(INITIALIZED))
{
vValidStates.add(OPEN);
}
/* if the currentstate is open */
else if (sCurrentState.equals(OPEN))
{
vValidStates.add(CLOSED);
vValidStates.add(BLOCKED);
vValidStates.add(SUSPENDED);
}
/* if the currentstate is blocked */
else if (sCurrentState.equals(BLOCKED))
{
vValidStates.add(SUSPENDED);
}
/* if the currentstate is suspended */
else if (sCurrentState.equals(SUSPENDED))
{
vValidStates.add(CLOSED);
vValidStates.add(RE_INITIALIZED);
}
/* if the currentstate is re-initialized */
else if (sCurrentState.equals(RE_INITIALIZED))
{
vValidStates.add(OPEN);
vValidStates.add(SUSPENDED);
}
/* if the currentstate is closed */
else if (sCurrentState.equals(CLOSED))
{
vValidStates.add(READY_TO_COUNT);
}
/* if the currentstate is ready to count */
else if (sCurrentState.equals(READY_TO_COUNT))
{
vValidStates.add(VOTES_COUNTED);
}
return vValidStates;
}
/**
* Translates the State key to a dutch discription of the state.
*
* @param stateKey The key of the state to translate
*
* @return String the translation of the state key
*
*/
//@ requires stateKey != null;
//@ ensures \result != null;
public static String getDutchTranslationForState(String stateKey)
{
if (stateKey == null)
{
return "Onbekende status";
}
stateKey = stateKey.trim();
if (stateKey.equals(SystemState.PREPARE))
{
return "Voorbereiding";
}
else if (stateKey.equals(SystemState.INITIALIZED))
{
return "Gereed voor openen";
}
else if (stateKey.equals(SystemState.OPEN))
{
return "Open";
}
else if (stateKey.equals(SystemState.SUSPENDED))
{
return "Onderbroken";
}
else if (stateKey.equals(SystemState.RE_INITIALIZED))
{
return "Gereed voor hervatten";
}
else if (stateKey.equals(SystemState.BLOCKED))
{
return "Geblokkeerd";
}
else if (stateKey.equals(SystemState.CLOSED))
{
return "Gesloten";
}
else if (stateKey.equals(SystemState.READY_TO_COUNT))
{
return "Gereed voor stemopneming";
}
else if (stateKey.equals(SystemState.VOTES_COUNTED))
{
return "Stemopneming uitgevoerd";
}
else
{
return stateKey;
}
}
/**
* Method to determine if the state change should only be
* performed when all notification are succesful or always
* change the state.
*
* @param sCurrentState The currentstate
* @param sNewState The new state
*
* @return boolean The boolean indicating only to change state if succesfully notified all components (True) or always change state (false)
*
*/
//@ requires sCurrentState != null;
//@ requires sNewState != null;
public static boolean changeStateOnlyForSuccesfulNotify(
String sCurrentState,
String sNewState)
{
/* check if the systemstate should be changed first,
if this is true, always change state, because
this means the state change is to important to cancel */
if (changeSystemStateFirst(sCurrentState, sNewState))
{
/* false means always change state */
return false;
}
/* if the currentstate is prepare
and new state is initialized*/
if (sCurrentState.equals(PREPARE) && sNewState.equals(INITIALIZED))
{
/* true means only change state if notify succefully */
return true;
}
/* if the currentstate is initialized and new state
is open*/
else if (sCurrentState.equals(INITIALIZED) && sNewState.equals(OPEN))
{
/* true means only change state if notify succefully */
return true;
}
/* if the currentstate is open and new state
is closed */
else if (sCurrentState.equals(OPEN) && sNewState.equals(CLOSED))
{
/* false means always change state */
return false;
}
/* if the currentstate is open and new state
is blocked */
else if (sCurrentState.equals(OPEN) && sNewState.equals(BLOCKED))
{
/* false means always change state */
return false;
}
/* if the currentstate is open and new state
is closed */
else if (sCurrentState.equals(OPEN) && sNewState.equals(SUSPENDED))
{
/* false means always change state */
return false;
}
/* if the currentstate is blocked and new state
is suspended */
else if (sCurrentState.equals(BLOCKED) && sNewState.equals(SUSPENDED))
{
/* false means always change state */
return false;
}
/* if the currentstate is suspended and new state
is closed */
else if (sCurrentState.equals(SUSPENDED) && sNewState.equals(CLOSED))
{
/* false means always change state */
return false;
}
/* if the currentstate is suspended and new state
is re-initialized */
else if (
sCurrentState.equals(SUSPENDED)
&& sNewState.equals(RE_INITIALIZED))
{
/* true means only change state if notify succefully */
return true;
}
/* if the currentstate is re-initialized and new state
is open */
else if (
sCurrentState.equals(RE_INITIALIZED) && sNewState.equals(OPEN))
{
/* true means only change state if notify succefully */
return true;
}
/* if the currentstate is closed and new state
is ready to count */
else if (
sCurrentState.equals(CLOSED) && sNewState.equals(READY_TO_COUNT))
{
/* false means always change state */
return false;
}
/* if the currentstate is ready to count and new state
is votes counted */
else if (
sCurrentState.equals(READY_TO_COUNT)
&& sNewState.equals(VOTES_COUNTED))
{
/* false means always change state */
return false;
}
/* false means always change state */
return false;
}
/**
* Translates the State key to a whole text to show on the web page for
* the voter.
*
* @param stateKey The key of the state to translate
*
* @return String the text saying the elections are open or closed.
*
*/
//@ requires sCurrentState != null;
public static String getWebTextForState(String sCurrentState)
{
String sText = null;
if (sCurrentState == null || sCurrentState.equals(SystemState.UNKNOWN))
{
KOALogHelper.log(
KOALogHelper.WARNING,
"[SystemState.getWebTextForState] state unknown");
return sText;
}
try
{
ErrorMessageFactory msgFactory =
ErrorMessageFactory.getErrorMessageFactory();
if (sCurrentState.equals(SystemState.OPEN))
{
sText = null;
}
else if (
sCurrentState.equals(SystemState.PREPARE)
|| sCurrentState.equals(SystemState.INITIALIZED))
{
sText =
msgFactory.getErrorMessage(
ErrorConstants.ERR_ELECTION_NOT_YET_OPEN,
null);
}
else if (sCurrentState.equals(SystemState.BLOCKED))
{
sText =
msgFactory.getErrorMessage(
ErrorConstants.ERR_ELECTION_BLOCKED,
null);
}
else if (
sCurrentState.equals(SystemState.SUSPENDED)
|| sCurrentState.equals(SystemState.RE_INITIALIZED))
{
sText =
msgFactory.getErrorMessage(
ErrorConstants.ERR_ELECTION_SUSPENDED,
null);
}
else if (
sCurrentState.equals(SystemState.CLOSED)
|| sCurrentState.equals(SystemState.READY_TO_COUNT)
|| sCurrentState.equals(SystemState.VOTES_COUNTED))
{
sText =
msgFactory.getErrorMessage(
ErrorConstants.ERR_ELECTION_CLOSED,
null);
}
}
catch (IOException ioe)
{
KOALogHelper.logError(
"SystemState.getWebTextForState",
"Failed to get status messages from ErrorMessageFactory",
ioe);
}
/**@author Alan Morkan */
//TODO Properly complete the body of the following catch block
catch(KOAException k){
System.out.println(k);
}
return sText;
}
}
|
211603_1 | package be.ucll.java.ent.view;
import be.ucll.java.ent.domain.StudentDTO;
import be.ucll.java.ent.controller.StudentEJBLocal;
import javax.ejb.EJB;
import javax.ejb.EJBException;
import javax.servlet.ServletException;
import javax.servlet.annotation.WebServlet;
import javax.servlet.http.HttpServlet;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import java.io.IOException;
import java.util.ArrayList;
@WebServlet(name = "StudentServlet", urlPatterns = {"/"})
public class StudentServlet extends HttpServlet {
@EJB
private StudentEJBLocal studentEJB;
@Override
protected void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
// Just proceed to the JSP page with no further input (Attributes)
request.getRequestDispatcher("studentinfo.jsp").forward(request, response);
}
@Override
protected void doPost(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
// Op welke knop werd er gedrukt?
String actie = request.getParameter("actie");
// Data van de input boxen ophalen en ID omzetten naar een long.
String studentIdStr = request.getParameter("studentId");
long studentId = 0L;
if (studentIdStr != null && !studentIdStr.trim().equals("")) {
try {
studentId = Long.parseLong(studentIdStr);
} catch (NumberFormatException e) {
studentId = 0L;
}
}
String naam = request.getParameter("naam");
// Boodschap initialiseren/leegmaken
String infoMsg = "";
String errMsg = "";
// Data Transfer Object voorbereiden
StudentDTO dto;
try {
if ("Toevoegen".equalsIgnoreCase(actie)) {
dto = new StudentDTO(naam);
long id = studentEJB.createStudent(dto);
infoMsg = "Student aangemaakt met id " + id;
} else if ("Wijzigen".equalsIgnoreCase(actie)) {
dto = new StudentDTO(studentId, naam);
studentEJB.updateStudent(dto);
} else if ("Verwijderen".equalsIgnoreCase(actie)) {
studentEJB.deleteStudent(studentId);
} else if ("Zoeken".equalsIgnoreCase(actie)) {
if (studentId > 0) {
dto = studentEJB.getStudentById(studentId);
ArrayList<StudentDTO> al = new ArrayList<>();
al.add(dto);
request.setAttribute("allStudents", al);
} else if (naam != null && naam.trim().length() > 0) {
dto = studentEJB.getStudentByName(naam.trim().toLowerCase());
ArrayList<StudentDTO> al = new ArrayList<>();
al.add(dto);
request.setAttribute("allStudents", al);
} else {
request.setAttribute("allStudents", studentEJB.getAllStudents());
}
}
} catch (EJBException e) {
errMsg = e.getCausedByException().getMessage();
request.setAttribute("errMsg", errMsg);
}
request.setAttribute("infoMsg", infoMsg);
request.getRequestDispatcher("studentinfo.jsp").forward(request, response);
}
}
| UcllJavaEnterprise/stubs-servlet | src/main/java/be/ucll/java/ent/view/StudentServlet.java | 775 | // Op welke knop werd er gedrukt? | line_comment | nl | package be.ucll.java.ent.view;
import be.ucll.java.ent.domain.StudentDTO;
import be.ucll.java.ent.controller.StudentEJBLocal;
import javax.ejb.EJB;
import javax.ejb.EJBException;
import javax.servlet.ServletException;
import javax.servlet.annotation.WebServlet;
import javax.servlet.http.HttpServlet;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import java.io.IOException;
import java.util.ArrayList;
@WebServlet(name = "StudentServlet", urlPatterns = {"/"})
public class StudentServlet extends HttpServlet {
@EJB
private StudentEJBLocal studentEJB;
@Override
protected void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
// Just proceed to the JSP page with no further input (Attributes)
request.getRequestDispatcher("studentinfo.jsp").forward(request, response);
}
@Override
protected void doPost(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
// Op welke<SUF>
String actie = request.getParameter("actie");
// Data van de input boxen ophalen en ID omzetten naar een long.
String studentIdStr = request.getParameter("studentId");
long studentId = 0L;
if (studentIdStr != null && !studentIdStr.trim().equals("")) {
try {
studentId = Long.parseLong(studentIdStr);
} catch (NumberFormatException e) {
studentId = 0L;
}
}
String naam = request.getParameter("naam");
// Boodschap initialiseren/leegmaken
String infoMsg = "";
String errMsg = "";
// Data Transfer Object voorbereiden
StudentDTO dto;
try {
if ("Toevoegen".equalsIgnoreCase(actie)) {
dto = new StudentDTO(naam);
long id = studentEJB.createStudent(dto);
infoMsg = "Student aangemaakt met id " + id;
} else if ("Wijzigen".equalsIgnoreCase(actie)) {
dto = new StudentDTO(studentId, naam);
studentEJB.updateStudent(dto);
} else if ("Verwijderen".equalsIgnoreCase(actie)) {
studentEJB.deleteStudent(studentId);
} else if ("Zoeken".equalsIgnoreCase(actie)) {
if (studentId > 0) {
dto = studentEJB.getStudentById(studentId);
ArrayList<StudentDTO> al = new ArrayList<>();
al.add(dto);
request.setAttribute("allStudents", al);
} else if (naam != null && naam.trim().length() > 0) {
dto = studentEJB.getStudentByName(naam.trim().toLowerCase());
ArrayList<StudentDTO> al = new ArrayList<>();
al.add(dto);
request.setAttribute("allStudents", al);
} else {
request.setAttribute("allStudents", studentEJB.getAllStudents());
}
}
} catch (EJBException e) {
errMsg = e.getCausedByException().getMessage();
request.setAttribute("errMsg", errMsg);
}
request.setAttribute("infoMsg", infoMsg);
request.getRequestDispatcher("studentinfo.jsp").forward(request, response);
}
}
|
211603_2 | package be.ucll.java.ent.view;
import be.ucll.java.ent.domain.StudentDTO;
import be.ucll.java.ent.controller.StudentEJBLocal;
import javax.ejb.EJB;
import javax.ejb.EJBException;
import javax.servlet.ServletException;
import javax.servlet.annotation.WebServlet;
import javax.servlet.http.HttpServlet;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import java.io.IOException;
import java.util.ArrayList;
@WebServlet(name = "StudentServlet", urlPatterns = {"/"})
public class StudentServlet extends HttpServlet {
@EJB
private StudentEJBLocal studentEJB;
@Override
protected void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
// Just proceed to the JSP page with no further input (Attributes)
request.getRequestDispatcher("studentinfo.jsp").forward(request, response);
}
@Override
protected void doPost(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
// Op welke knop werd er gedrukt?
String actie = request.getParameter("actie");
// Data van de input boxen ophalen en ID omzetten naar een long.
String studentIdStr = request.getParameter("studentId");
long studentId = 0L;
if (studentIdStr != null && !studentIdStr.trim().equals("")) {
try {
studentId = Long.parseLong(studentIdStr);
} catch (NumberFormatException e) {
studentId = 0L;
}
}
String naam = request.getParameter("naam");
// Boodschap initialiseren/leegmaken
String infoMsg = "";
String errMsg = "";
// Data Transfer Object voorbereiden
StudentDTO dto;
try {
if ("Toevoegen".equalsIgnoreCase(actie)) {
dto = new StudentDTO(naam);
long id = studentEJB.createStudent(dto);
infoMsg = "Student aangemaakt met id " + id;
} else if ("Wijzigen".equalsIgnoreCase(actie)) {
dto = new StudentDTO(studentId, naam);
studentEJB.updateStudent(dto);
} else if ("Verwijderen".equalsIgnoreCase(actie)) {
studentEJB.deleteStudent(studentId);
} else if ("Zoeken".equalsIgnoreCase(actie)) {
if (studentId > 0) {
dto = studentEJB.getStudentById(studentId);
ArrayList<StudentDTO> al = new ArrayList<>();
al.add(dto);
request.setAttribute("allStudents", al);
} else if (naam != null && naam.trim().length() > 0) {
dto = studentEJB.getStudentByName(naam.trim().toLowerCase());
ArrayList<StudentDTO> al = new ArrayList<>();
al.add(dto);
request.setAttribute("allStudents", al);
} else {
request.setAttribute("allStudents", studentEJB.getAllStudents());
}
}
} catch (EJBException e) {
errMsg = e.getCausedByException().getMessage();
request.setAttribute("errMsg", errMsg);
}
request.setAttribute("infoMsg", infoMsg);
request.getRequestDispatcher("studentinfo.jsp").forward(request, response);
}
}
| UcllJavaEnterprise/stubs-servlet | src/main/java/be/ucll/java/ent/view/StudentServlet.java | 775 | // Data van de input boxen ophalen en ID omzetten naar een long. | line_comment | nl | package be.ucll.java.ent.view;
import be.ucll.java.ent.domain.StudentDTO;
import be.ucll.java.ent.controller.StudentEJBLocal;
import javax.ejb.EJB;
import javax.ejb.EJBException;
import javax.servlet.ServletException;
import javax.servlet.annotation.WebServlet;
import javax.servlet.http.HttpServlet;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import java.io.IOException;
import java.util.ArrayList;
@WebServlet(name = "StudentServlet", urlPatterns = {"/"})
public class StudentServlet extends HttpServlet {
@EJB
private StudentEJBLocal studentEJB;
@Override
protected void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
// Just proceed to the JSP page with no further input (Attributes)
request.getRequestDispatcher("studentinfo.jsp").forward(request, response);
}
@Override
protected void doPost(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
// Op welke knop werd er gedrukt?
String actie = request.getParameter("actie");
// Data van<SUF>
String studentIdStr = request.getParameter("studentId");
long studentId = 0L;
if (studentIdStr != null && !studentIdStr.trim().equals("")) {
try {
studentId = Long.parseLong(studentIdStr);
} catch (NumberFormatException e) {
studentId = 0L;
}
}
String naam = request.getParameter("naam");
// Boodschap initialiseren/leegmaken
String infoMsg = "";
String errMsg = "";
// Data Transfer Object voorbereiden
StudentDTO dto;
try {
if ("Toevoegen".equalsIgnoreCase(actie)) {
dto = new StudentDTO(naam);
long id = studentEJB.createStudent(dto);
infoMsg = "Student aangemaakt met id " + id;
} else if ("Wijzigen".equalsIgnoreCase(actie)) {
dto = new StudentDTO(studentId, naam);
studentEJB.updateStudent(dto);
} else if ("Verwijderen".equalsIgnoreCase(actie)) {
studentEJB.deleteStudent(studentId);
} else if ("Zoeken".equalsIgnoreCase(actie)) {
if (studentId > 0) {
dto = studentEJB.getStudentById(studentId);
ArrayList<StudentDTO> al = new ArrayList<>();
al.add(dto);
request.setAttribute("allStudents", al);
} else if (naam != null && naam.trim().length() > 0) {
dto = studentEJB.getStudentByName(naam.trim().toLowerCase());
ArrayList<StudentDTO> al = new ArrayList<>();
al.add(dto);
request.setAttribute("allStudents", al);
} else {
request.setAttribute("allStudents", studentEJB.getAllStudents());
}
}
} catch (EJBException e) {
errMsg = e.getCausedByException().getMessage();
request.setAttribute("errMsg", errMsg);
}
request.setAttribute("infoMsg", infoMsg);
request.getRequestDispatcher("studentinfo.jsp").forward(request, response);
}
}
|
211603_3 | package be.ucll.java.ent.view;
import be.ucll.java.ent.domain.StudentDTO;
import be.ucll.java.ent.controller.StudentEJBLocal;
import javax.ejb.EJB;
import javax.ejb.EJBException;
import javax.servlet.ServletException;
import javax.servlet.annotation.WebServlet;
import javax.servlet.http.HttpServlet;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import java.io.IOException;
import java.util.ArrayList;
@WebServlet(name = "StudentServlet", urlPatterns = {"/"})
public class StudentServlet extends HttpServlet {
@EJB
private StudentEJBLocal studentEJB;
@Override
protected void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
// Just proceed to the JSP page with no further input (Attributes)
request.getRequestDispatcher("studentinfo.jsp").forward(request, response);
}
@Override
protected void doPost(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
// Op welke knop werd er gedrukt?
String actie = request.getParameter("actie");
// Data van de input boxen ophalen en ID omzetten naar een long.
String studentIdStr = request.getParameter("studentId");
long studentId = 0L;
if (studentIdStr != null && !studentIdStr.trim().equals("")) {
try {
studentId = Long.parseLong(studentIdStr);
} catch (NumberFormatException e) {
studentId = 0L;
}
}
String naam = request.getParameter("naam");
// Boodschap initialiseren/leegmaken
String infoMsg = "";
String errMsg = "";
// Data Transfer Object voorbereiden
StudentDTO dto;
try {
if ("Toevoegen".equalsIgnoreCase(actie)) {
dto = new StudentDTO(naam);
long id = studentEJB.createStudent(dto);
infoMsg = "Student aangemaakt met id " + id;
} else if ("Wijzigen".equalsIgnoreCase(actie)) {
dto = new StudentDTO(studentId, naam);
studentEJB.updateStudent(dto);
} else if ("Verwijderen".equalsIgnoreCase(actie)) {
studentEJB.deleteStudent(studentId);
} else if ("Zoeken".equalsIgnoreCase(actie)) {
if (studentId > 0) {
dto = studentEJB.getStudentById(studentId);
ArrayList<StudentDTO> al = new ArrayList<>();
al.add(dto);
request.setAttribute("allStudents", al);
} else if (naam != null && naam.trim().length() > 0) {
dto = studentEJB.getStudentByName(naam.trim().toLowerCase());
ArrayList<StudentDTO> al = new ArrayList<>();
al.add(dto);
request.setAttribute("allStudents", al);
} else {
request.setAttribute("allStudents", studentEJB.getAllStudents());
}
}
} catch (EJBException e) {
errMsg = e.getCausedByException().getMessage();
request.setAttribute("errMsg", errMsg);
}
request.setAttribute("infoMsg", infoMsg);
request.getRequestDispatcher("studentinfo.jsp").forward(request, response);
}
}
| UcllJavaEnterprise/stubs-servlet | src/main/java/be/ucll/java/ent/view/StudentServlet.java | 775 | // Data Transfer Object voorbereiden | line_comment | nl | package be.ucll.java.ent.view;
import be.ucll.java.ent.domain.StudentDTO;
import be.ucll.java.ent.controller.StudentEJBLocal;
import javax.ejb.EJB;
import javax.ejb.EJBException;
import javax.servlet.ServletException;
import javax.servlet.annotation.WebServlet;
import javax.servlet.http.HttpServlet;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import java.io.IOException;
import java.util.ArrayList;
@WebServlet(name = "StudentServlet", urlPatterns = {"/"})
public class StudentServlet extends HttpServlet {
@EJB
private StudentEJBLocal studentEJB;
@Override
protected void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
// Just proceed to the JSP page with no further input (Attributes)
request.getRequestDispatcher("studentinfo.jsp").forward(request, response);
}
@Override
protected void doPost(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
// Op welke knop werd er gedrukt?
String actie = request.getParameter("actie");
// Data van de input boxen ophalen en ID omzetten naar een long.
String studentIdStr = request.getParameter("studentId");
long studentId = 0L;
if (studentIdStr != null && !studentIdStr.trim().equals("")) {
try {
studentId = Long.parseLong(studentIdStr);
} catch (NumberFormatException e) {
studentId = 0L;
}
}
String naam = request.getParameter("naam");
// Boodschap initialiseren/leegmaken
String infoMsg = "";
String errMsg = "";
// Data Transfer<SUF>
StudentDTO dto;
try {
if ("Toevoegen".equalsIgnoreCase(actie)) {
dto = new StudentDTO(naam);
long id = studentEJB.createStudent(dto);
infoMsg = "Student aangemaakt met id " + id;
} else if ("Wijzigen".equalsIgnoreCase(actie)) {
dto = new StudentDTO(studentId, naam);
studentEJB.updateStudent(dto);
} else if ("Verwijderen".equalsIgnoreCase(actie)) {
studentEJB.deleteStudent(studentId);
} else if ("Zoeken".equalsIgnoreCase(actie)) {
if (studentId > 0) {
dto = studentEJB.getStudentById(studentId);
ArrayList<StudentDTO> al = new ArrayList<>();
al.add(dto);
request.setAttribute("allStudents", al);
} else if (naam != null && naam.trim().length() > 0) {
dto = studentEJB.getStudentByName(naam.trim().toLowerCase());
ArrayList<StudentDTO> al = new ArrayList<>();
al.add(dto);
request.setAttribute("allStudents", al);
} else {
request.setAttribute("allStudents", studentEJB.getAllStudents());
}
}
} catch (EJBException e) {
errMsg = e.getCausedByException().getMessage();
request.setAttribute("errMsg", errMsg);
}
request.setAttribute("infoMsg", infoMsg);
request.getRequestDispatcher("studentinfo.jsp").forward(request, response);
}
}
|
211614_0 | package exceptions;
import java.io.File;
import java.io.IOException;
import java.nio.file.Files;
import java.nio.file.Path;
import java.nio.file.Paths;
import java.util.ArrayList;
import java.util.Scanner;
// Als voorbereiding op periode 3 : inlezen van game data, wegschrijven van scores.
public class IOExceptionDemo
{
private Path pathToFileWrong;
private Path pathToFileCorrect;
private Scanner fileScanner;
public IOExceptionDemo()
{
pathToFileWrong = Paths.get("files" + File.separator + "gamedat.txt");
pathToFileCorrect = Paths.get("files" + File.separator + "gamedata.txt");
}
public void showLines()
{
// Static method om te testen of de file bestaat : exists.
// Zet eerst de if clause in commentaar en run -> je springt naar de catch.
// Zet dan de if clause uit commentaar en run -> geen probleem, maar je ziet niets, want de file bestaat niet.
if (Files.exists(pathToFileWrong))
{
try
{
fileScanner = new Scanner(pathToFileWrong);
while (fileScanner.hasNext())
{
String line = fileScanner.nextLine();
System.out.println(line);
}
}
catch (IOException e)
{
e.printStackTrace();
}
finally
{
if (fileScanner != null)
{
fileScanner.close();
}
}
}
}
private ArrayList<String> hints;
private ArrayList<String> solutions;
public void processLines()
{
hints = new ArrayList<String>();
solutions = new ArrayList<String>();
if (Files.exists(pathToFileCorrect))
{
try
{
fileScanner = new Scanner(pathToFileCorrect);
while (fileScanner.hasNext())
{
String line = fileScanner.nextLine();
String[] item = line.split("\t");
hints.add(item[0]);
solutions.add(item[1]);
}
}
catch (IOException e)
{
e.printStackTrace();
}
finally
{
if (fileScanner != null)
{
fileScanner.close();
}
}
}
}
// Utility methods
public void printHints()
{
for (String hint : hints)
{
System.out.println(hint);
}
}
public void printSolutions()
{
for (String solution : solutions)
{
System.out.println(solution);
}
}
}
| gvdhaege/KdG | Java Programming/OOPROG/P3W3/Voorbeelden/IOExceptions/src/exceptions/IOExceptionDemo.java | 660 | // Als voorbereiding op periode 3 : inlezen van game data, wegschrijven van scores. | line_comment | nl | package exceptions;
import java.io.File;
import java.io.IOException;
import java.nio.file.Files;
import java.nio.file.Path;
import java.nio.file.Paths;
import java.util.ArrayList;
import java.util.Scanner;
// Als voorbereiding<SUF>
public class IOExceptionDemo
{
private Path pathToFileWrong;
private Path pathToFileCorrect;
private Scanner fileScanner;
public IOExceptionDemo()
{
pathToFileWrong = Paths.get("files" + File.separator + "gamedat.txt");
pathToFileCorrect = Paths.get("files" + File.separator + "gamedata.txt");
}
public void showLines()
{
// Static method om te testen of de file bestaat : exists.
// Zet eerst de if clause in commentaar en run -> je springt naar de catch.
// Zet dan de if clause uit commentaar en run -> geen probleem, maar je ziet niets, want de file bestaat niet.
if (Files.exists(pathToFileWrong))
{
try
{
fileScanner = new Scanner(pathToFileWrong);
while (fileScanner.hasNext())
{
String line = fileScanner.nextLine();
System.out.println(line);
}
}
catch (IOException e)
{
e.printStackTrace();
}
finally
{
if (fileScanner != null)
{
fileScanner.close();
}
}
}
}
private ArrayList<String> hints;
private ArrayList<String> solutions;
public void processLines()
{
hints = new ArrayList<String>();
solutions = new ArrayList<String>();
if (Files.exists(pathToFileCorrect))
{
try
{
fileScanner = new Scanner(pathToFileCorrect);
while (fileScanner.hasNext())
{
String line = fileScanner.nextLine();
String[] item = line.split("\t");
hints.add(item[0]);
solutions.add(item[1]);
}
}
catch (IOException e)
{
e.printStackTrace();
}
finally
{
if (fileScanner != null)
{
fileScanner.close();
}
}
}
}
// Utility methods
public void printHints()
{
for (String hint : hints)
{
System.out.println(hint);
}
}
public void printSolutions()
{
for (String solution : solutions)
{
System.out.println(solution);
}
}
}
|
211614_2 | package exceptions;
import java.io.File;
import java.io.IOException;
import java.nio.file.Files;
import java.nio.file.Path;
import java.nio.file.Paths;
import java.util.ArrayList;
import java.util.Scanner;
// Als voorbereiding op periode 3 : inlezen van game data, wegschrijven van scores.
public class IOExceptionDemo
{
private Path pathToFileWrong;
private Path pathToFileCorrect;
private Scanner fileScanner;
public IOExceptionDemo()
{
pathToFileWrong = Paths.get("files" + File.separator + "gamedat.txt");
pathToFileCorrect = Paths.get("files" + File.separator + "gamedata.txt");
}
public void showLines()
{
// Static method om te testen of de file bestaat : exists.
// Zet eerst de if clause in commentaar en run -> je springt naar de catch.
// Zet dan de if clause uit commentaar en run -> geen probleem, maar je ziet niets, want de file bestaat niet.
if (Files.exists(pathToFileWrong))
{
try
{
fileScanner = new Scanner(pathToFileWrong);
while (fileScanner.hasNext())
{
String line = fileScanner.nextLine();
System.out.println(line);
}
}
catch (IOException e)
{
e.printStackTrace();
}
finally
{
if (fileScanner != null)
{
fileScanner.close();
}
}
}
}
private ArrayList<String> hints;
private ArrayList<String> solutions;
public void processLines()
{
hints = new ArrayList<String>();
solutions = new ArrayList<String>();
if (Files.exists(pathToFileCorrect))
{
try
{
fileScanner = new Scanner(pathToFileCorrect);
while (fileScanner.hasNext())
{
String line = fileScanner.nextLine();
String[] item = line.split("\t");
hints.add(item[0]);
solutions.add(item[1]);
}
}
catch (IOException e)
{
e.printStackTrace();
}
finally
{
if (fileScanner != null)
{
fileScanner.close();
}
}
}
}
// Utility methods
public void printHints()
{
for (String hint : hints)
{
System.out.println(hint);
}
}
public void printSolutions()
{
for (String solution : solutions)
{
System.out.println(solution);
}
}
}
| gvdhaege/KdG | Java Programming/OOPROG/P3W3/Voorbeelden/IOExceptions/src/exceptions/IOExceptionDemo.java | 660 | // Zet eerst de if clause in commentaar en run -> je springt naar de catch. | line_comment | nl | package exceptions;
import java.io.File;
import java.io.IOException;
import java.nio.file.Files;
import java.nio.file.Path;
import java.nio.file.Paths;
import java.util.ArrayList;
import java.util.Scanner;
// Als voorbereiding op periode 3 : inlezen van game data, wegschrijven van scores.
public class IOExceptionDemo
{
private Path pathToFileWrong;
private Path pathToFileCorrect;
private Scanner fileScanner;
public IOExceptionDemo()
{
pathToFileWrong = Paths.get("files" + File.separator + "gamedat.txt");
pathToFileCorrect = Paths.get("files" + File.separator + "gamedata.txt");
}
public void showLines()
{
// Static method om te testen of de file bestaat : exists.
// Zet eerst<SUF>
// Zet dan de if clause uit commentaar en run -> geen probleem, maar je ziet niets, want de file bestaat niet.
if (Files.exists(pathToFileWrong))
{
try
{
fileScanner = new Scanner(pathToFileWrong);
while (fileScanner.hasNext())
{
String line = fileScanner.nextLine();
System.out.println(line);
}
}
catch (IOException e)
{
e.printStackTrace();
}
finally
{
if (fileScanner != null)
{
fileScanner.close();
}
}
}
}
private ArrayList<String> hints;
private ArrayList<String> solutions;
public void processLines()
{
hints = new ArrayList<String>();
solutions = new ArrayList<String>();
if (Files.exists(pathToFileCorrect))
{
try
{
fileScanner = new Scanner(pathToFileCorrect);
while (fileScanner.hasNext())
{
String line = fileScanner.nextLine();
String[] item = line.split("\t");
hints.add(item[0]);
solutions.add(item[1]);
}
}
catch (IOException e)
{
e.printStackTrace();
}
finally
{
if (fileScanner != null)
{
fileScanner.close();
}
}
}
}
// Utility methods
public void printHints()
{
for (String hint : hints)
{
System.out.println(hint);
}
}
public void printSolutions()
{
for (String solution : solutions)
{
System.out.println(solution);
}
}
}
|
211614_3 | package exceptions;
import java.io.File;
import java.io.IOException;
import java.nio.file.Files;
import java.nio.file.Path;
import java.nio.file.Paths;
import java.util.ArrayList;
import java.util.Scanner;
// Als voorbereiding op periode 3 : inlezen van game data, wegschrijven van scores.
public class IOExceptionDemo
{
private Path pathToFileWrong;
private Path pathToFileCorrect;
private Scanner fileScanner;
public IOExceptionDemo()
{
pathToFileWrong = Paths.get("files" + File.separator + "gamedat.txt");
pathToFileCorrect = Paths.get("files" + File.separator + "gamedata.txt");
}
public void showLines()
{
// Static method om te testen of de file bestaat : exists.
// Zet eerst de if clause in commentaar en run -> je springt naar de catch.
// Zet dan de if clause uit commentaar en run -> geen probleem, maar je ziet niets, want de file bestaat niet.
if (Files.exists(pathToFileWrong))
{
try
{
fileScanner = new Scanner(pathToFileWrong);
while (fileScanner.hasNext())
{
String line = fileScanner.nextLine();
System.out.println(line);
}
}
catch (IOException e)
{
e.printStackTrace();
}
finally
{
if (fileScanner != null)
{
fileScanner.close();
}
}
}
}
private ArrayList<String> hints;
private ArrayList<String> solutions;
public void processLines()
{
hints = new ArrayList<String>();
solutions = new ArrayList<String>();
if (Files.exists(pathToFileCorrect))
{
try
{
fileScanner = new Scanner(pathToFileCorrect);
while (fileScanner.hasNext())
{
String line = fileScanner.nextLine();
String[] item = line.split("\t");
hints.add(item[0]);
solutions.add(item[1]);
}
}
catch (IOException e)
{
e.printStackTrace();
}
finally
{
if (fileScanner != null)
{
fileScanner.close();
}
}
}
}
// Utility methods
public void printHints()
{
for (String hint : hints)
{
System.out.println(hint);
}
}
public void printSolutions()
{
for (String solution : solutions)
{
System.out.println(solution);
}
}
}
| gvdhaege/KdG | Java Programming/OOPROG/P3W3/Voorbeelden/IOExceptions/src/exceptions/IOExceptionDemo.java | 660 | // Zet dan de if clause uit commentaar en run -> geen probleem, maar je ziet niets, want de file bestaat niet. | line_comment | nl | package exceptions;
import java.io.File;
import java.io.IOException;
import java.nio.file.Files;
import java.nio.file.Path;
import java.nio.file.Paths;
import java.util.ArrayList;
import java.util.Scanner;
// Als voorbereiding op periode 3 : inlezen van game data, wegschrijven van scores.
public class IOExceptionDemo
{
private Path pathToFileWrong;
private Path pathToFileCorrect;
private Scanner fileScanner;
public IOExceptionDemo()
{
pathToFileWrong = Paths.get("files" + File.separator + "gamedat.txt");
pathToFileCorrect = Paths.get("files" + File.separator + "gamedata.txt");
}
public void showLines()
{
// Static method om te testen of de file bestaat : exists.
// Zet eerst de if clause in commentaar en run -> je springt naar de catch.
// Zet dan<SUF>
if (Files.exists(pathToFileWrong))
{
try
{
fileScanner = new Scanner(pathToFileWrong);
while (fileScanner.hasNext())
{
String line = fileScanner.nextLine();
System.out.println(line);
}
}
catch (IOException e)
{
e.printStackTrace();
}
finally
{
if (fileScanner != null)
{
fileScanner.close();
}
}
}
}
private ArrayList<String> hints;
private ArrayList<String> solutions;
public void processLines()
{
hints = new ArrayList<String>();
solutions = new ArrayList<String>();
if (Files.exists(pathToFileCorrect))
{
try
{
fileScanner = new Scanner(pathToFileCorrect);
while (fileScanner.hasNext())
{
String line = fileScanner.nextLine();
String[] item = line.split("\t");
hints.add(item[0]);
solutions.add(item[1]);
}
}
catch (IOException e)
{
e.printStackTrace();
}
finally
{
if (fileScanner != null)
{
fileScanner.close();
}
}
}
}
// Utility methods
public void printHints()
{
for (String hint : hints)
{
System.out.println(hint);
}
}
public void printSolutions()
{
for (String solution : solutions)
{
System.out.println(solution);
}
}
}
|
211633_0 | package main;
import java.io.FileNotFoundException;
public class Main {
public static void main(String[] args) {
// TODO: als het bestand niet gevonden wordt, dan vang je de fout HIER op.
Puzzelhulp scrabble = new Puzzelhulp("puzzelwoorden.txt");
System.out.println("met lengte 4: " + scrabble.aantalWoordenMetLengte(4));
System.out.println("met lengte 5: " + scrabble.aantalWoordenMetLengte(5));
System.out.println("met lengte 6: " + scrabble.aantalWoordenMetLengte(6));
System.out.println("met lengte 7: " + scrabble.aantalWoordenMetLengte(7));
System.out.println(scrabble.woordenMetLengte(4));
System.out.println(scrabble.woordenMetMeerKlinkersDanMedeklinkers());
System.out.print("\nWoorden met a, b en c in: ");
scrabble.schrijfWoordenMetLetters('a', 'b', 'c');
System.out.print("\nWoorden met x en y in: ");
scrabble.schrijfWoordenMetLetters('x', 'y');
System.out.println("\n");
for (int i = 2; i < 9; i++) {
System.out.println("Alfabetisch eerste voor lengte " + i + ": " + scrabble.alfabetischEerste(i));
}
System.out.println();
for (int i = 2; i < 9; i++) {
System.out.println("Alfabetisch laatste voor lengte " + i + ": " + scrabble.alfabetischLaatste(i));
}
}
}
| AdrenalineGhost/Projects | ExamenVoorbereiding/reeks9/Kruiswoordhulp/src/main/Main.java | 430 | // TODO: als het bestand niet gevonden wordt, dan vang je de fout HIER op. | line_comment | nl | package main;
import java.io.FileNotFoundException;
public class Main {
public static void main(String[] args) {
// TODO: als<SUF>
Puzzelhulp scrabble = new Puzzelhulp("puzzelwoorden.txt");
System.out.println("met lengte 4: " + scrabble.aantalWoordenMetLengte(4));
System.out.println("met lengte 5: " + scrabble.aantalWoordenMetLengte(5));
System.out.println("met lengte 6: " + scrabble.aantalWoordenMetLengte(6));
System.out.println("met lengte 7: " + scrabble.aantalWoordenMetLengte(7));
System.out.println(scrabble.woordenMetLengte(4));
System.out.println(scrabble.woordenMetMeerKlinkersDanMedeklinkers());
System.out.print("\nWoorden met a, b en c in: ");
scrabble.schrijfWoordenMetLetters('a', 'b', 'c');
System.out.print("\nWoorden met x en y in: ");
scrabble.schrijfWoordenMetLetters('x', 'y');
System.out.println("\n");
for (int i = 2; i < 9; i++) {
System.out.println("Alfabetisch eerste voor lengte " + i + ": " + scrabble.alfabetischEerste(i));
}
System.out.println();
for (int i = 2; i < 9; i++) {
System.out.println("Alfabetisch laatste voor lengte " + i + ": " + scrabble.alfabetischLaatste(i));
}
}
}
|
211664_1 | package model;
import java.util.ArrayList;
public class OthelloBoard implements Cloneable{
ArrayList<OthelloCoordinate> board = new ArrayList<OthelloCoordinate>();
private ArrayList<Integer> possibleMoves = new ArrayList<Integer>();
char ownToken;
public OthelloBoard(char c){
ownToken = c;
reset();
}
OthelloBoard(ArrayList<OthelloCoordinate> board, ArrayList<Integer> possibleMoves, char ownToken) {
this.board = board;
this.possibleMoves = possibleMoves;
this.ownToken = ownToken;
}
@Override
public Object clone() throws CloneNotSupportedException {
ArrayList<OthelloCoordinate> boardclone = new ArrayList<>();
ArrayList<Integer> possibleMovesClone = (ArrayList<Integer>) possibleMoves.clone();
for (OthelloCoordinate coord: board) {
boardclone.add((OthelloCoordinate) coord.clone());
}
return new OthelloBoard(boardclone, possibleMovesClone, ownToken);
}
/**
* Gets the current count of tiles on the board of a specific token
* @param token to count the score of
* @return amount of disks on the board.
*/
public int getCurrentScore(char token){
int count = 0;
for (OthelloCoordinate coord : board) {
if (coord.getToken() == token) {
count++;
}
}
return count;
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met x en y coordinaten
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int x, int y, char c){
if(x >= 0 && x < 8 && y >= 0 && y < 8){ OthelloCoordinate coord = new OthelloCoordinate(x,y);
coord.setToken(c);
if(!board.contains(coord)){
board.add(coord);
} else {
OthelloCoordinate coord2 = getCoordinate(x, y);
coord2.setToken(c);
}
}
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met index
* @param index Index van het coordinaat (0-63)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int index, char c){
if(index >= 0 && index <64){
OthelloCoordinate coord = new OthelloCoordinate(index);
coord.setToken(c);
if(!hasCoord(coord)){
board.add(coord);
}else {
OthelloCoordinate coord2 = getCoordinate(index % 8, index / 8);
coord2.setToken(c);
}
}
}
/**
* Returnt een coordinaat op een bepaald punt in het bord.
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @return coord het coordinaat (return null als hij niet in het bord zit)
*/
public OthelloCoordinate getCoordinate(int x, int y){
for (OthelloCoordinate coord : board){
if(coord.getX() == x && coord.getY() == y){
return coord;
}
}
return null;
}
/**
* Returnt het bord
* @return board Het bord
*/
public ArrayList<OthelloCoordinate> getBoard(){
return board;
}
/**
* print het bord in een 2 dimensionale overzichtelijke manier
*/
public void printBoard(){
//System.out.println(board);
for(int x = 0; x < 8; x++) {
String line = "";
for(int y = 0; y < 8; y++) {
OthelloCoordinate coord = getCoordinate(x, y);
if(coord == null) {
line+="#";
} else {
line+=coord.getToken();
}
}
System.out.println(line);
}
}
/**
* Reset het bord, voegt de standaard start steentjes toe
*/
public void reset() {
board.clear();
addCoordinate(3,3,'W');
addCoordinate(4,4,'W');
addCoordinate(3,4,'B');
addCoordinate(4,3,'B');
}
/**
* Geeft alle mogelijke moves voor een bepaalde kleur.
* @param token De kleur die de zet gaat maken
* @return possibleMoves Een lijst met mogelijke moves die de kleur token kan maken
*/
public synchronized ArrayList<Integer> findPossibleMoves(char token){
possibleMoves.clear();
for (OthelloCoordinate coord : board){
searchSurroundingCorners(coord, token);
}
return possibleMoves;
}
/**
* Zoekt door alle plekken om een bepaald punt heen om te kijken of het een mogelijke move is.
* voegt alle mogelijke moves die geen duplicates zijn toe aan possibleMoves.
* @param coord Het coordinaat uit het bord waar we recursief omheen gaan zoeken.
* @param token De kleur die de zet gaat maken.
*/
private void searchSurroundingCorners(OthelloCoordinate coord, char token) {
int x = coord.getX();
int y = coord.getY();
OthelloCoordinate newCoord;
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
newCoord = new OthelloCoordinate(x+i,y+j);
if(hasCoord(newCoord)){
newCoord.setToken(getCoordinate(x+i,y+j).getToken());
}
if(isValid(newCoord, token) && !(possibleMoves.contains(newCoord.getIndex()))){
possibleMoves.add(newCoord.getIndex());
}
}
}
}
}
/**
* Geeft aan of een bepaalde move een een toegestane move is. Hiervoor moet het
* coordinaat binnen het bord zitten, nog niet gevuld zijn en een mogelijk pad hebben.
* @param coord Het coordinaat waarvan we kijken of hij toegestaan is
* @param token De kleur die de zet gaat maken.
* @return boolean true als de move toegestaan is, false als de move niet toegestaan is.
*/
public boolean isValid(OthelloCoordinate coord, char token) {
if(!isInBoard(coord)){
return false;
}
if(hasCoord(coord)){
return false;
}
return hasPossiblePath(coord, token);
}
/**
* Kijkt voor een bepaald coordinaat of er een legaal pad is naar andere steentjes.
* @param coord Het coordinaat waarvan we kijken of hij een pad heeft
* @param token De kleur die de zet gaat maken.
* @return boolean true als er minstens ��n pad gevonden is, false als er geen pad te vinden is.
*/
private boolean hasPossiblePath(OthelloCoordinate coord, char token) {
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
if(checkDirection(i,j,coord, 0, token) != -1){
return true;
}
}
}
}
return false;
}
/**
* Kijkt voor een bepaald coordinaat in een bepaalde richting of een pad te vinden is
* @param i De x richting waarheen we gaan zoeken.
* @param j De y richting waarheen we gaan zoeken.
* @param coord Het coordinaat die we nu bekijken
* @param depth De diepte van de recursie. Dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* @param token De kleur die de zet gaat maken.
* @return depth de diepte van de recursie, dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* Dit is nuttig om een path te flippen op het bord. Het geeft dus tegelijkertijd aan of de directie toegestaan is en hoe ver het pad uiteindelijk is.
*/
private int checkDirection(int i, int j, OthelloCoordinate coord, int depth, char token) {
OthelloCoordinate newCoord = getCoordinate(coord.getX()+i,coord.getY()+j);
if(newCoord == null){
return -1;
}
if(newCoord.getToken() == token && depth == 0){
return -1;
}
if(newCoord.getToken() == token && depth > 0){
return depth;
}
return checkDirection(i, j, newCoord, depth+1, token);
}
/**
* Kijkt of een bepaald coordinaat in het bord gevuld is.
* @param coordIn Het coordinaat.
* @return boolean true als het coordinaat gevuld is, false als het coordinaat niet gevuld is.
*/
private boolean hasCoord(OthelloCoordinate coordIn) {
return getCoordinate(coordIn.getX(),coordIn.getY()) != null;
}
/**
* Kijkt of een bepaald coordinaat binnen het bord zit.
* @param coord Het coordinaat.
* @return boolean true als het coordinaat binnen het bord zit, fals als het niet binnen het bord zit.
*/
private boolean isInBoard(OthelloCoordinate coord){
int x = coord.getX();
int y = coord.getY();
return ((x>=0 && x < 8) && (y>=0 && y < 8));
}
/**
* Krijgt een move en kleur als input, en gaat dan alle mogelijke paden flippen.
* Dit is het verwerken van een move in het bord.
* @param input De move die verwerkt moet worden
* @param token De kleur van de move die gezet wordt
*/
public void flipPaths(int input, char token) {
int depth;
OthelloCoordinate coord = new OthelloCoordinate(input);
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
depth = getCorrectPathDepth(i,j,coord,token);
if(depth > 0){
flipFoundPath(coord, i,j,depth,token);
}
}
}
}
}
/**
* Er is een pad gevonden en die wordt hier geflipt.
* @param coord het coordinaat die nu geflipt wordt
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param depth de diepte van de recursie van getCorrectPathDepth. Dit is de lengte van het pad
* @param token De kleur van de move die gezet wordt
*/
private void flipFoundPath(OthelloCoordinate coord, int i, int j, int depth, char token) {
OthelloCoordinate newCoord = coord;
for(int n=0; n<=depth;n++){
addCoordinate(newCoord.getIndex(), token);
newCoord = new OthelloCoordinate(newCoord.getX()+i,newCoord.getY()+j);
newCoord.setToken(token);
}
}
/**
* Maakt gebruik van checkdirection om de lengte van het pad te vinden.
* De depth die daar gereturnt wordt geeft aan dat het pad toegestaan is als hij groter dan 0 is.
* Ook geeft het de lengte van het pad aan.
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param coord het coordinaat van de move die gezet wordt
* @param token De kleur van de move die gezet wordt
* @return depth de diepte van het pad (en dus de lengte)
*/
private int getCorrectPathDepth(int i, int j, OthelloCoordinate coord, char token) {
return checkDirection(i,j,coord,0, token);
}
}
| HanzehogeschoolSICT/Project-Othello | src/model/OthelloBoard.java | 3,143 | /**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met x en y coordinaten
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @param c De kleur van het coordinaat ('W' of 'B')
*/ | block_comment | nl | package model;
import java.util.ArrayList;
public class OthelloBoard implements Cloneable{
ArrayList<OthelloCoordinate> board = new ArrayList<OthelloCoordinate>();
private ArrayList<Integer> possibleMoves = new ArrayList<Integer>();
char ownToken;
public OthelloBoard(char c){
ownToken = c;
reset();
}
OthelloBoard(ArrayList<OthelloCoordinate> board, ArrayList<Integer> possibleMoves, char ownToken) {
this.board = board;
this.possibleMoves = possibleMoves;
this.ownToken = ownToken;
}
@Override
public Object clone() throws CloneNotSupportedException {
ArrayList<OthelloCoordinate> boardclone = new ArrayList<>();
ArrayList<Integer> possibleMovesClone = (ArrayList<Integer>) possibleMoves.clone();
for (OthelloCoordinate coord: board) {
boardclone.add((OthelloCoordinate) coord.clone());
}
return new OthelloBoard(boardclone, possibleMovesClone, ownToken);
}
/**
* Gets the current count of tiles on the board of a specific token
* @param token to count the score of
* @return amount of disks on the board.
*/
public int getCurrentScore(char token){
int count = 0;
for (OthelloCoordinate coord : board) {
if (coord.getToken() == token) {
count++;
}
}
return count;
}
/**
* voegt een coordinaat<SUF>*/
public void addCoordinate(int x, int y, char c){
if(x >= 0 && x < 8 && y >= 0 && y < 8){ OthelloCoordinate coord = new OthelloCoordinate(x,y);
coord.setToken(c);
if(!board.contains(coord)){
board.add(coord);
} else {
OthelloCoordinate coord2 = getCoordinate(x, y);
coord2.setToken(c);
}
}
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met index
* @param index Index van het coordinaat (0-63)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int index, char c){
if(index >= 0 && index <64){
OthelloCoordinate coord = new OthelloCoordinate(index);
coord.setToken(c);
if(!hasCoord(coord)){
board.add(coord);
}else {
OthelloCoordinate coord2 = getCoordinate(index % 8, index / 8);
coord2.setToken(c);
}
}
}
/**
* Returnt een coordinaat op een bepaald punt in het bord.
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @return coord het coordinaat (return null als hij niet in het bord zit)
*/
public OthelloCoordinate getCoordinate(int x, int y){
for (OthelloCoordinate coord : board){
if(coord.getX() == x && coord.getY() == y){
return coord;
}
}
return null;
}
/**
* Returnt het bord
* @return board Het bord
*/
public ArrayList<OthelloCoordinate> getBoard(){
return board;
}
/**
* print het bord in een 2 dimensionale overzichtelijke manier
*/
public void printBoard(){
//System.out.println(board);
for(int x = 0; x < 8; x++) {
String line = "";
for(int y = 0; y < 8; y++) {
OthelloCoordinate coord = getCoordinate(x, y);
if(coord == null) {
line+="#";
} else {
line+=coord.getToken();
}
}
System.out.println(line);
}
}
/**
* Reset het bord, voegt de standaard start steentjes toe
*/
public void reset() {
board.clear();
addCoordinate(3,3,'W');
addCoordinate(4,4,'W');
addCoordinate(3,4,'B');
addCoordinate(4,3,'B');
}
/**
* Geeft alle mogelijke moves voor een bepaalde kleur.
* @param token De kleur die de zet gaat maken
* @return possibleMoves Een lijst met mogelijke moves die de kleur token kan maken
*/
public synchronized ArrayList<Integer> findPossibleMoves(char token){
possibleMoves.clear();
for (OthelloCoordinate coord : board){
searchSurroundingCorners(coord, token);
}
return possibleMoves;
}
/**
* Zoekt door alle plekken om een bepaald punt heen om te kijken of het een mogelijke move is.
* voegt alle mogelijke moves die geen duplicates zijn toe aan possibleMoves.
* @param coord Het coordinaat uit het bord waar we recursief omheen gaan zoeken.
* @param token De kleur die de zet gaat maken.
*/
private void searchSurroundingCorners(OthelloCoordinate coord, char token) {
int x = coord.getX();
int y = coord.getY();
OthelloCoordinate newCoord;
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
newCoord = new OthelloCoordinate(x+i,y+j);
if(hasCoord(newCoord)){
newCoord.setToken(getCoordinate(x+i,y+j).getToken());
}
if(isValid(newCoord, token) && !(possibleMoves.contains(newCoord.getIndex()))){
possibleMoves.add(newCoord.getIndex());
}
}
}
}
}
/**
* Geeft aan of een bepaalde move een een toegestane move is. Hiervoor moet het
* coordinaat binnen het bord zitten, nog niet gevuld zijn en een mogelijk pad hebben.
* @param coord Het coordinaat waarvan we kijken of hij toegestaan is
* @param token De kleur die de zet gaat maken.
* @return boolean true als de move toegestaan is, false als de move niet toegestaan is.
*/
public boolean isValid(OthelloCoordinate coord, char token) {
if(!isInBoard(coord)){
return false;
}
if(hasCoord(coord)){
return false;
}
return hasPossiblePath(coord, token);
}
/**
* Kijkt voor een bepaald coordinaat of er een legaal pad is naar andere steentjes.
* @param coord Het coordinaat waarvan we kijken of hij een pad heeft
* @param token De kleur die de zet gaat maken.
* @return boolean true als er minstens ��n pad gevonden is, false als er geen pad te vinden is.
*/
private boolean hasPossiblePath(OthelloCoordinate coord, char token) {
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
if(checkDirection(i,j,coord, 0, token) != -1){
return true;
}
}
}
}
return false;
}
/**
* Kijkt voor een bepaald coordinaat in een bepaalde richting of een pad te vinden is
* @param i De x richting waarheen we gaan zoeken.
* @param j De y richting waarheen we gaan zoeken.
* @param coord Het coordinaat die we nu bekijken
* @param depth De diepte van de recursie. Dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* @param token De kleur die de zet gaat maken.
* @return depth de diepte van de recursie, dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* Dit is nuttig om een path te flippen op het bord. Het geeft dus tegelijkertijd aan of de directie toegestaan is en hoe ver het pad uiteindelijk is.
*/
private int checkDirection(int i, int j, OthelloCoordinate coord, int depth, char token) {
OthelloCoordinate newCoord = getCoordinate(coord.getX()+i,coord.getY()+j);
if(newCoord == null){
return -1;
}
if(newCoord.getToken() == token && depth == 0){
return -1;
}
if(newCoord.getToken() == token && depth > 0){
return depth;
}
return checkDirection(i, j, newCoord, depth+1, token);
}
/**
* Kijkt of een bepaald coordinaat in het bord gevuld is.
* @param coordIn Het coordinaat.
* @return boolean true als het coordinaat gevuld is, false als het coordinaat niet gevuld is.
*/
private boolean hasCoord(OthelloCoordinate coordIn) {
return getCoordinate(coordIn.getX(),coordIn.getY()) != null;
}
/**
* Kijkt of een bepaald coordinaat binnen het bord zit.
* @param coord Het coordinaat.
* @return boolean true als het coordinaat binnen het bord zit, fals als het niet binnen het bord zit.
*/
private boolean isInBoard(OthelloCoordinate coord){
int x = coord.getX();
int y = coord.getY();
return ((x>=0 && x < 8) && (y>=0 && y < 8));
}
/**
* Krijgt een move en kleur als input, en gaat dan alle mogelijke paden flippen.
* Dit is het verwerken van een move in het bord.
* @param input De move die verwerkt moet worden
* @param token De kleur van de move die gezet wordt
*/
public void flipPaths(int input, char token) {
int depth;
OthelloCoordinate coord = new OthelloCoordinate(input);
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
depth = getCorrectPathDepth(i,j,coord,token);
if(depth > 0){
flipFoundPath(coord, i,j,depth,token);
}
}
}
}
}
/**
* Er is een pad gevonden en die wordt hier geflipt.
* @param coord het coordinaat die nu geflipt wordt
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param depth de diepte van de recursie van getCorrectPathDepth. Dit is de lengte van het pad
* @param token De kleur van de move die gezet wordt
*/
private void flipFoundPath(OthelloCoordinate coord, int i, int j, int depth, char token) {
OthelloCoordinate newCoord = coord;
for(int n=0; n<=depth;n++){
addCoordinate(newCoord.getIndex(), token);
newCoord = new OthelloCoordinate(newCoord.getX()+i,newCoord.getY()+j);
newCoord.setToken(token);
}
}
/**
* Maakt gebruik van checkdirection om de lengte van het pad te vinden.
* De depth die daar gereturnt wordt geeft aan dat het pad toegestaan is als hij groter dan 0 is.
* Ook geeft het de lengte van het pad aan.
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param coord het coordinaat van de move die gezet wordt
* @param token De kleur van de move die gezet wordt
* @return depth de diepte van het pad (en dus de lengte)
*/
private int getCorrectPathDepth(int i, int j, OthelloCoordinate coord, char token) {
return checkDirection(i,j,coord,0, token);
}
}
|
211664_2 | package model;
import java.util.ArrayList;
public class OthelloBoard implements Cloneable{
ArrayList<OthelloCoordinate> board = new ArrayList<OthelloCoordinate>();
private ArrayList<Integer> possibleMoves = new ArrayList<Integer>();
char ownToken;
public OthelloBoard(char c){
ownToken = c;
reset();
}
OthelloBoard(ArrayList<OthelloCoordinate> board, ArrayList<Integer> possibleMoves, char ownToken) {
this.board = board;
this.possibleMoves = possibleMoves;
this.ownToken = ownToken;
}
@Override
public Object clone() throws CloneNotSupportedException {
ArrayList<OthelloCoordinate> boardclone = new ArrayList<>();
ArrayList<Integer> possibleMovesClone = (ArrayList<Integer>) possibleMoves.clone();
for (OthelloCoordinate coord: board) {
boardclone.add((OthelloCoordinate) coord.clone());
}
return new OthelloBoard(boardclone, possibleMovesClone, ownToken);
}
/**
* Gets the current count of tiles on the board of a specific token
* @param token to count the score of
* @return amount of disks on the board.
*/
public int getCurrentScore(char token){
int count = 0;
for (OthelloCoordinate coord : board) {
if (coord.getToken() == token) {
count++;
}
}
return count;
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met x en y coordinaten
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int x, int y, char c){
if(x >= 0 && x < 8 && y >= 0 && y < 8){ OthelloCoordinate coord = new OthelloCoordinate(x,y);
coord.setToken(c);
if(!board.contains(coord)){
board.add(coord);
} else {
OthelloCoordinate coord2 = getCoordinate(x, y);
coord2.setToken(c);
}
}
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met index
* @param index Index van het coordinaat (0-63)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int index, char c){
if(index >= 0 && index <64){
OthelloCoordinate coord = new OthelloCoordinate(index);
coord.setToken(c);
if(!hasCoord(coord)){
board.add(coord);
}else {
OthelloCoordinate coord2 = getCoordinate(index % 8, index / 8);
coord2.setToken(c);
}
}
}
/**
* Returnt een coordinaat op een bepaald punt in het bord.
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @return coord het coordinaat (return null als hij niet in het bord zit)
*/
public OthelloCoordinate getCoordinate(int x, int y){
for (OthelloCoordinate coord : board){
if(coord.getX() == x && coord.getY() == y){
return coord;
}
}
return null;
}
/**
* Returnt het bord
* @return board Het bord
*/
public ArrayList<OthelloCoordinate> getBoard(){
return board;
}
/**
* print het bord in een 2 dimensionale overzichtelijke manier
*/
public void printBoard(){
//System.out.println(board);
for(int x = 0; x < 8; x++) {
String line = "";
for(int y = 0; y < 8; y++) {
OthelloCoordinate coord = getCoordinate(x, y);
if(coord == null) {
line+="#";
} else {
line+=coord.getToken();
}
}
System.out.println(line);
}
}
/**
* Reset het bord, voegt de standaard start steentjes toe
*/
public void reset() {
board.clear();
addCoordinate(3,3,'W');
addCoordinate(4,4,'W');
addCoordinate(3,4,'B');
addCoordinate(4,3,'B');
}
/**
* Geeft alle mogelijke moves voor een bepaalde kleur.
* @param token De kleur die de zet gaat maken
* @return possibleMoves Een lijst met mogelijke moves die de kleur token kan maken
*/
public synchronized ArrayList<Integer> findPossibleMoves(char token){
possibleMoves.clear();
for (OthelloCoordinate coord : board){
searchSurroundingCorners(coord, token);
}
return possibleMoves;
}
/**
* Zoekt door alle plekken om een bepaald punt heen om te kijken of het een mogelijke move is.
* voegt alle mogelijke moves die geen duplicates zijn toe aan possibleMoves.
* @param coord Het coordinaat uit het bord waar we recursief omheen gaan zoeken.
* @param token De kleur die de zet gaat maken.
*/
private void searchSurroundingCorners(OthelloCoordinate coord, char token) {
int x = coord.getX();
int y = coord.getY();
OthelloCoordinate newCoord;
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
newCoord = new OthelloCoordinate(x+i,y+j);
if(hasCoord(newCoord)){
newCoord.setToken(getCoordinate(x+i,y+j).getToken());
}
if(isValid(newCoord, token) && !(possibleMoves.contains(newCoord.getIndex()))){
possibleMoves.add(newCoord.getIndex());
}
}
}
}
}
/**
* Geeft aan of een bepaalde move een een toegestane move is. Hiervoor moet het
* coordinaat binnen het bord zitten, nog niet gevuld zijn en een mogelijk pad hebben.
* @param coord Het coordinaat waarvan we kijken of hij toegestaan is
* @param token De kleur die de zet gaat maken.
* @return boolean true als de move toegestaan is, false als de move niet toegestaan is.
*/
public boolean isValid(OthelloCoordinate coord, char token) {
if(!isInBoard(coord)){
return false;
}
if(hasCoord(coord)){
return false;
}
return hasPossiblePath(coord, token);
}
/**
* Kijkt voor een bepaald coordinaat of er een legaal pad is naar andere steentjes.
* @param coord Het coordinaat waarvan we kijken of hij een pad heeft
* @param token De kleur die de zet gaat maken.
* @return boolean true als er minstens ��n pad gevonden is, false als er geen pad te vinden is.
*/
private boolean hasPossiblePath(OthelloCoordinate coord, char token) {
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
if(checkDirection(i,j,coord, 0, token) != -1){
return true;
}
}
}
}
return false;
}
/**
* Kijkt voor een bepaald coordinaat in een bepaalde richting of een pad te vinden is
* @param i De x richting waarheen we gaan zoeken.
* @param j De y richting waarheen we gaan zoeken.
* @param coord Het coordinaat die we nu bekijken
* @param depth De diepte van de recursie. Dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* @param token De kleur die de zet gaat maken.
* @return depth de diepte van de recursie, dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* Dit is nuttig om een path te flippen op het bord. Het geeft dus tegelijkertijd aan of de directie toegestaan is en hoe ver het pad uiteindelijk is.
*/
private int checkDirection(int i, int j, OthelloCoordinate coord, int depth, char token) {
OthelloCoordinate newCoord = getCoordinate(coord.getX()+i,coord.getY()+j);
if(newCoord == null){
return -1;
}
if(newCoord.getToken() == token && depth == 0){
return -1;
}
if(newCoord.getToken() == token && depth > 0){
return depth;
}
return checkDirection(i, j, newCoord, depth+1, token);
}
/**
* Kijkt of een bepaald coordinaat in het bord gevuld is.
* @param coordIn Het coordinaat.
* @return boolean true als het coordinaat gevuld is, false als het coordinaat niet gevuld is.
*/
private boolean hasCoord(OthelloCoordinate coordIn) {
return getCoordinate(coordIn.getX(),coordIn.getY()) != null;
}
/**
* Kijkt of een bepaald coordinaat binnen het bord zit.
* @param coord Het coordinaat.
* @return boolean true als het coordinaat binnen het bord zit, fals als het niet binnen het bord zit.
*/
private boolean isInBoard(OthelloCoordinate coord){
int x = coord.getX();
int y = coord.getY();
return ((x>=0 && x < 8) && (y>=0 && y < 8));
}
/**
* Krijgt een move en kleur als input, en gaat dan alle mogelijke paden flippen.
* Dit is het verwerken van een move in het bord.
* @param input De move die verwerkt moet worden
* @param token De kleur van de move die gezet wordt
*/
public void flipPaths(int input, char token) {
int depth;
OthelloCoordinate coord = new OthelloCoordinate(input);
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
depth = getCorrectPathDepth(i,j,coord,token);
if(depth > 0){
flipFoundPath(coord, i,j,depth,token);
}
}
}
}
}
/**
* Er is een pad gevonden en die wordt hier geflipt.
* @param coord het coordinaat die nu geflipt wordt
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param depth de diepte van de recursie van getCorrectPathDepth. Dit is de lengte van het pad
* @param token De kleur van de move die gezet wordt
*/
private void flipFoundPath(OthelloCoordinate coord, int i, int j, int depth, char token) {
OthelloCoordinate newCoord = coord;
for(int n=0; n<=depth;n++){
addCoordinate(newCoord.getIndex(), token);
newCoord = new OthelloCoordinate(newCoord.getX()+i,newCoord.getY()+j);
newCoord.setToken(token);
}
}
/**
* Maakt gebruik van checkdirection om de lengte van het pad te vinden.
* De depth die daar gereturnt wordt geeft aan dat het pad toegestaan is als hij groter dan 0 is.
* Ook geeft het de lengte van het pad aan.
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param coord het coordinaat van de move die gezet wordt
* @param token De kleur van de move die gezet wordt
* @return depth de diepte van het pad (en dus de lengte)
*/
private int getCorrectPathDepth(int i, int j, OthelloCoordinate coord, char token) {
return checkDirection(i,j,coord,0, token);
}
}
| HanzehogeschoolSICT/Project-Othello | src/model/OthelloBoard.java | 3,143 | /**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met index
* @param index Index van het coordinaat (0-63)
* @param c De kleur van het coordinaat ('W' of 'B')
*/ | block_comment | nl | package model;
import java.util.ArrayList;
public class OthelloBoard implements Cloneable{
ArrayList<OthelloCoordinate> board = new ArrayList<OthelloCoordinate>();
private ArrayList<Integer> possibleMoves = new ArrayList<Integer>();
char ownToken;
public OthelloBoard(char c){
ownToken = c;
reset();
}
OthelloBoard(ArrayList<OthelloCoordinate> board, ArrayList<Integer> possibleMoves, char ownToken) {
this.board = board;
this.possibleMoves = possibleMoves;
this.ownToken = ownToken;
}
@Override
public Object clone() throws CloneNotSupportedException {
ArrayList<OthelloCoordinate> boardclone = new ArrayList<>();
ArrayList<Integer> possibleMovesClone = (ArrayList<Integer>) possibleMoves.clone();
for (OthelloCoordinate coord: board) {
boardclone.add((OthelloCoordinate) coord.clone());
}
return new OthelloBoard(boardclone, possibleMovesClone, ownToken);
}
/**
* Gets the current count of tiles on the board of a specific token
* @param token to count the score of
* @return amount of disks on the board.
*/
public int getCurrentScore(char token){
int count = 0;
for (OthelloCoordinate coord : board) {
if (coord.getToken() == token) {
count++;
}
}
return count;
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met x en y coordinaten
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int x, int y, char c){
if(x >= 0 && x < 8 && y >= 0 && y < 8){ OthelloCoordinate coord = new OthelloCoordinate(x,y);
coord.setToken(c);
if(!board.contains(coord)){
board.add(coord);
} else {
OthelloCoordinate coord2 = getCoordinate(x, y);
coord2.setToken(c);
}
}
}
/**
* voegt een coordinaat<SUF>*/
public void addCoordinate(int index, char c){
if(index >= 0 && index <64){
OthelloCoordinate coord = new OthelloCoordinate(index);
coord.setToken(c);
if(!hasCoord(coord)){
board.add(coord);
}else {
OthelloCoordinate coord2 = getCoordinate(index % 8, index / 8);
coord2.setToken(c);
}
}
}
/**
* Returnt een coordinaat op een bepaald punt in het bord.
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @return coord het coordinaat (return null als hij niet in het bord zit)
*/
public OthelloCoordinate getCoordinate(int x, int y){
for (OthelloCoordinate coord : board){
if(coord.getX() == x && coord.getY() == y){
return coord;
}
}
return null;
}
/**
* Returnt het bord
* @return board Het bord
*/
public ArrayList<OthelloCoordinate> getBoard(){
return board;
}
/**
* print het bord in een 2 dimensionale overzichtelijke manier
*/
public void printBoard(){
//System.out.println(board);
for(int x = 0; x < 8; x++) {
String line = "";
for(int y = 0; y < 8; y++) {
OthelloCoordinate coord = getCoordinate(x, y);
if(coord == null) {
line+="#";
} else {
line+=coord.getToken();
}
}
System.out.println(line);
}
}
/**
* Reset het bord, voegt de standaard start steentjes toe
*/
public void reset() {
board.clear();
addCoordinate(3,3,'W');
addCoordinate(4,4,'W');
addCoordinate(3,4,'B');
addCoordinate(4,3,'B');
}
/**
* Geeft alle mogelijke moves voor een bepaalde kleur.
* @param token De kleur die de zet gaat maken
* @return possibleMoves Een lijst met mogelijke moves die de kleur token kan maken
*/
public synchronized ArrayList<Integer> findPossibleMoves(char token){
possibleMoves.clear();
for (OthelloCoordinate coord : board){
searchSurroundingCorners(coord, token);
}
return possibleMoves;
}
/**
* Zoekt door alle plekken om een bepaald punt heen om te kijken of het een mogelijke move is.
* voegt alle mogelijke moves die geen duplicates zijn toe aan possibleMoves.
* @param coord Het coordinaat uit het bord waar we recursief omheen gaan zoeken.
* @param token De kleur die de zet gaat maken.
*/
private void searchSurroundingCorners(OthelloCoordinate coord, char token) {
int x = coord.getX();
int y = coord.getY();
OthelloCoordinate newCoord;
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
newCoord = new OthelloCoordinate(x+i,y+j);
if(hasCoord(newCoord)){
newCoord.setToken(getCoordinate(x+i,y+j).getToken());
}
if(isValid(newCoord, token) && !(possibleMoves.contains(newCoord.getIndex()))){
possibleMoves.add(newCoord.getIndex());
}
}
}
}
}
/**
* Geeft aan of een bepaalde move een een toegestane move is. Hiervoor moet het
* coordinaat binnen het bord zitten, nog niet gevuld zijn en een mogelijk pad hebben.
* @param coord Het coordinaat waarvan we kijken of hij toegestaan is
* @param token De kleur die de zet gaat maken.
* @return boolean true als de move toegestaan is, false als de move niet toegestaan is.
*/
public boolean isValid(OthelloCoordinate coord, char token) {
if(!isInBoard(coord)){
return false;
}
if(hasCoord(coord)){
return false;
}
return hasPossiblePath(coord, token);
}
/**
* Kijkt voor een bepaald coordinaat of er een legaal pad is naar andere steentjes.
* @param coord Het coordinaat waarvan we kijken of hij een pad heeft
* @param token De kleur die de zet gaat maken.
* @return boolean true als er minstens ��n pad gevonden is, false als er geen pad te vinden is.
*/
private boolean hasPossiblePath(OthelloCoordinate coord, char token) {
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
if(checkDirection(i,j,coord, 0, token) != -1){
return true;
}
}
}
}
return false;
}
/**
* Kijkt voor een bepaald coordinaat in een bepaalde richting of een pad te vinden is
* @param i De x richting waarheen we gaan zoeken.
* @param j De y richting waarheen we gaan zoeken.
* @param coord Het coordinaat die we nu bekijken
* @param depth De diepte van de recursie. Dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* @param token De kleur die de zet gaat maken.
* @return depth de diepte van de recursie, dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* Dit is nuttig om een path te flippen op het bord. Het geeft dus tegelijkertijd aan of de directie toegestaan is en hoe ver het pad uiteindelijk is.
*/
private int checkDirection(int i, int j, OthelloCoordinate coord, int depth, char token) {
OthelloCoordinate newCoord = getCoordinate(coord.getX()+i,coord.getY()+j);
if(newCoord == null){
return -1;
}
if(newCoord.getToken() == token && depth == 0){
return -1;
}
if(newCoord.getToken() == token && depth > 0){
return depth;
}
return checkDirection(i, j, newCoord, depth+1, token);
}
/**
* Kijkt of een bepaald coordinaat in het bord gevuld is.
* @param coordIn Het coordinaat.
* @return boolean true als het coordinaat gevuld is, false als het coordinaat niet gevuld is.
*/
private boolean hasCoord(OthelloCoordinate coordIn) {
return getCoordinate(coordIn.getX(),coordIn.getY()) != null;
}
/**
* Kijkt of een bepaald coordinaat binnen het bord zit.
* @param coord Het coordinaat.
* @return boolean true als het coordinaat binnen het bord zit, fals als het niet binnen het bord zit.
*/
private boolean isInBoard(OthelloCoordinate coord){
int x = coord.getX();
int y = coord.getY();
return ((x>=0 && x < 8) && (y>=0 && y < 8));
}
/**
* Krijgt een move en kleur als input, en gaat dan alle mogelijke paden flippen.
* Dit is het verwerken van een move in het bord.
* @param input De move die verwerkt moet worden
* @param token De kleur van de move die gezet wordt
*/
public void flipPaths(int input, char token) {
int depth;
OthelloCoordinate coord = new OthelloCoordinate(input);
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
depth = getCorrectPathDepth(i,j,coord,token);
if(depth > 0){
flipFoundPath(coord, i,j,depth,token);
}
}
}
}
}
/**
* Er is een pad gevonden en die wordt hier geflipt.
* @param coord het coordinaat die nu geflipt wordt
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param depth de diepte van de recursie van getCorrectPathDepth. Dit is de lengte van het pad
* @param token De kleur van de move die gezet wordt
*/
private void flipFoundPath(OthelloCoordinate coord, int i, int j, int depth, char token) {
OthelloCoordinate newCoord = coord;
for(int n=0; n<=depth;n++){
addCoordinate(newCoord.getIndex(), token);
newCoord = new OthelloCoordinate(newCoord.getX()+i,newCoord.getY()+j);
newCoord.setToken(token);
}
}
/**
* Maakt gebruik van checkdirection om de lengte van het pad te vinden.
* De depth die daar gereturnt wordt geeft aan dat het pad toegestaan is als hij groter dan 0 is.
* Ook geeft het de lengte van het pad aan.
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param coord het coordinaat van de move die gezet wordt
* @param token De kleur van de move die gezet wordt
* @return depth de diepte van het pad (en dus de lengte)
*/
private int getCorrectPathDepth(int i, int j, OthelloCoordinate coord, char token) {
return checkDirection(i,j,coord,0, token);
}
}
|
211664_3 | package model;
import java.util.ArrayList;
public class OthelloBoard implements Cloneable{
ArrayList<OthelloCoordinate> board = new ArrayList<OthelloCoordinate>();
private ArrayList<Integer> possibleMoves = new ArrayList<Integer>();
char ownToken;
public OthelloBoard(char c){
ownToken = c;
reset();
}
OthelloBoard(ArrayList<OthelloCoordinate> board, ArrayList<Integer> possibleMoves, char ownToken) {
this.board = board;
this.possibleMoves = possibleMoves;
this.ownToken = ownToken;
}
@Override
public Object clone() throws CloneNotSupportedException {
ArrayList<OthelloCoordinate> boardclone = new ArrayList<>();
ArrayList<Integer> possibleMovesClone = (ArrayList<Integer>) possibleMoves.clone();
for (OthelloCoordinate coord: board) {
boardclone.add((OthelloCoordinate) coord.clone());
}
return new OthelloBoard(boardclone, possibleMovesClone, ownToken);
}
/**
* Gets the current count of tiles on the board of a specific token
* @param token to count the score of
* @return amount of disks on the board.
*/
public int getCurrentScore(char token){
int count = 0;
for (OthelloCoordinate coord : board) {
if (coord.getToken() == token) {
count++;
}
}
return count;
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met x en y coordinaten
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int x, int y, char c){
if(x >= 0 && x < 8 && y >= 0 && y < 8){ OthelloCoordinate coord = new OthelloCoordinate(x,y);
coord.setToken(c);
if(!board.contains(coord)){
board.add(coord);
} else {
OthelloCoordinate coord2 = getCoordinate(x, y);
coord2.setToken(c);
}
}
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met index
* @param index Index van het coordinaat (0-63)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int index, char c){
if(index >= 0 && index <64){
OthelloCoordinate coord = new OthelloCoordinate(index);
coord.setToken(c);
if(!hasCoord(coord)){
board.add(coord);
}else {
OthelloCoordinate coord2 = getCoordinate(index % 8, index / 8);
coord2.setToken(c);
}
}
}
/**
* Returnt een coordinaat op een bepaald punt in het bord.
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @return coord het coordinaat (return null als hij niet in het bord zit)
*/
public OthelloCoordinate getCoordinate(int x, int y){
for (OthelloCoordinate coord : board){
if(coord.getX() == x && coord.getY() == y){
return coord;
}
}
return null;
}
/**
* Returnt het bord
* @return board Het bord
*/
public ArrayList<OthelloCoordinate> getBoard(){
return board;
}
/**
* print het bord in een 2 dimensionale overzichtelijke manier
*/
public void printBoard(){
//System.out.println(board);
for(int x = 0; x < 8; x++) {
String line = "";
for(int y = 0; y < 8; y++) {
OthelloCoordinate coord = getCoordinate(x, y);
if(coord == null) {
line+="#";
} else {
line+=coord.getToken();
}
}
System.out.println(line);
}
}
/**
* Reset het bord, voegt de standaard start steentjes toe
*/
public void reset() {
board.clear();
addCoordinate(3,3,'W');
addCoordinate(4,4,'W');
addCoordinate(3,4,'B');
addCoordinate(4,3,'B');
}
/**
* Geeft alle mogelijke moves voor een bepaalde kleur.
* @param token De kleur die de zet gaat maken
* @return possibleMoves Een lijst met mogelijke moves die de kleur token kan maken
*/
public synchronized ArrayList<Integer> findPossibleMoves(char token){
possibleMoves.clear();
for (OthelloCoordinate coord : board){
searchSurroundingCorners(coord, token);
}
return possibleMoves;
}
/**
* Zoekt door alle plekken om een bepaald punt heen om te kijken of het een mogelijke move is.
* voegt alle mogelijke moves die geen duplicates zijn toe aan possibleMoves.
* @param coord Het coordinaat uit het bord waar we recursief omheen gaan zoeken.
* @param token De kleur die de zet gaat maken.
*/
private void searchSurroundingCorners(OthelloCoordinate coord, char token) {
int x = coord.getX();
int y = coord.getY();
OthelloCoordinate newCoord;
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
newCoord = new OthelloCoordinate(x+i,y+j);
if(hasCoord(newCoord)){
newCoord.setToken(getCoordinate(x+i,y+j).getToken());
}
if(isValid(newCoord, token) && !(possibleMoves.contains(newCoord.getIndex()))){
possibleMoves.add(newCoord.getIndex());
}
}
}
}
}
/**
* Geeft aan of een bepaalde move een een toegestane move is. Hiervoor moet het
* coordinaat binnen het bord zitten, nog niet gevuld zijn en een mogelijk pad hebben.
* @param coord Het coordinaat waarvan we kijken of hij toegestaan is
* @param token De kleur die de zet gaat maken.
* @return boolean true als de move toegestaan is, false als de move niet toegestaan is.
*/
public boolean isValid(OthelloCoordinate coord, char token) {
if(!isInBoard(coord)){
return false;
}
if(hasCoord(coord)){
return false;
}
return hasPossiblePath(coord, token);
}
/**
* Kijkt voor een bepaald coordinaat of er een legaal pad is naar andere steentjes.
* @param coord Het coordinaat waarvan we kijken of hij een pad heeft
* @param token De kleur die de zet gaat maken.
* @return boolean true als er minstens ��n pad gevonden is, false als er geen pad te vinden is.
*/
private boolean hasPossiblePath(OthelloCoordinate coord, char token) {
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
if(checkDirection(i,j,coord, 0, token) != -1){
return true;
}
}
}
}
return false;
}
/**
* Kijkt voor een bepaald coordinaat in een bepaalde richting of een pad te vinden is
* @param i De x richting waarheen we gaan zoeken.
* @param j De y richting waarheen we gaan zoeken.
* @param coord Het coordinaat die we nu bekijken
* @param depth De diepte van de recursie. Dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* @param token De kleur die de zet gaat maken.
* @return depth de diepte van de recursie, dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* Dit is nuttig om een path te flippen op het bord. Het geeft dus tegelijkertijd aan of de directie toegestaan is en hoe ver het pad uiteindelijk is.
*/
private int checkDirection(int i, int j, OthelloCoordinate coord, int depth, char token) {
OthelloCoordinate newCoord = getCoordinate(coord.getX()+i,coord.getY()+j);
if(newCoord == null){
return -1;
}
if(newCoord.getToken() == token && depth == 0){
return -1;
}
if(newCoord.getToken() == token && depth > 0){
return depth;
}
return checkDirection(i, j, newCoord, depth+1, token);
}
/**
* Kijkt of een bepaald coordinaat in het bord gevuld is.
* @param coordIn Het coordinaat.
* @return boolean true als het coordinaat gevuld is, false als het coordinaat niet gevuld is.
*/
private boolean hasCoord(OthelloCoordinate coordIn) {
return getCoordinate(coordIn.getX(),coordIn.getY()) != null;
}
/**
* Kijkt of een bepaald coordinaat binnen het bord zit.
* @param coord Het coordinaat.
* @return boolean true als het coordinaat binnen het bord zit, fals als het niet binnen het bord zit.
*/
private boolean isInBoard(OthelloCoordinate coord){
int x = coord.getX();
int y = coord.getY();
return ((x>=0 && x < 8) && (y>=0 && y < 8));
}
/**
* Krijgt een move en kleur als input, en gaat dan alle mogelijke paden flippen.
* Dit is het verwerken van een move in het bord.
* @param input De move die verwerkt moet worden
* @param token De kleur van de move die gezet wordt
*/
public void flipPaths(int input, char token) {
int depth;
OthelloCoordinate coord = new OthelloCoordinate(input);
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
depth = getCorrectPathDepth(i,j,coord,token);
if(depth > 0){
flipFoundPath(coord, i,j,depth,token);
}
}
}
}
}
/**
* Er is een pad gevonden en die wordt hier geflipt.
* @param coord het coordinaat die nu geflipt wordt
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param depth de diepte van de recursie van getCorrectPathDepth. Dit is de lengte van het pad
* @param token De kleur van de move die gezet wordt
*/
private void flipFoundPath(OthelloCoordinate coord, int i, int j, int depth, char token) {
OthelloCoordinate newCoord = coord;
for(int n=0; n<=depth;n++){
addCoordinate(newCoord.getIndex(), token);
newCoord = new OthelloCoordinate(newCoord.getX()+i,newCoord.getY()+j);
newCoord.setToken(token);
}
}
/**
* Maakt gebruik van checkdirection om de lengte van het pad te vinden.
* De depth die daar gereturnt wordt geeft aan dat het pad toegestaan is als hij groter dan 0 is.
* Ook geeft het de lengte van het pad aan.
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param coord het coordinaat van de move die gezet wordt
* @param token De kleur van de move die gezet wordt
* @return depth de diepte van het pad (en dus de lengte)
*/
private int getCorrectPathDepth(int i, int j, OthelloCoordinate coord, char token) {
return checkDirection(i,j,coord,0, token);
}
}
| HanzehogeschoolSICT/Project-Othello | src/model/OthelloBoard.java | 3,143 | /**
* Returnt een coordinaat op een bepaald punt in het bord.
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @return coord het coordinaat (return null als hij niet in het bord zit)
*/ | block_comment | nl | package model;
import java.util.ArrayList;
public class OthelloBoard implements Cloneable{
ArrayList<OthelloCoordinate> board = new ArrayList<OthelloCoordinate>();
private ArrayList<Integer> possibleMoves = new ArrayList<Integer>();
char ownToken;
public OthelloBoard(char c){
ownToken = c;
reset();
}
OthelloBoard(ArrayList<OthelloCoordinate> board, ArrayList<Integer> possibleMoves, char ownToken) {
this.board = board;
this.possibleMoves = possibleMoves;
this.ownToken = ownToken;
}
@Override
public Object clone() throws CloneNotSupportedException {
ArrayList<OthelloCoordinate> boardclone = new ArrayList<>();
ArrayList<Integer> possibleMovesClone = (ArrayList<Integer>) possibleMoves.clone();
for (OthelloCoordinate coord: board) {
boardclone.add((OthelloCoordinate) coord.clone());
}
return new OthelloBoard(boardclone, possibleMovesClone, ownToken);
}
/**
* Gets the current count of tiles on the board of a specific token
* @param token to count the score of
* @return amount of disks on the board.
*/
public int getCurrentScore(char token){
int count = 0;
for (OthelloCoordinate coord : board) {
if (coord.getToken() == token) {
count++;
}
}
return count;
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met x en y coordinaten
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int x, int y, char c){
if(x >= 0 && x < 8 && y >= 0 && y < 8){ OthelloCoordinate coord = new OthelloCoordinate(x,y);
coord.setToken(c);
if(!board.contains(coord)){
board.add(coord);
} else {
OthelloCoordinate coord2 = getCoordinate(x, y);
coord2.setToken(c);
}
}
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met index
* @param index Index van het coordinaat (0-63)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int index, char c){
if(index >= 0 && index <64){
OthelloCoordinate coord = new OthelloCoordinate(index);
coord.setToken(c);
if(!hasCoord(coord)){
board.add(coord);
}else {
OthelloCoordinate coord2 = getCoordinate(index % 8, index / 8);
coord2.setToken(c);
}
}
}
/**
* Returnt een coordinaat<SUF>*/
public OthelloCoordinate getCoordinate(int x, int y){
for (OthelloCoordinate coord : board){
if(coord.getX() == x && coord.getY() == y){
return coord;
}
}
return null;
}
/**
* Returnt het bord
* @return board Het bord
*/
public ArrayList<OthelloCoordinate> getBoard(){
return board;
}
/**
* print het bord in een 2 dimensionale overzichtelijke manier
*/
public void printBoard(){
//System.out.println(board);
for(int x = 0; x < 8; x++) {
String line = "";
for(int y = 0; y < 8; y++) {
OthelloCoordinate coord = getCoordinate(x, y);
if(coord == null) {
line+="#";
} else {
line+=coord.getToken();
}
}
System.out.println(line);
}
}
/**
* Reset het bord, voegt de standaard start steentjes toe
*/
public void reset() {
board.clear();
addCoordinate(3,3,'W');
addCoordinate(4,4,'W');
addCoordinate(3,4,'B');
addCoordinate(4,3,'B');
}
/**
* Geeft alle mogelijke moves voor een bepaalde kleur.
* @param token De kleur die de zet gaat maken
* @return possibleMoves Een lijst met mogelijke moves die de kleur token kan maken
*/
public synchronized ArrayList<Integer> findPossibleMoves(char token){
possibleMoves.clear();
for (OthelloCoordinate coord : board){
searchSurroundingCorners(coord, token);
}
return possibleMoves;
}
/**
* Zoekt door alle plekken om een bepaald punt heen om te kijken of het een mogelijke move is.
* voegt alle mogelijke moves die geen duplicates zijn toe aan possibleMoves.
* @param coord Het coordinaat uit het bord waar we recursief omheen gaan zoeken.
* @param token De kleur die de zet gaat maken.
*/
private void searchSurroundingCorners(OthelloCoordinate coord, char token) {
int x = coord.getX();
int y = coord.getY();
OthelloCoordinate newCoord;
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
newCoord = new OthelloCoordinate(x+i,y+j);
if(hasCoord(newCoord)){
newCoord.setToken(getCoordinate(x+i,y+j).getToken());
}
if(isValid(newCoord, token) && !(possibleMoves.contains(newCoord.getIndex()))){
possibleMoves.add(newCoord.getIndex());
}
}
}
}
}
/**
* Geeft aan of een bepaalde move een een toegestane move is. Hiervoor moet het
* coordinaat binnen het bord zitten, nog niet gevuld zijn en een mogelijk pad hebben.
* @param coord Het coordinaat waarvan we kijken of hij toegestaan is
* @param token De kleur die de zet gaat maken.
* @return boolean true als de move toegestaan is, false als de move niet toegestaan is.
*/
public boolean isValid(OthelloCoordinate coord, char token) {
if(!isInBoard(coord)){
return false;
}
if(hasCoord(coord)){
return false;
}
return hasPossiblePath(coord, token);
}
/**
* Kijkt voor een bepaald coordinaat of er een legaal pad is naar andere steentjes.
* @param coord Het coordinaat waarvan we kijken of hij een pad heeft
* @param token De kleur die de zet gaat maken.
* @return boolean true als er minstens ��n pad gevonden is, false als er geen pad te vinden is.
*/
private boolean hasPossiblePath(OthelloCoordinate coord, char token) {
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
if(checkDirection(i,j,coord, 0, token) != -1){
return true;
}
}
}
}
return false;
}
/**
* Kijkt voor een bepaald coordinaat in een bepaalde richting of een pad te vinden is
* @param i De x richting waarheen we gaan zoeken.
* @param j De y richting waarheen we gaan zoeken.
* @param coord Het coordinaat die we nu bekijken
* @param depth De diepte van de recursie. Dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* @param token De kleur die de zet gaat maken.
* @return depth de diepte van de recursie, dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* Dit is nuttig om een path te flippen op het bord. Het geeft dus tegelijkertijd aan of de directie toegestaan is en hoe ver het pad uiteindelijk is.
*/
private int checkDirection(int i, int j, OthelloCoordinate coord, int depth, char token) {
OthelloCoordinate newCoord = getCoordinate(coord.getX()+i,coord.getY()+j);
if(newCoord == null){
return -1;
}
if(newCoord.getToken() == token && depth == 0){
return -1;
}
if(newCoord.getToken() == token && depth > 0){
return depth;
}
return checkDirection(i, j, newCoord, depth+1, token);
}
/**
* Kijkt of een bepaald coordinaat in het bord gevuld is.
* @param coordIn Het coordinaat.
* @return boolean true als het coordinaat gevuld is, false als het coordinaat niet gevuld is.
*/
private boolean hasCoord(OthelloCoordinate coordIn) {
return getCoordinate(coordIn.getX(),coordIn.getY()) != null;
}
/**
* Kijkt of een bepaald coordinaat binnen het bord zit.
* @param coord Het coordinaat.
* @return boolean true als het coordinaat binnen het bord zit, fals als het niet binnen het bord zit.
*/
private boolean isInBoard(OthelloCoordinate coord){
int x = coord.getX();
int y = coord.getY();
return ((x>=0 && x < 8) && (y>=0 && y < 8));
}
/**
* Krijgt een move en kleur als input, en gaat dan alle mogelijke paden flippen.
* Dit is het verwerken van een move in het bord.
* @param input De move die verwerkt moet worden
* @param token De kleur van de move die gezet wordt
*/
public void flipPaths(int input, char token) {
int depth;
OthelloCoordinate coord = new OthelloCoordinate(input);
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
depth = getCorrectPathDepth(i,j,coord,token);
if(depth > 0){
flipFoundPath(coord, i,j,depth,token);
}
}
}
}
}
/**
* Er is een pad gevonden en die wordt hier geflipt.
* @param coord het coordinaat die nu geflipt wordt
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param depth de diepte van de recursie van getCorrectPathDepth. Dit is de lengte van het pad
* @param token De kleur van de move die gezet wordt
*/
private void flipFoundPath(OthelloCoordinate coord, int i, int j, int depth, char token) {
OthelloCoordinate newCoord = coord;
for(int n=0; n<=depth;n++){
addCoordinate(newCoord.getIndex(), token);
newCoord = new OthelloCoordinate(newCoord.getX()+i,newCoord.getY()+j);
newCoord.setToken(token);
}
}
/**
* Maakt gebruik van checkdirection om de lengte van het pad te vinden.
* De depth die daar gereturnt wordt geeft aan dat het pad toegestaan is als hij groter dan 0 is.
* Ook geeft het de lengte van het pad aan.
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param coord het coordinaat van de move die gezet wordt
* @param token De kleur van de move die gezet wordt
* @return depth de diepte van het pad (en dus de lengte)
*/
private int getCorrectPathDepth(int i, int j, OthelloCoordinate coord, char token) {
return checkDirection(i,j,coord,0, token);
}
}
|
211664_4 | package model;
import java.util.ArrayList;
public class OthelloBoard implements Cloneable{
ArrayList<OthelloCoordinate> board = new ArrayList<OthelloCoordinate>();
private ArrayList<Integer> possibleMoves = new ArrayList<Integer>();
char ownToken;
public OthelloBoard(char c){
ownToken = c;
reset();
}
OthelloBoard(ArrayList<OthelloCoordinate> board, ArrayList<Integer> possibleMoves, char ownToken) {
this.board = board;
this.possibleMoves = possibleMoves;
this.ownToken = ownToken;
}
@Override
public Object clone() throws CloneNotSupportedException {
ArrayList<OthelloCoordinate> boardclone = new ArrayList<>();
ArrayList<Integer> possibleMovesClone = (ArrayList<Integer>) possibleMoves.clone();
for (OthelloCoordinate coord: board) {
boardclone.add((OthelloCoordinate) coord.clone());
}
return new OthelloBoard(boardclone, possibleMovesClone, ownToken);
}
/**
* Gets the current count of tiles on the board of a specific token
* @param token to count the score of
* @return amount of disks on the board.
*/
public int getCurrentScore(char token){
int count = 0;
for (OthelloCoordinate coord : board) {
if (coord.getToken() == token) {
count++;
}
}
return count;
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met x en y coordinaten
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int x, int y, char c){
if(x >= 0 && x < 8 && y >= 0 && y < 8){ OthelloCoordinate coord = new OthelloCoordinate(x,y);
coord.setToken(c);
if(!board.contains(coord)){
board.add(coord);
} else {
OthelloCoordinate coord2 = getCoordinate(x, y);
coord2.setToken(c);
}
}
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met index
* @param index Index van het coordinaat (0-63)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int index, char c){
if(index >= 0 && index <64){
OthelloCoordinate coord = new OthelloCoordinate(index);
coord.setToken(c);
if(!hasCoord(coord)){
board.add(coord);
}else {
OthelloCoordinate coord2 = getCoordinate(index % 8, index / 8);
coord2.setToken(c);
}
}
}
/**
* Returnt een coordinaat op een bepaald punt in het bord.
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @return coord het coordinaat (return null als hij niet in het bord zit)
*/
public OthelloCoordinate getCoordinate(int x, int y){
for (OthelloCoordinate coord : board){
if(coord.getX() == x && coord.getY() == y){
return coord;
}
}
return null;
}
/**
* Returnt het bord
* @return board Het bord
*/
public ArrayList<OthelloCoordinate> getBoard(){
return board;
}
/**
* print het bord in een 2 dimensionale overzichtelijke manier
*/
public void printBoard(){
//System.out.println(board);
for(int x = 0; x < 8; x++) {
String line = "";
for(int y = 0; y < 8; y++) {
OthelloCoordinate coord = getCoordinate(x, y);
if(coord == null) {
line+="#";
} else {
line+=coord.getToken();
}
}
System.out.println(line);
}
}
/**
* Reset het bord, voegt de standaard start steentjes toe
*/
public void reset() {
board.clear();
addCoordinate(3,3,'W');
addCoordinate(4,4,'W');
addCoordinate(3,4,'B');
addCoordinate(4,3,'B');
}
/**
* Geeft alle mogelijke moves voor een bepaalde kleur.
* @param token De kleur die de zet gaat maken
* @return possibleMoves Een lijst met mogelijke moves die de kleur token kan maken
*/
public synchronized ArrayList<Integer> findPossibleMoves(char token){
possibleMoves.clear();
for (OthelloCoordinate coord : board){
searchSurroundingCorners(coord, token);
}
return possibleMoves;
}
/**
* Zoekt door alle plekken om een bepaald punt heen om te kijken of het een mogelijke move is.
* voegt alle mogelijke moves die geen duplicates zijn toe aan possibleMoves.
* @param coord Het coordinaat uit het bord waar we recursief omheen gaan zoeken.
* @param token De kleur die de zet gaat maken.
*/
private void searchSurroundingCorners(OthelloCoordinate coord, char token) {
int x = coord.getX();
int y = coord.getY();
OthelloCoordinate newCoord;
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
newCoord = new OthelloCoordinate(x+i,y+j);
if(hasCoord(newCoord)){
newCoord.setToken(getCoordinate(x+i,y+j).getToken());
}
if(isValid(newCoord, token) && !(possibleMoves.contains(newCoord.getIndex()))){
possibleMoves.add(newCoord.getIndex());
}
}
}
}
}
/**
* Geeft aan of een bepaalde move een een toegestane move is. Hiervoor moet het
* coordinaat binnen het bord zitten, nog niet gevuld zijn en een mogelijk pad hebben.
* @param coord Het coordinaat waarvan we kijken of hij toegestaan is
* @param token De kleur die de zet gaat maken.
* @return boolean true als de move toegestaan is, false als de move niet toegestaan is.
*/
public boolean isValid(OthelloCoordinate coord, char token) {
if(!isInBoard(coord)){
return false;
}
if(hasCoord(coord)){
return false;
}
return hasPossiblePath(coord, token);
}
/**
* Kijkt voor een bepaald coordinaat of er een legaal pad is naar andere steentjes.
* @param coord Het coordinaat waarvan we kijken of hij een pad heeft
* @param token De kleur die de zet gaat maken.
* @return boolean true als er minstens ��n pad gevonden is, false als er geen pad te vinden is.
*/
private boolean hasPossiblePath(OthelloCoordinate coord, char token) {
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
if(checkDirection(i,j,coord, 0, token) != -1){
return true;
}
}
}
}
return false;
}
/**
* Kijkt voor een bepaald coordinaat in een bepaalde richting of een pad te vinden is
* @param i De x richting waarheen we gaan zoeken.
* @param j De y richting waarheen we gaan zoeken.
* @param coord Het coordinaat die we nu bekijken
* @param depth De diepte van de recursie. Dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* @param token De kleur die de zet gaat maken.
* @return depth de diepte van de recursie, dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* Dit is nuttig om een path te flippen op het bord. Het geeft dus tegelijkertijd aan of de directie toegestaan is en hoe ver het pad uiteindelijk is.
*/
private int checkDirection(int i, int j, OthelloCoordinate coord, int depth, char token) {
OthelloCoordinate newCoord = getCoordinate(coord.getX()+i,coord.getY()+j);
if(newCoord == null){
return -1;
}
if(newCoord.getToken() == token && depth == 0){
return -1;
}
if(newCoord.getToken() == token && depth > 0){
return depth;
}
return checkDirection(i, j, newCoord, depth+1, token);
}
/**
* Kijkt of een bepaald coordinaat in het bord gevuld is.
* @param coordIn Het coordinaat.
* @return boolean true als het coordinaat gevuld is, false als het coordinaat niet gevuld is.
*/
private boolean hasCoord(OthelloCoordinate coordIn) {
return getCoordinate(coordIn.getX(),coordIn.getY()) != null;
}
/**
* Kijkt of een bepaald coordinaat binnen het bord zit.
* @param coord Het coordinaat.
* @return boolean true als het coordinaat binnen het bord zit, fals als het niet binnen het bord zit.
*/
private boolean isInBoard(OthelloCoordinate coord){
int x = coord.getX();
int y = coord.getY();
return ((x>=0 && x < 8) && (y>=0 && y < 8));
}
/**
* Krijgt een move en kleur als input, en gaat dan alle mogelijke paden flippen.
* Dit is het verwerken van een move in het bord.
* @param input De move die verwerkt moet worden
* @param token De kleur van de move die gezet wordt
*/
public void flipPaths(int input, char token) {
int depth;
OthelloCoordinate coord = new OthelloCoordinate(input);
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
depth = getCorrectPathDepth(i,j,coord,token);
if(depth > 0){
flipFoundPath(coord, i,j,depth,token);
}
}
}
}
}
/**
* Er is een pad gevonden en die wordt hier geflipt.
* @param coord het coordinaat die nu geflipt wordt
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param depth de diepte van de recursie van getCorrectPathDepth. Dit is de lengte van het pad
* @param token De kleur van de move die gezet wordt
*/
private void flipFoundPath(OthelloCoordinate coord, int i, int j, int depth, char token) {
OthelloCoordinate newCoord = coord;
for(int n=0; n<=depth;n++){
addCoordinate(newCoord.getIndex(), token);
newCoord = new OthelloCoordinate(newCoord.getX()+i,newCoord.getY()+j);
newCoord.setToken(token);
}
}
/**
* Maakt gebruik van checkdirection om de lengte van het pad te vinden.
* De depth die daar gereturnt wordt geeft aan dat het pad toegestaan is als hij groter dan 0 is.
* Ook geeft het de lengte van het pad aan.
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param coord het coordinaat van de move die gezet wordt
* @param token De kleur van de move die gezet wordt
* @return depth de diepte van het pad (en dus de lengte)
*/
private int getCorrectPathDepth(int i, int j, OthelloCoordinate coord, char token) {
return checkDirection(i,j,coord,0, token);
}
}
| HanzehogeschoolSICT/Project-Othello | src/model/OthelloBoard.java | 3,143 | /**
* Returnt het bord
* @return board Het bord
*/ | block_comment | nl | package model;
import java.util.ArrayList;
public class OthelloBoard implements Cloneable{
ArrayList<OthelloCoordinate> board = new ArrayList<OthelloCoordinate>();
private ArrayList<Integer> possibleMoves = new ArrayList<Integer>();
char ownToken;
public OthelloBoard(char c){
ownToken = c;
reset();
}
OthelloBoard(ArrayList<OthelloCoordinate> board, ArrayList<Integer> possibleMoves, char ownToken) {
this.board = board;
this.possibleMoves = possibleMoves;
this.ownToken = ownToken;
}
@Override
public Object clone() throws CloneNotSupportedException {
ArrayList<OthelloCoordinate> boardclone = new ArrayList<>();
ArrayList<Integer> possibleMovesClone = (ArrayList<Integer>) possibleMoves.clone();
for (OthelloCoordinate coord: board) {
boardclone.add((OthelloCoordinate) coord.clone());
}
return new OthelloBoard(boardclone, possibleMovesClone, ownToken);
}
/**
* Gets the current count of tiles on the board of a specific token
* @param token to count the score of
* @return amount of disks on the board.
*/
public int getCurrentScore(char token){
int count = 0;
for (OthelloCoordinate coord : board) {
if (coord.getToken() == token) {
count++;
}
}
return count;
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met x en y coordinaten
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int x, int y, char c){
if(x >= 0 && x < 8 && y >= 0 && y < 8){ OthelloCoordinate coord = new OthelloCoordinate(x,y);
coord.setToken(c);
if(!board.contains(coord)){
board.add(coord);
} else {
OthelloCoordinate coord2 = getCoordinate(x, y);
coord2.setToken(c);
}
}
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met index
* @param index Index van het coordinaat (0-63)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int index, char c){
if(index >= 0 && index <64){
OthelloCoordinate coord = new OthelloCoordinate(index);
coord.setToken(c);
if(!hasCoord(coord)){
board.add(coord);
}else {
OthelloCoordinate coord2 = getCoordinate(index % 8, index / 8);
coord2.setToken(c);
}
}
}
/**
* Returnt een coordinaat op een bepaald punt in het bord.
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @return coord het coordinaat (return null als hij niet in het bord zit)
*/
public OthelloCoordinate getCoordinate(int x, int y){
for (OthelloCoordinate coord : board){
if(coord.getX() == x && coord.getY() == y){
return coord;
}
}
return null;
}
/**
* Returnt het bord<SUF>*/
public ArrayList<OthelloCoordinate> getBoard(){
return board;
}
/**
* print het bord in een 2 dimensionale overzichtelijke manier
*/
public void printBoard(){
//System.out.println(board);
for(int x = 0; x < 8; x++) {
String line = "";
for(int y = 0; y < 8; y++) {
OthelloCoordinate coord = getCoordinate(x, y);
if(coord == null) {
line+="#";
} else {
line+=coord.getToken();
}
}
System.out.println(line);
}
}
/**
* Reset het bord, voegt de standaard start steentjes toe
*/
public void reset() {
board.clear();
addCoordinate(3,3,'W');
addCoordinate(4,4,'W');
addCoordinate(3,4,'B');
addCoordinate(4,3,'B');
}
/**
* Geeft alle mogelijke moves voor een bepaalde kleur.
* @param token De kleur die de zet gaat maken
* @return possibleMoves Een lijst met mogelijke moves die de kleur token kan maken
*/
public synchronized ArrayList<Integer> findPossibleMoves(char token){
possibleMoves.clear();
for (OthelloCoordinate coord : board){
searchSurroundingCorners(coord, token);
}
return possibleMoves;
}
/**
* Zoekt door alle plekken om een bepaald punt heen om te kijken of het een mogelijke move is.
* voegt alle mogelijke moves die geen duplicates zijn toe aan possibleMoves.
* @param coord Het coordinaat uit het bord waar we recursief omheen gaan zoeken.
* @param token De kleur die de zet gaat maken.
*/
private void searchSurroundingCorners(OthelloCoordinate coord, char token) {
int x = coord.getX();
int y = coord.getY();
OthelloCoordinate newCoord;
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
newCoord = new OthelloCoordinate(x+i,y+j);
if(hasCoord(newCoord)){
newCoord.setToken(getCoordinate(x+i,y+j).getToken());
}
if(isValid(newCoord, token) && !(possibleMoves.contains(newCoord.getIndex()))){
possibleMoves.add(newCoord.getIndex());
}
}
}
}
}
/**
* Geeft aan of een bepaalde move een een toegestane move is. Hiervoor moet het
* coordinaat binnen het bord zitten, nog niet gevuld zijn en een mogelijk pad hebben.
* @param coord Het coordinaat waarvan we kijken of hij toegestaan is
* @param token De kleur die de zet gaat maken.
* @return boolean true als de move toegestaan is, false als de move niet toegestaan is.
*/
public boolean isValid(OthelloCoordinate coord, char token) {
if(!isInBoard(coord)){
return false;
}
if(hasCoord(coord)){
return false;
}
return hasPossiblePath(coord, token);
}
/**
* Kijkt voor een bepaald coordinaat of er een legaal pad is naar andere steentjes.
* @param coord Het coordinaat waarvan we kijken of hij een pad heeft
* @param token De kleur die de zet gaat maken.
* @return boolean true als er minstens ��n pad gevonden is, false als er geen pad te vinden is.
*/
private boolean hasPossiblePath(OthelloCoordinate coord, char token) {
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
if(checkDirection(i,j,coord, 0, token) != -1){
return true;
}
}
}
}
return false;
}
/**
* Kijkt voor een bepaald coordinaat in een bepaalde richting of een pad te vinden is
* @param i De x richting waarheen we gaan zoeken.
* @param j De y richting waarheen we gaan zoeken.
* @param coord Het coordinaat die we nu bekijken
* @param depth De diepte van de recursie. Dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* @param token De kleur die de zet gaat maken.
* @return depth de diepte van de recursie, dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* Dit is nuttig om een path te flippen op het bord. Het geeft dus tegelijkertijd aan of de directie toegestaan is en hoe ver het pad uiteindelijk is.
*/
private int checkDirection(int i, int j, OthelloCoordinate coord, int depth, char token) {
OthelloCoordinate newCoord = getCoordinate(coord.getX()+i,coord.getY()+j);
if(newCoord == null){
return -1;
}
if(newCoord.getToken() == token && depth == 0){
return -1;
}
if(newCoord.getToken() == token && depth > 0){
return depth;
}
return checkDirection(i, j, newCoord, depth+1, token);
}
/**
* Kijkt of een bepaald coordinaat in het bord gevuld is.
* @param coordIn Het coordinaat.
* @return boolean true als het coordinaat gevuld is, false als het coordinaat niet gevuld is.
*/
private boolean hasCoord(OthelloCoordinate coordIn) {
return getCoordinate(coordIn.getX(),coordIn.getY()) != null;
}
/**
* Kijkt of een bepaald coordinaat binnen het bord zit.
* @param coord Het coordinaat.
* @return boolean true als het coordinaat binnen het bord zit, fals als het niet binnen het bord zit.
*/
private boolean isInBoard(OthelloCoordinate coord){
int x = coord.getX();
int y = coord.getY();
return ((x>=0 && x < 8) && (y>=0 && y < 8));
}
/**
* Krijgt een move en kleur als input, en gaat dan alle mogelijke paden flippen.
* Dit is het verwerken van een move in het bord.
* @param input De move die verwerkt moet worden
* @param token De kleur van de move die gezet wordt
*/
public void flipPaths(int input, char token) {
int depth;
OthelloCoordinate coord = new OthelloCoordinate(input);
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
depth = getCorrectPathDepth(i,j,coord,token);
if(depth > 0){
flipFoundPath(coord, i,j,depth,token);
}
}
}
}
}
/**
* Er is een pad gevonden en die wordt hier geflipt.
* @param coord het coordinaat die nu geflipt wordt
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param depth de diepte van de recursie van getCorrectPathDepth. Dit is de lengte van het pad
* @param token De kleur van de move die gezet wordt
*/
private void flipFoundPath(OthelloCoordinate coord, int i, int j, int depth, char token) {
OthelloCoordinate newCoord = coord;
for(int n=0; n<=depth;n++){
addCoordinate(newCoord.getIndex(), token);
newCoord = new OthelloCoordinate(newCoord.getX()+i,newCoord.getY()+j);
newCoord.setToken(token);
}
}
/**
* Maakt gebruik van checkdirection om de lengte van het pad te vinden.
* De depth die daar gereturnt wordt geeft aan dat het pad toegestaan is als hij groter dan 0 is.
* Ook geeft het de lengte van het pad aan.
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param coord het coordinaat van de move die gezet wordt
* @param token De kleur van de move die gezet wordt
* @return depth de diepte van het pad (en dus de lengte)
*/
private int getCorrectPathDepth(int i, int j, OthelloCoordinate coord, char token) {
return checkDirection(i,j,coord,0, token);
}
}
|
211664_5 | package model;
import java.util.ArrayList;
public class OthelloBoard implements Cloneable{
ArrayList<OthelloCoordinate> board = new ArrayList<OthelloCoordinate>();
private ArrayList<Integer> possibleMoves = new ArrayList<Integer>();
char ownToken;
public OthelloBoard(char c){
ownToken = c;
reset();
}
OthelloBoard(ArrayList<OthelloCoordinate> board, ArrayList<Integer> possibleMoves, char ownToken) {
this.board = board;
this.possibleMoves = possibleMoves;
this.ownToken = ownToken;
}
@Override
public Object clone() throws CloneNotSupportedException {
ArrayList<OthelloCoordinate> boardclone = new ArrayList<>();
ArrayList<Integer> possibleMovesClone = (ArrayList<Integer>) possibleMoves.clone();
for (OthelloCoordinate coord: board) {
boardclone.add((OthelloCoordinate) coord.clone());
}
return new OthelloBoard(boardclone, possibleMovesClone, ownToken);
}
/**
* Gets the current count of tiles on the board of a specific token
* @param token to count the score of
* @return amount of disks on the board.
*/
public int getCurrentScore(char token){
int count = 0;
for (OthelloCoordinate coord : board) {
if (coord.getToken() == token) {
count++;
}
}
return count;
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met x en y coordinaten
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int x, int y, char c){
if(x >= 0 && x < 8 && y >= 0 && y < 8){ OthelloCoordinate coord = new OthelloCoordinate(x,y);
coord.setToken(c);
if(!board.contains(coord)){
board.add(coord);
} else {
OthelloCoordinate coord2 = getCoordinate(x, y);
coord2.setToken(c);
}
}
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met index
* @param index Index van het coordinaat (0-63)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int index, char c){
if(index >= 0 && index <64){
OthelloCoordinate coord = new OthelloCoordinate(index);
coord.setToken(c);
if(!hasCoord(coord)){
board.add(coord);
}else {
OthelloCoordinate coord2 = getCoordinate(index % 8, index / 8);
coord2.setToken(c);
}
}
}
/**
* Returnt een coordinaat op een bepaald punt in het bord.
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @return coord het coordinaat (return null als hij niet in het bord zit)
*/
public OthelloCoordinate getCoordinate(int x, int y){
for (OthelloCoordinate coord : board){
if(coord.getX() == x && coord.getY() == y){
return coord;
}
}
return null;
}
/**
* Returnt het bord
* @return board Het bord
*/
public ArrayList<OthelloCoordinate> getBoard(){
return board;
}
/**
* print het bord in een 2 dimensionale overzichtelijke manier
*/
public void printBoard(){
//System.out.println(board);
for(int x = 0; x < 8; x++) {
String line = "";
for(int y = 0; y < 8; y++) {
OthelloCoordinate coord = getCoordinate(x, y);
if(coord == null) {
line+="#";
} else {
line+=coord.getToken();
}
}
System.out.println(line);
}
}
/**
* Reset het bord, voegt de standaard start steentjes toe
*/
public void reset() {
board.clear();
addCoordinate(3,3,'W');
addCoordinate(4,4,'W');
addCoordinate(3,4,'B');
addCoordinate(4,3,'B');
}
/**
* Geeft alle mogelijke moves voor een bepaalde kleur.
* @param token De kleur die de zet gaat maken
* @return possibleMoves Een lijst met mogelijke moves die de kleur token kan maken
*/
public synchronized ArrayList<Integer> findPossibleMoves(char token){
possibleMoves.clear();
for (OthelloCoordinate coord : board){
searchSurroundingCorners(coord, token);
}
return possibleMoves;
}
/**
* Zoekt door alle plekken om een bepaald punt heen om te kijken of het een mogelijke move is.
* voegt alle mogelijke moves die geen duplicates zijn toe aan possibleMoves.
* @param coord Het coordinaat uit het bord waar we recursief omheen gaan zoeken.
* @param token De kleur die de zet gaat maken.
*/
private void searchSurroundingCorners(OthelloCoordinate coord, char token) {
int x = coord.getX();
int y = coord.getY();
OthelloCoordinate newCoord;
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
newCoord = new OthelloCoordinate(x+i,y+j);
if(hasCoord(newCoord)){
newCoord.setToken(getCoordinate(x+i,y+j).getToken());
}
if(isValid(newCoord, token) && !(possibleMoves.contains(newCoord.getIndex()))){
possibleMoves.add(newCoord.getIndex());
}
}
}
}
}
/**
* Geeft aan of een bepaalde move een een toegestane move is. Hiervoor moet het
* coordinaat binnen het bord zitten, nog niet gevuld zijn en een mogelijk pad hebben.
* @param coord Het coordinaat waarvan we kijken of hij toegestaan is
* @param token De kleur die de zet gaat maken.
* @return boolean true als de move toegestaan is, false als de move niet toegestaan is.
*/
public boolean isValid(OthelloCoordinate coord, char token) {
if(!isInBoard(coord)){
return false;
}
if(hasCoord(coord)){
return false;
}
return hasPossiblePath(coord, token);
}
/**
* Kijkt voor een bepaald coordinaat of er een legaal pad is naar andere steentjes.
* @param coord Het coordinaat waarvan we kijken of hij een pad heeft
* @param token De kleur die de zet gaat maken.
* @return boolean true als er minstens ��n pad gevonden is, false als er geen pad te vinden is.
*/
private boolean hasPossiblePath(OthelloCoordinate coord, char token) {
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
if(checkDirection(i,j,coord, 0, token) != -1){
return true;
}
}
}
}
return false;
}
/**
* Kijkt voor een bepaald coordinaat in een bepaalde richting of een pad te vinden is
* @param i De x richting waarheen we gaan zoeken.
* @param j De y richting waarheen we gaan zoeken.
* @param coord Het coordinaat die we nu bekijken
* @param depth De diepte van de recursie. Dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* @param token De kleur die de zet gaat maken.
* @return depth de diepte van de recursie, dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* Dit is nuttig om een path te flippen op het bord. Het geeft dus tegelijkertijd aan of de directie toegestaan is en hoe ver het pad uiteindelijk is.
*/
private int checkDirection(int i, int j, OthelloCoordinate coord, int depth, char token) {
OthelloCoordinate newCoord = getCoordinate(coord.getX()+i,coord.getY()+j);
if(newCoord == null){
return -1;
}
if(newCoord.getToken() == token && depth == 0){
return -1;
}
if(newCoord.getToken() == token && depth > 0){
return depth;
}
return checkDirection(i, j, newCoord, depth+1, token);
}
/**
* Kijkt of een bepaald coordinaat in het bord gevuld is.
* @param coordIn Het coordinaat.
* @return boolean true als het coordinaat gevuld is, false als het coordinaat niet gevuld is.
*/
private boolean hasCoord(OthelloCoordinate coordIn) {
return getCoordinate(coordIn.getX(),coordIn.getY()) != null;
}
/**
* Kijkt of een bepaald coordinaat binnen het bord zit.
* @param coord Het coordinaat.
* @return boolean true als het coordinaat binnen het bord zit, fals als het niet binnen het bord zit.
*/
private boolean isInBoard(OthelloCoordinate coord){
int x = coord.getX();
int y = coord.getY();
return ((x>=0 && x < 8) && (y>=0 && y < 8));
}
/**
* Krijgt een move en kleur als input, en gaat dan alle mogelijke paden flippen.
* Dit is het verwerken van een move in het bord.
* @param input De move die verwerkt moet worden
* @param token De kleur van de move die gezet wordt
*/
public void flipPaths(int input, char token) {
int depth;
OthelloCoordinate coord = new OthelloCoordinate(input);
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
depth = getCorrectPathDepth(i,j,coord,token);
if(depth > 0){
flipFoundPath(coord, i,j,depth,token);
}
}
}
}
}
/**
* Er is een pad gevonden en die wordt hier geflipt.
* @param coord het coordinaat die nu geflipt wordt
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param depth de diepte van de recursie van getCorrectPathDepth. Dit is de lengte van het pad
* @param token De kleur van de move die gezet wordt
*/
private void flipFoundPath(OthelloCoordinate coord, int i, int j, int depth, char token) {
OthelloCoordinate newCoord = coord;
for(int n=0; n<=depth;n++){
addCoordinate(newCoord.getIndex(), token);
newCoord = new OthelloCoordinate(newCoord.getX()+i,newCoord.getY()+j);
newCoord.setToken(token);
}
}
/**
* Maakt gebruik van checkdirection om de lengte van het pad te vinden.
* De depth die daar gereturnt wordt geeft aan dat het pad toegestaan is als hij groter dan 0 is.
* Ook geeft het de lengte van het pad aan.
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param coord het coordinaat van de move die gezet wordt
* @param token De kleur van de move die gezet wordt
* @return depth de diepte van het pad (en dus de lengte)
*/
private int getCorrectPathDepth(int i, int j, OthelloCoordinate coord, char token) {
return checkDirection(i,j,coord,0, token);
}
}
| HanzehogeschoolSICT/Project-Othello | src/model/OthelloBoard.java | 3,143 | /**
* print het bord in een 2 dimensionale overzichtelijke manier
*/ | block_comment | nl | package model;
import java.util.ArrayList;
public class OthelloBoard implements Cloneable{
ArrayList<OthelloCoordinate> board = new ArrayList<OthelloCoordinate>();
private ArrayList<Integer> possibleMoves = new ArrayList<Integer>();
char ownToken;
public OthelloBoard(char c){
ownToken = c;
reset();
}
OthelloBoard(ArrayList<OthelloCoordinate> board, ArrayList<Integer> possibleMoves, char ownToken) {
this.board = board;
this.possibleMoves = possibleMoves;
this.ownToken = ownToken;
}
@Override
public Object clone() throws CloneNotSupportedException {
ArrayList<OthelloCoordinate> boardclone = new ArrayList<>();
ArrayList<Integer> possibleMovesClone = (ArrayList<Integer>) possibleMoves.clone();
for (OthelloCoordinate coord: board) {
boardclone.add((OthelloCoordinate) coord.clone());
}
return new OthelloBoard(boardclone, possibleMovesClone, ownToken);
}
/**
* Gets the current count of tiles on the board of a specific token
* @param token to count the score of
* @return amount of disks on the board.
*/
public int getCurrentScore(char token){
int count = 0;
for (OthelloCoordinate coord : board) {
if (coord.getToken() == token) {
count++;
}
}
return count;
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met x en y coordinaten
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int x, int y, char c){
if(x >= 0 && x < 8 && y >= 0 && y < 8){ OthelloCoordinate coord = new OthelloCoordinate(x,y);
coord.setToken(c);
if(!board.contains(coord)){
board.add(coord);
} else {
OthelloCoordinate coord2 = getCoordinate(x, y);
coord2.setToken(c);
}
}
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met index
* @param index Index van het coordinaat (0-63)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int index, char c){
if(index >= 0 && index <64){
OthelloCoordinate coord = new OthelloCoordinate(index);
coord.setToken(c);
if(!hasCoord(coord)){
board.add(coord);
}else {
OthelloCoordinate coord2 = getCoordinate(index % 8, index / 8);
coord2.setToken(c);
}
}
}
/**
* Returnt een coordinaat op een bepaald punt in het bord.
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @return coord het coordinaat (return null als hij niet in het bord zit)
*/
public OthelloCoordinate getCoordinate(int x, int y){
for (OthelloCoordinate coord : board){
if(coord.getX() == x && coord.getY() == y){
return coord;
}
}
return null;
}
/**
* Returnt het bord
* @return board Het bord
*/
public ArrayList<OthelloCoordinate> getBoard(){
return board;
}
/**
* print het bord<SUF>*/
public void printBoard(){
//System.out.println(board);
for(int x = 0; x < 8; x++) {
String line = "";
for(int y = 0; y < 8; y++) {
OthelloCoordinate coord = getCoordinate(x, y);
if(coord == null) {
line+="#";
} else {
line+=coord.getToken();
}
}
System.out.println(line);
}
}
/**
* Reset het bord, voegt de standaard start steentjes toe
*/
public void reset() {
board.clear();
addCoordinate(3,3,'W');
addCoordinate(4,4,'W');
addCoordinate(3,4,'B');
addCoordinate(4,3,'B');
}
/**
* Geeft alle mogelijke moves voor een bepaalde kleur.
* @param token De kleur die de zet gaat maken
* @return possibleMoves Een lijst met mogelijke moves die de kleur token kan maken
*/
public synchronized ArrayList<Integer> findPossibleMoves(char token){
possibleMoves.clear();
for (OthelloCoordinate coord : board){
searchSurroundingCorners(coord, token);
}
return possibleMoves;
}
/**
* Zoekt door alle plekken om een bepaald punt heen om te kijken of het een mogelijke move is.
* voegt alle mogelijke moves die geen duplicates zijn toe aan possibleMoves.
* @param coord Het coordinaat uit het bord waar we recursief omheen gaan zoeken.
* @param token De kleur die de zet gaat maken.
*/
private void searchSurroundingCorners(OthelloCoordinate coord, char token) {
int x = coord.getX();
int y = coord.getY();
OthelloCoordinate newCoord;
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
newCoord = new OthelloCoordinate(x+i,y+j);
if(hasCoord(newCoord)){
newCoord.setToken(getCoordinate(x+i,y+j).getToken());
}
if(isValid(newCoord, token) && !(possibleMoves.contains(newCoord.getIndex()))){
possibleMoves.add(newCoord.getIndex());
}
}
}
}
}
/**
* Geeft aan of een bepaalde move een een toegestane move is. Hiervoor moet het
* coordinaat binnen het bord zitten, nog niet gevuld zijn en een mogelijk pad hebben.
* @param coord Het coordinaat waarvan we kijken of hij toegestaan is
* @param token De kleur die de zet gaat maken.
* @return boolean true als de move toegestaan is, false als de move niet toegestaan is.
*/
public boolean isValid(OthelloCoordinate coord, char token) {
if(!isInBoard(coord)){
return false;
}
if(hasCoord(coord)){
return false;
}
return hasPossiblePath(coord, token);
}
/**
* Kijkt voor een bepaald coordinaat of er een legaal pad is naar andere steentjes.
* @param coord Het coordinaat waarvan we kijken of hij een pad heeft
* @param token De kleur die de zet gaat maken.
* @return boolean true als er minstens ��n pad gevonden is, false als er geen pad te vinden is.
*/
private boolean hasPossiblePath(OthelloCoordinate coord, char token) {
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
if(checkDirection(i,j,coord, 0, token) != -1){
return true;
}
}
}
}
return false;
}
/**
* Kijkt voor een bepaald coordinaat in een bepaalde richting of een pad te vinden is
* @param i De x richting waarheen we gaan zoeken.
* @param j De y richting waarheen we gaan zoeken.
* @param coord Het coordinaat die we nu bekijken
* @param depth De diepte van de recursie. Dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* @param token De kleur die de zet gaat maken.
* @return depth de diepte van de recursie, dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* Dit is nuttig om een path te flippen op het bord. Het geeft dus tegelijkertijd aan of de directie toegestaan is en hoe ver het pad uiteindelijk is.
*/
private int checkDirection(int i, int j, OthelloCoordinate coord, int depth, char token) {
OthelloCoordinate newCoord = getCoordinate(coord.getX()+i,coord.getY()+j);
if(newCoord == null){
return -1;
}
if(newCoord.getToken() == token && depth == 0){
return -1;
}
if(newCoord.getToken() == token && depth > 0){
return depth;
}
return checkDirection(i, j, newCoord, depth+1, token);
}
/**
* Kijkt of een bepaald coordinaat in het bord gevuld is.
* @param coordIn Het coordinaat.
* @return boolean true als het coordinaat gevuld is, false als het coordinaat niet gevuld is.
*/
private boolean hasCoord(OthelloCoordinate coordIn) {
return getCoordinate(coordIn.getX(),coordIn.getY()) != null;
}
/**
* Kijkt of een bepaald coordinaat binnen het bord zit.
* @param coord Het coordinaat.
* @return boolean true als het coordinaat binnen het bord zit, fals als het niet binnen het bord zit.
*/
private boolean isInBoard(OthelloCoordinate coord){
int x = coord.getX();
int y = coord.getY();
return ((x>=0 && x < 8) && (y>=0 && y < 8));
}
/**
* Krijgt een move en kleur als input, en gaat dan alle mogelijke paden flippen.
* Dit is het verwerken van een move in het bord.
* @param input De move die verwerkt moet worden
* @param token De kleur van de move die gezet wordt
*/
public void flipPaths(int input, char token) {
int depth;
OthelloCoordinate coord = new OthelloCoordinate(input);
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
depth = getCorrectPathDepth(i,j,coord,token);
if(depth > 0){
flipFoundPath(coord, i,j,depth,token);
}
}
}
}
}
/**
* Er is een pad gevonden en die wordt hier geflipt.
* @param coord het coordinaat die nu geflipt wordt
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param depth de diepte van de recursie van getCorrectPathDepth. Dit is de lengte van het pad
* @param token De kleur van de move die gezet wordt
*/
private void flipFoundPath(OthelloCoordinate coord, int i, int j, int depth, char token) {
OthelloCoordinate newCoord = coord;
for(int n=0; n<=depth;n++){
addCoordinate(newCoord.getIndex(), token);
newCoord = new OthelloCoordinate(newCoord.getX()+i,newCoord.getY()+j);
newCoord.setToken(token);
}
}
/**
* Maakt gebruik van checkdirection om de lengte van het pad te vinden.
* De depth die daar gereturnt wordt geeft aan dat het pad toegestaan is als hij groter dan 0 is.
* Ook geeft het de lengte van het pad aan.
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param coord het coordinaat van de move die gezet wordt
* @param token De kleur van de move die gezet wordt
* @return depth de diepte van het pad (en dus de lengte)
*/
private int getCorrectPathDepth(int i, int j, OthelloCoordinate coord, char token) {
return checkDirection(i,j,coord,0, token);
}
}
|
211664_6 | package model;
import java.util.ArrayList;
public class OthelloBoard implements Cloneable{
ArrayList<OthelloCoordinate> board = new ArrayList<OthelloCoordinate>();
private ArrayList<Integer> possibleMoves = new ArrayList<Integer>();
char ownToken;
public OthelloBoard(char c){
ownToken = c;
reset();
}
OthelloBoard(ArrayList<OthelloCoordinate> board, ArrayList<Integer> possibleMoves, char ownToken) {
this.board = board;
this.possibleMoves = possibleMoves;
this.ownToken = ownToken;
}
@Override
public Object clone() throws CloneNotSupportedException {
ArrayList<OthelloCoordinate> boardclone = new ArrayList<>();
ArrayList<Integer> possibleMovesClone = (ArrayList<Integer>) possibleMoves.clone();
for (OthelloCoordinate coord: board) {
boardclone.add((OthelloCoordinate) coord.clone());
}
return new OthelloBoard(boardclone, possibleMovesClone, ownToken);
}
/**
* Gets the current count of tiles on the board of a specific token
* @param token to count the score of
* @return amount of disks on the board.
*/
public int getCurrentScore(char token){
int count = 0;
for (OthelloCoordinate coord : board) {
if (coord.getToken() == token) {
count++;
}
}
return count;
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met x en y coordinaten
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int x, int y, char c){
if(x >= 0 && x < 8 && y >= 0 && y < 8){ OthelloCoordinate coord = new OthelloCoordinate(x,y);
coord.setToken(c);
if(!board.contains(coord)){
board.add(coord);
} else {
OthelloCoordinate coord2 = getCoordinate(x, y);
coord2.setToken(c);
}
}
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met index
* @param index Index van het coordinaat (0-63)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int index, char c){
if(index >= 0 && index <64){
OthelloCoordinate coord = new OthelloCoordinate(index);
coord.setToken(c);
if(!hasCoord(coord)){
board.add(coord);
}else {
OthelloCoordinate coord2 = getCoordinate(index % 8, index / 8);
coord2.setToken(c);
}
}
}
/**
* Returnt een coordinaat op een bepaald punt in het bord.
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @return coord het coordinaat (return null als hij niet in het bord zit)
*/
public OthelloCoordinate getCoordinate(int x, int y){
for (OthelloCoordinate coord : board){
if(coord.getX() == x && coord.getY() == y){
return coord;
}
}
return null;
}
/**
* Returnt het bord
* @return board Het bord
*/
public ArrayList<OthelloCoordinate> getBoard(){
return board;
}
/**
* print het bord in een 2 dimensionale overzichtelijke manier
*/
public void printBoard(){
//System.out.println(board);
for(int x = 0; x < 8; x++) {
String line = "";
for(int y = 0; y < 8; y++) {
OthelloCoordinate coord = getCoordinate(x, y);
if(coord == null) {
line+="#";
} else {
line+=coord.getToken();
}
}
System.out.println(line);
}
}
/**
* Reset het bord, voegt de standaard start steentjes toe
*/
public void reset() {
board.clear();
addCoordinate(3,3,'W');
addCoordinate(4,4,'W');
addCoordinate(3,4,'B');
addCoordinate(4,3,'B');
}
/**
* Geeft alle mogelijke moves voor een bepaalde kleur.
* @param token De kleur die de zet gaat maken
* @return possibleMoves Een lijst met mogelijke moves die de kleur token kan maken
*/
public synchronized ArrayList<Integer> findPossibleMoves(char token){
possibleMoves.clear();
for (OthelloCoordinate coord : board){
searchSurroundingCorners(coord, token);
}
return possibleMoves;
}
/**
* Zoekt door alle plekken om een bepaald punt heen om te kijken of het een mogelijke move is.
* voegt alle mogelijke moves die geen duplicates zijn toe aan possibleMoves.
* @param coord Het coordinaat uit het bord waar we recursief omheen gaan zoeken.
* @param token De kleur die de zet gaat maken.
*/
private void searchSurroundingCorners(OthelloCoordinate coord, char token) {
int x = coord.getX();
int y = coord.getY();
OthelloCoordinate newCoord;
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
newCoord = new OthelloCoordinate(x+i,y+j);
if(hasCoord(newCoord)){
newCoord.setToken(getCoordinate(x+i,y+j).getToken());
}
if(isValid(newCoord, token) && !(possibleMoves.contains(newCoord.getIndex()))){
possibleMoves.add(newCoord.getIndex());
}
}
}
}
}
/**
* Geeft aan of een bepaalde move een een toegestane move is. Hiervoor moet het
* coordinaat binnen het bord zitten, nog niet gevuld zijn en een mogelijk pad hebben.
* @param coord Het coordinaat waarvan we kijken of hij toegestaan is
* @param token De kleur die de zet gaat maken.
* @return boolean true als de move toegestaan is, false als de move niet toegestaan is.
*/
public boolean isValid(OthelloCoordinate coord, char token) {
if(!isInBoard(coord)){
return false;
}
if(hasCoord(coord)){
return false;
}
return hasPossiblePath(coord, token);
}
/**
* Kijkt voor een bepaald coordinaat of er een legaal pad is naar andere steentjes.
* @param coord Het coordinaat waarvan we kijken of hij een pad heeft
* @param token De kleur die de zet gaat maken.
* @return boolean true als er minstens ��n pad gevonden is, false als er geen pad te vinden is.
*/
private boolean hasPossiblePath(OthelloCoordinate coord, char token) {
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
if(checkDirection(i,j,coord, 0, token) != -1){
return true;
}
}
}
}
return false;
}
/**
* Kijkt voor een bepaald coordinaat in een bepaalde richting of een pad te vinden is
* @param i De x richting waarheen we gaan zoeken.
* @param j De y richting waarheen we gaan zoeken.
* @param coord Het coordinaat die we nu bekijken
* @param depth De diepte van de recursie. Dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* @param token De kleur die de zet gaat maken.
* @return depth de diepte van de recursie, dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* Dit is nuttig om een path te flippen op het bord. Het geeft dus tegelijkertijd aan of de directie toegestaan is en hoe ver het pad uiteindelijk is.
*/
private int checkDirection(int i, int j, OthelloCoordinate coord, int depth, char token) {
OthelloCoordinate newCoord = getCoordinate(coord.getX()+i,coord.getY()+j);
if(newCoord == null){
return -1;
}
if(newCoord.getToken() == token && depth == 0){
return -1;
}
if(newCoord.getToken() == token && depth > 0){
return depth;
}
return checkDirection(i, j, newCoord, depth+1, token);
}
/**
* Kijkt of een bepaald coordinaat in het bord gevuld is.
* @param coordIn Het coordinaat.
* @return boolean true als het coordinaat gevuld is, false als het coordinaat niet gevuld is.
*/
private boolean hasCoord(OthelloCoordinate coordIn) {
return getCoordinate(coordIn.getX(),coordIn.getY()) != null;
}
/**
* Kijkt of een bepaald coordinaat binnen het bord zit.
* @param coord Het coordinaat.
* @return boolean true als het coordinaat binnen het bord zit, fals als het niet binnen het bord zit.
*/
private boolean isInBoard(OthelloCoordinate coord){
int x = coord.getX();
int y = coord.getY();
return ((x>=0 && x < 8) && (y>=0 && y < 8));
}
/**
* Krijgt een move en kleur als input, en gaat dan alle mogelijke paden flippen.
* Dit is het verwerken van een move in het bord.
* @param input De move die verwerkt moet worden
* @param token De kleur van de move die gezet wordt
*/
public void flipPaths(int input, char token) {
int depth;
OthelloCoordinate coord = new OthelloCoordinate(input);
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
depth = getCorrectPathDepth(i,j,coord,token);
if(depth > 0){
flipFoundPath(coord, i,j,depth,token);
}
}
}
}
}
/**
* Er is een pad gevonden en die wordt hier geflipt.
* @param coord het coordinaat die nu geflipt wordt
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param depth de diepte van de recursie van getCorrectPathDepth. Dit is de lengte van het pad
* @param token De kleur van de move die gezet wordt
*/
private void flipFoundPath(OthelloCoordinate coord, int i, int j, int depth, char token) {
OthelloCoordinate newCoord = coord;
for(int n=0; n<=depth;n++){
addCoordinate(newCoord.getIndex(), token);
newCoord = new OthelloCoordinate(newCoord.getX()+i,newCoord.getY()+j);
newCoord.setToken(token);
}
}
/**
* Maakt gebruik van checkdirection om de lengte van het pad te vinden.
* De depth die daar gereturnt wordt geeft aan dat het pad toegestaan is als hij groter dan 0 is.
* Ook geeft het de lengte van het pad aan.
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param coord het coordinaat van de move die gezet wordt
* @param token De kleur van de move die gezet wordt
* @return depth de diepte van het pad (en dus de lengte)
*/
private int getCorrectPathDepth(int i, int j, OthelloCoordinate coord, char token) {
return checkDirection(i,j,coord,0, token);
}
}
| HanzehogeschoolSICT/Project-Othello | src/model/OthelloBoard.java | 3,143 | /**
* Reset het bord, voegt de standaard start steentjes toe
*/ | block_comment | nl | package model;
import java.util.ArrayList;
public class OthelloBoard implements Cloneable{
ArrayList<OthelloCoordinate> board = new ArrayList<OthelloCoordinate>();
private ArrayList<Integer> possibleMoves = new ArrayList<Integer>();
char ownToken;
public OthelloBoard(char c){
ownToken = c;
reset();
}
OthelloBoard(ArrayList<OthelloCoordinate> board, ArrayList<Integer> possibleMoves, char ownToken) {
this.board = board;
this.possibleMoves = possibleMoves;
this.ownToken = ownToken;
}
@Override
public Object clone() throws CloneNotSupportedException {
ArrayList<OthelloCoordinate> boardclone = new ArrayList<>();
ArrayList<Integer> possibleMovesClone = (ArrayList<Integer>) possibleMoves.clone();
for (OthelloCoordinate coord: board) {
boardclone.add((OthelloCoordinate) coord.clone());
}
return new OthelloBoard(boardclone, possibleMovesClone, ownToken);
}
/**
* Gets the current count of tiles on the board of a specific token
* @param token to count the score of
* @return amount of disks on the board.
*/
public int getCurrentScore(char token){
int count = 0;
for (OthelloCoordinate coord : board) {
if (coord.getToken() == token) {
count++;
}
}
return count;
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met x en y coordinaten
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int x, int y, char c){
if(x >= 0 && x < 8 && y >= 0 && y < 8){ OthelloCoordinate coord = new OthelloCoordinate(x,y);
coord.setToken(c);
if(!board.contains(coord)){
board.add(coord);
} else {
OthelloCoordinate coord2 = getCoordinate(x, y);
coord2.setToken(c);
}
}
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met index
* @param index Index van het coordinaat (0-63)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int index, char c){
if(index >= 0 && index <64){
OthelloCoordinate coord = new OthelloCoordinate(index);
coord.setToken(c);
if(!hasCoord(coord)){
board.add(coord);
}else {
OthelloCoordinate coord2 = getCoordinate(index % 8, index / 8);
coord2.setToken(c);
}
}
}
/**
* Returnt een coordinaat op een bepaald punt in het bord.
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @return coord het coordinaat (return null als hij niet in het bord zit)
*/
public OthelloCoordinate getCoordinate(int x, int y){
for (OthelloCoordinate coord : board){
if(coord.getX() == x && coord.getY() == y){
return coord;
}
}
return null;
}
/**
* Returnt het bord
* @return board Het bord
*/
public ArrayList<OthelloCoordinate> getBoard(){
return board;
}
/**
* print het bord in een 2 dimensionale overzichtelijke manier
*/
public void printBoard(){
//System.out.println(board);
for(int x = 0; x < 8; x++) {
String line = "";
for(int y = 0; y < 8; y++) {
OthelloCoordinate coord = getCoordinate(x, y);
if(coord == null) {
line+="#";
} else {
line+=coord.getToken();
}
}
System.out.println(line);
}
}
/**
* Reset het bord,<SUF>*/
public void reset() {
board.clear();
addCoordinate(3,3,'W');
addCoordinate(4,4,'W');
addCoordinate(3,4,'B');
addCoordinate(4,3,'B');
}
/**
* Geeft alle mogelijke moves voor een bepaalde kleur.
* @param token De kleur die de zet gaat maken
* @return possibleMoves Een lijst met mogelijke moves die de kleur token kan maken
*/
public synchronized ArrayList<Integer> findPossibleMoves(char token){
possibleMoves.clear();
for (OthelloCoordinate coord : board){
searchSurroundingCorners(coord, token);
}
return possibleMoves;
}
/**
* Zoekt door alle plekken om een bepaald punt heen om te kijken of het een mogelijke move is.
* voegt alle mogelijke moves die geen duplicates zijn toe aan possibleMoves.
* @param coord Het coordinaat uit het bord waar we recursief omheen gaan zoeken.
* @param token De kleur die de zet gaat maken.
*/
private void searchSurroundingCorners(OthelloCoordinate coord, char token) {
int x = coord.getX();
int y = coord.getY();
OthelloCoordinate newCoord;
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
newCoord = new OthelloCoordinate(x+i,y+j);
if(hasCoord(newCoord)){
newCoord.setToken(getCoordinate(x+i,y+j).getToken());
}
if(isValid(newCoord, token) && !(possibleMoves.contains(newCoord.getIndex()))){
possibleMoves.add(newCoord.getIndex());
}
}
}
}
}
/**
* Geeft aan of een bepaalde move een een toegestane move is. Hiervoor moet het
* coordinaat binnen het bord zitten, nog niet gevuld zijn en een mogelijk pad hebben.
* @param coord Het coordinaat waarvan we kijken of hij toegestaan is
* @param token De kleur die de zet gaat maken.
* @return boolean true als de move toegestaan is, false als de move niet toegestaan is.
*/
public boolean isValid(OthelloCoordinate coord, char token) {
if(!isInBoard(coord)){
return false;
}
if(hasCoord(coord)){
return false;
}
return hasPossiblePath(coord, token);
}
/**
* Kijkt voor een bepaald coordinaat of er een legaal pad is naar andere steentjes.
* @param coord Het coordinaat waarvan we kijken of hij een pad heeft
* @param token De kleur die de zet gaat maken.
* @return boolean true als er minstens ��n pad gevonden is, false als er geen pad te vinden is.
*/
private boolean hasPossiblePath(OthelloCoordinate coord, char token) {
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
if(checkDirection(i,j,coord, 0, token) != -1){
return true;
}
}
}
}
return false;
}
/**
* Kijkt voor een bepaald coordinaat in een bepaalde richting of een pad te vinden is
* @param i De x richting waarheen we gaan zoeken.
* @param j De y richting waarheen we gaan zoeken.
* @param coord Het coordinaat die we nu bekijken
* @param depth De diepte van de recursie. Dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* @param token De kleur die de zet gaat maken.
* @return depth de diepte van de recursie, dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* Dit is nuttig om een path te flippen op het bord. Het geeft dus tegelijkertijd aan of de directie toegestaan is en hoe ver het pad uiteindelijk is.
*/
private int checkDirection(int i, int j, OthelloCoordinate coord, int depth, char token) {
OthelloCoordinate newCoord = getCoordinate(coord.getX()+i,coord.getY()+j);
if(newCoord == null){
return -1;
}
if(newCoord.getToken() == token && depth == 0){
return -1;
}
if(newCoord.getToken() == token && depth > 0){
return depth;
}
return checkDirection(i, j, newCoord, depth+1, token);
}
/**
* Kijkt of een bepaald coordinaat in het bord gevuld is.
* @param coordIn Het coordinaat.
* @return boolean true als het coordinaat gevuld is, false als het coordinaat niet gevuld is.
*/
private boolean hasCoord(OthelloCoordinate coordIn) {
return getCoordinate(coordIn.getX(),coordIn.getY()) != null;
}
/**
* Kijkt of een bepaald coordinaat binnen het bord zit.
* @param coord Het coordinaat.
* @return boolean true als het coordinaat binnen het bord zit, fals als het niet binnen het bord zit.
*/
private boolean isInBoard(OthelloCoordinate coord){
int x = coord.getX();
int y = coord.getY();
return ((x>=0 && x < 8) && (y>=0 && y < 8));
}
/**
* Krijgt een move en kleur als input, en gaat dan alle mogelijke paden flippen.
* Dit is het verwerken van een move in het bord.
* @param input De move die verwerkt moet worden
* @param token De kleur van de move die gezet wordt
*/
public void flipPaths(int input, char token) {
int depth;
OthelloCoordinate coord = new OthelloCoordinate(input);
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
depth = getCorrectPathDepth(i,j,coord,token);
if(depth > 0){
flipFoundPath(coord, i,j,depth,token);
}
}
}
}
}
/**
* Er is een pad gevonden en die wordt hier geflipt.
* @param coord het coordinaat die nu geflipt wordt
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param depth de diepte van de recursie van getCorrectPathDepth. Dit is de lengte van het pad
* @param token De kleur van de move die gezet wordt
*/
private void flipFoundPath(OthelloCoordinate coord, int i, int j, int depth, char token) {
OthelloCoordinate newCoord = coord;
for(int n=0; n<=depth;n++){
addCoordinate(newCoord.getIndex(), token);
newCoord = new OthelloCoordinate(newCoord.getX()+i,newCoord.getY()+j);
newCoord.setToken(token);
}
}
/**
* Maakt gebruik van checkdirection om de lengte van het pad te vinden.
* De depth die daar gereturnt wordt geeft aan dat het pad toegestaan is als hij groter dan 0 is.
* Ook geeft het de lengte van het pad aan.
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param coord het coordinaat van de move die gezet wordt
* @param token De kleur van de move die gezet wordt
* @return depth de diepte van het pad (en dus de lengte)
*/
private int getCorrectPathDepth(int i, int j, OthelloCoordinate coord, char token) {
return checkDirection(i,j,coord,0, token);
}
}
|
211664_7 | package model;
import java.util.ArrayList;
public class OthelloBoard implements Cloneable{
ArrayList<OthelloCoordinate> board = new ArrayList<OthelloCoordinate>();
private ArrayList<Integer> possibleMoves = new ArrayList<Integer>();
char ownToken;
public OthelloBoard(char c){
ownToken = c;
reset();
}
OthelloBoard(ArrayList<OthelloCoordinate> board, ArrayList<Integer> possibleMoves, char ownToken) {
this.board = board;
this.possibleMoves = possibleMoves;
this.ownToken = ownToken;
}
@Override
public Object clone() throws CloneNotSupportedException {
ArrayList<OthelloCoordinate> boardclone = new ArrayList<>();
ArrayList<Integer> possibleMovesClone = (ArrayList<Integer>) possibleMoves.clone();
for (OthelloCoordinate coord: board) {
boardclone.add((OthelloCoordinate) coord.clone());
}
return new OthelloBoard(boardclone, possibleMovesClone, ownToken);
}
/**
* Gets the current count of tiles on the board of a specific token
* @param token to count the score of
* @return amount of disks on the board.
*/
public int getCurrentScore(char token){
int count = 0;
for (OthelloCoordinate coord : board) {
if (coord.getToken() == token) {
count++;
}
}
return count;
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met x en y coordinaten
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int x, int y, char c){
if(x >= 0 && x < 8 && y >= 0 && y < 8){ OthelloCoordinate coord = new OthelloCoordinate(x,y);
coord.setToken(c);
if(!board.contains(coord)){
board.add(coord);
} else {
OthelloCoordinate coord2 = getCoordinate(x, y);
coord2.setToken(c);
}
}
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met index
* @param index Index van het coordinaat (0-63)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int index, char c){
if(index >= 0 && index <64){
OthelloCoordinate coord = new OthelloCoordinate(index);
coord.setToken(c);
if(!hasCoord(coord)){
board.add(coord);
}else {
OthelloCoordinate coord2 = getCoordinate(index % 8, index / 8);
coord2.setToken(c);
}
}
}
/**
* Returnt een coordinaat op een bepaald punt in het bord.
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @return coord het coordinaat (return null als hij niet in het bord zit)
*/
public OthelloCoordinate getCoordinate(int x, int y){
for (OthelloCoordinate coord : board){
if(coord.getX() == x && coord.getY() == y){
return coord;
}
}
return null;
}
/**
* Returnt het bord
* @return board Het bord
*/
public ArrayList<OthelloCoordinate> getBoard(){
return board;
}
/**
* print het bord in een 2 dimensionale overzichtelijke manier
*/
public void printBoard(){
//System.out.println(board);
for(int x = 0; x < 8; x++) {
String line = "";
for(int y = 0; y < 8; y++) {
OthelloCoordinate coord = getCoordinate(x, y);
if(coord == null) {
line+="#";
} else {
line+=coord.getToken();
}
}
System.out.println(line);
}
}
/**
* Reset het bord, voegt de standaard start steentjes toe
*/
public void reset() {
board.clear();
addCoordinate(3,3,'W');
addCoordinate(4,4,'W');
addCoordinate(3,4,'B');
addCoordinate(4,3,'B');
}
/**
* Geeft alle mogelijke moves voor een bepaalde kleur.
* @param token De kleur die de zet gaat maken
* @return possibleMoves Een lijst met mogelijke moves die de kleur token kan maken
*/
public synchronized ArrayList<Integer> findPossibleMoves(char token){
possibleMoves.clear();
for (OthelloCoordinate coord : board){
searchSurroundingCorners(coord, token);
}
return possibleMoves;
}
/**
* Zoekt door alle plekken om een bepaald punt heen om te kijken of het een mogelijke move is.
* voegt alle mogelijke moves die geen duplicates zijn toe aan possibleMoves.
* @param coord Het coordinaat uit het bord waar we recursief omheen gaan zoeken.
* @param token De kleur die de zet gaat maken.
*/
private void searchSurroundingCorners(OthelloCoordinate coord, char token) {
int x = coord.getX();
int y = coord.getY();
OthelloCoordinate newCoord;
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
newCoord = new OthelloCoordinate(x+i,y+j);
if(hasCoord(newCoord)){
newCoord.setToken(getCoordinate(x+i,y+j).getToken());
}
if(isValid(newCoord, token) && !(possibleMoves.contains(newCoord.getIndex()))){
possibleMoves.add(newCoord.getIndex());
}
}
}
}
}
/**
* Geeft aan of een bepaalde move een een toegestane move is. Hiervoor moet het
* coordinaat binnen het bord zitten, nog niet gevuld zijn en een mogelijk pad hebben.
* @param coord Het coordinaat waarvan we kijken of hij toegestaan is
* @param token De kleur die de zet gaat maken.
* @return boolean true als de move toegestaan is, false als de move niet toegestaan is.
*/
public boolean isValid(OthelloCoordinate coord, char token) {
if(!isInBoard(coord)){
return false;
}
if(hasCoord(coord)){
return false;
}
return hasPossiblePath(coord, token);
}
/**
* Kijkt voor een bepaald coordinaat of er een legaal pad is naar andere steentjes.
* @param coord Het coordinaat waarvan we kijken of hij een pad heeft
* @param token De kleur die de zet gaat maken.
* @return boolean true als er minstens ��n pad gevonden is, false als er geen pad te vinden is.
*/
private boolean hasPossiblePath(OthelloCoordinate coord, char token) {
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
if(checkDirection(i,j,coord, 0, token) != -1){
return true;
}
}
}
}
return false;
}
/**
* Kijkt voor een bepaald coordinaat in een bepaalde richting of een pad te vinden is
* @param i De x richting waarheen we gaan zoeken.
* @param j De y richting waarheen we gaan zoeken.
* @param coord Het coordinaat die we nu bekijken
* @param depth De diepte van de recursie. Dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* @param token De kleur die de zet gaat maken.
* @return depth de diepte van de recursie, dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* Dit is nuttig om een path te flippen op het bord. Het geeft dus tegelijkertijd aan of de directie toegestaan is en hoe ver het pad uiteindelijk is.
*/
private int checkDirection(int i, int j, OthelloCoordinate coord, int depth, char token) {
OthelloCoordinate newCoord = getCoordinate(coord.getX()+i,coord.getY()+j);
if(newCoord == null){
return -1;
}
if(newCoord.getToken() == token && depth == 0){
return -1;
}
if(newCoord.getToken() == token && depth > 0){
return depth;
}
return checkDirection(i, j, newCoord, depth+1, token);
}
/**
* Kijkt of een bepaald coordinaat in het bord gevuld is.
* @param coordIn Het coordinaat.
* @return boolean true als het coordinaat gevuld is, false als het coordinaat niet gevuld is.
*/
private boolean hasCoord(OthelloCoordinate coordIn) {
return getCoordinate(coordIn.getX(),coordIn.getY()) != null;
}
/**
* Kijkt of een bepaald coordinaat binnen het bord zit.
* @param coord Het coordinaat.
* @return boolean true als het coordinaat binnen het bord zit, fals als het niet binnen het bord zit.
*/
private boolean isInBoard(OthelloCoordinate coord){
int x = coord.getX();
int y = coord.getY();
return ((x>=0 && x < 8) && (y>=0 && y < 8));
}
/**
* Krijgt een move en kleur als input, en gaat dan alle mogelijke paden flippen.
* Dit is het verwerken van een move in het bord.
* @param input De move die verwerkt moet worden
* @param token De kleur van de move die gezet wordt
*/
public void flipPaths(int input, char token) {
int depth;
OthelloCoordinate coord = new OthelloCoordinate(input);
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
depth = getCorrectPathDepth(i,j,coord,token);
if(depth > 0){
flipFoundPath(coord, i,j,depth,token);
}
}
}
}
}
/**
* Er is een pad gevonden en die wordt hier geflipt.
* @param coord het coordinaat die nu geflipt wordt
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param depth de diepte van de recursie van getCorrectPathDepth. Dit is de lengte van het pad
* @param token De kleur van de move die gezet wordt
*/
private void flipFoundPath(OthelloCoordinate coord, int i, int j, int depth, char token) {
OthelloCoordinate newCoord = coord;
for(int n=0; n<=depth;n++){
addCoordinate(newCoord.getIndex(), token);
newCoord = new OthelloCoordinate(newCoord.getX()+i,newCoord.getY()+j);
newCoord.setToken(token);
}
}
/**
* Maakt gebruik van checkdirection om de lengte van het pad te vinden.
* De depth die daar gereturnt wordt geeft aan dat het pad toegestaan is als hij groter dan 0 is.
* Ook geeft het de lengte van het pad aan.
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param coord het coordinaat van de move die gezet wordt
* @param token De kleur van de move die gezet wordt
* @return depth de diepte van het pad (en dus de lengte)
*/
private int getCorrectPathDepth(int i, int j, OthelloCoordinate coord, char token) {
return checkDirection(i,j,coord,0, token);
}
}
| HanzehogeschoolSICT/Project-Othello | src/model/OthelloBoard.java | 3,143 | /**
* Geeft alle mogelijke moves voor een bepaalde kleur.
* @param token De kleur die de zet gaat maken
* @return possibleMoves Een lijst met mogelijke moves die de kleur token kan maken
*/ | block_comment | nl | package model;
import java.util.ArrayList;
public class OthelloBoard implements Cloneable{
ArrayList<OthelloCoordinate> board = new ArrayList<OthelloCoordinate>();
private ArrayList<Integer> possibleMoves = new ArrayList<Integer>();
char ownToken;
public OthelloBoard(char c){
ownToken = c;
reset();
}
OthelloBoard(ArrayList<OthelloCoordinate> board, ArrayList<Integer> possibleMoves, char ownToken) {
this.board = board;
this.possibleMoves = possibleMoves;
this.ownToken = ownToken;
}
@Override
public Object clone() throws CloneNotSupportedException {
ArrayList<OthelloCoordinate> boardclone = new ArrayList<>();
ArrayList<Integer> possibleMovesClone = (ArrayList<Integer>) possibleMoves.clone();
for (OthelloCoordinate coord: board) {
boardclone.add((OthelloCoordinate) coord.clone());
}
return new OthelloBoard(boardclone, possibleMovesClone, ownToken);
}
/**
* Gets the current count of tiles on the board of a specific token
* @param token to count the score of
* @return amount of disks on the board.
*/
public int getCurrentScore(char token){
int count = 0;
for (OthelloCoordinate coord : board) {
if (coord.getToken() == token) {
count++;
}
}
return count;
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met x en y coordinaten
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int x, int y, char c){
if(x >= 0 && x < 8 && y >= 0 && y < 8){ OthelloCoordinate coord = new OthelloCoordinate(x,y);
coord.setToken(c);
if(!board.contains(coord)){
board.add(coord);
} else {
OthelloCoordinate coord2 = getCoordinate(x, y);
coord2.setToken(c);
}
}
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met index
* @param index Index van het coordinaat (0-63)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int index, char c){
if(index >= 0 && index <64){
OthelloCoordinate coord = new OthelloCoordinate(index);
coord.setToken(c);
if(!hasCoord(coord)){
board.add(coord);
}else {
OthelloCoordinate coord2 = getCoordinate(index % 8, index / 8);
coord2.setToken(c);
}
}
}
/**
* Returnt een coordinaat op een bepaald punt in het bord.
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @return coord het coordinaat (return null als hij niet in het bord zit)
*/
public OthelloCoordinate getCoordinate(int x, int y){
for (OthelloCoordinate coord : board){
if(coord.getX() == x && coord.getY() == y){
return coord;
}
}
return null;
}
/**
* Returnt het bord
* @return board Het bord
*/
public ArrayList<OthelloCoordinate> getBoard(){
return board;
}
/**
* print het bord in een 2 dimensionale overzichtelijke manier
*/
public void printBoard(){
//System.out.println(board);
for(int x = 0; x < 8; x++) {
String line = "";
for(int y = 0; y < 8; y++) {
OthelloCoordinate coord = getCoordinate(x, y);
if(coord == null) {
line+="#";
} else {
line+=coord.getToken();
}
}
System.out.println(line);
}
}
/**
* Reset het bord, voegt de standaard start steentjes toe
*/
public void reset() {
board.clear();
addCoordinate(3,3,'W');
addCoordinate(4,4,'W');
addCoordinate(3,4,'B');
addCoordinate(4,3,'B');
}
/**
* Geeft alle mogelijke<SUF>*/
public synchronized ArrayList<Integer> findPossibleMoves(char token){
possibleMoves.clear();
for (OthelloCoordinate coord : board){
searchSurroundingCorners(coord, token);
}
return possibleMoves;
}
/**
* Zoekt door alle plekken om een bepaald punt heen om te kijken of het een mogelijke move is.
* voegt alle mogelijke moves die geen duplicates zijn toe aan possibleMoves.
* @param coord Het coordinaat uit het bord waar we recursief omheen gaan zoeken.
* @param token De kleur die de zet gaat maken.
*/
private void searchSurroundingCorners(OthelloCoordinate coord, char token) {
int x = coord.getX();
int y = coord.getY();
OthelloCoordinate newCoord;
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
newCoord = new OthelloCoordinate(x+i,y+j);
if(hasCoord(newCoord)){
newCoord.setToken(getCoordinate(x+i,y+j).getToken());
}
if(isValid(newCoord, token) && !(possibleMoves.contains(newCoord.getIndex()))){
possibleMoves.add(newCoord.getIndex());
}
}
}
}
}
/**
* Geeft aan of een bepaalde move een een toegestane move is. Hiervoor moet het
* coordinaat binnen het bord zitten, nog niet gevuld zijn en een mogelijk pad hebben.
* @param coord Het coordinaat waarvan we kijken of hij toegestaan is
* @param token De kleur die de zet gaat maken.
* @return boolean true als de move toegestaan is, false als de move niet toegestaan is.
*/
public boolean isValid(OthelloCoordinate coord, char token) {
if(!isInBoard(coord)){
return false;
}
if(hasCoord(coord)){
return false;
}
return hasPossiblePath(coord, token);
}
/**
* Kijkt voor een bepaald coordinaat of er een legaal pad is naar andere steentjes.
* @param coord Het coordinaat waarvan we kijken of hij een pad heeft
* @param token De kleur die de zet gaat maken.
* @return boolean true als er minstens ��n pad gevonden is, false als er geen pad te vinden is.
*/
private boolean hasPossiblePath(OthelloCoordinate coord, char token) {
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
if(checkDirection(i,j,coord, 0, token) != -1){
return true;
}
}
}
}
return false;
}
/**
* Kijkt voor een bepaald coordinaat in een bepaalde richting of een pad te vinden is
* @param i De x richting waarheen we gaan zoeken.
* @param j De y richting waarheen we gaan zoeken.
* @param coord Het coordinaat die we nu bekijken
* @param depth De diepte van de recursie. Dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* @param token De kleur die de zet gaat maken.
* @return depth de diepte van de recursie, dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* Dit is nuttig om een path te flippen op het bord. Het geeft dus tegelijkertijd aan of de directie toegestaan is en hoe ver het pad uiteindelijk is.
*/
private int checkDirection(int i, int j, OthelloCoordinate coord, int depth, char token) {
OthelloCoordinate newCoord = getCoordinate(coord.getX()+i,coord.getY()+j);
if(newCoord == null){
return -1;
}
if(newCoord.getToken() == token && depth == 0){
return -1;
}
if(newCoord.getToken() == token && depth > 0){
return depth;
}
return checkDirection(i, j, newCoord, depth+1, token);
}
/**
* Kijkt of een bepaald coordinaat in het bord gevuld is.
* @param coordIn Het coordinaat.
* @return boolean true als het coordinaat gevuld is, false als het coordinaat niet gevuld is.
*/
private boolean hasCoord(OthelloCoordinate coordIn) {
return getCoordinate(coordIn.getX(),coordIn.getY()) != null;
}
/**
* Kijkt of een bepaald coordinaat binnen het bord zit.
* @param coord Het coordinaat.
* @return boolean true als het coordinaat binnen het bord zit, fals als het niet binnen het bord zit.
*/
private boolean isInBoard(OthelloCoordinate coord){
int x = coord.getX();
int y = coord.getY();
return ((x>=0 && x < 8) && (y>=0 && y < 8));
}
/**
* Krijgt een move en kleur als input, en gaat dan alle mogelijke paden flippen.
* Dit is het verwerken van een move in het bord.
* @param input De move die verwerkt moet worden
* @param token De kleur van de move die gezet wordt
*/
public void flipPaths(int input, char token) {
int depth;
OthelloCoordinate coord = new OthelloCoordinate(input);
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
depth = getCorrectPathDepth(i,j,coord,token);
if(depth > 0){
flipFoundPath(coord, i,j,depth,token);
}
}
}
}
}
/**
* Er is een pad gevonden en die wordt hier geflipt.
* @param coord het coordinaat die nu geflipt wordt
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param depth de diepte van de recursie van getCorrectPathDepth. Dit is de lengte van het pad
* @param token De kleur van de move die gezet wordt
*/
private void flipFoundPath(OthelloCoordinate coord, int i, int j, int depth, char token) {
OthelloCoordinate newCoord = coord;
for(int n=0; n<=depth;n++){
addCoordinate(newCoord.getIndex(), token);
newCoord = new OthelloCoordinate(newCoord.getX()+i,newCoord.getY()+j);
newCoord.setToken(token);
}
}
/**
* Maakt gebruik van checkdirection om de lengte van het pad te vinden.
* De depth die daar gereturnt wordt geeft aan dat het pad toegestaan is als hij groter dan 0 is.
* Ook geeft het de lengte van het pad aan.
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param coord het coordinaat van de move die gezet wordt
* @param token De kleur van de move die gezet wordt
* @return depth de diepte van het pad (en dus de lengte)
*/
private int getCorrectPathDepth(int i, int j, OthelloCoordinate coord, char token) {
return checkDirection(i,j,coord,0, token);
}
}
|
211664_8 | package model;
import java.util.ArrayList;
public class OthelloBoard implements Cloneable{
ArrayList<OthelloCoordinate> board = new ArrayList<OthelloCoordinate>();
private ArrayList<Integer> possibleMoves = new ArrayList<Integer>();
char ownToken;
public OthelloBoard(char c){
ownToken = c;
reset();
}
OthelloBoard(ArrayList<OthelloCoordinate> board, ArrayList<Integer> possibleMoves, char ownToken) {
this.board = board;
this.possibleMoves = possibleMoves;
this.ownToken = ownToken;
}
@Override
public Object clone() throws CloneNotSupportedException {
ArrayList<OthelloCoordinate> boardclone = new ArrayList<>();
ArrayList<Integer> possibleMovesClone = (ArrayList<Integer>) possibleMoves.clone();
for (OthelloCoordinate coord: board) {
boardclone.add((OthelloCoordinate) coord.clone());
}
return new OthelloBoard(boardclone, possibleMovesClone, ownToken);
}
/**
* Gets the current count of tiles on the board of a specific token
* @param token to count the score of
* @return amount of disks on the board.
*/
public int getCurrentScore(char token){
int count = 0;
for (OthelloCoordinate coord : board) {
if (coord.getToken() == token) {
count++;
}
}
return count;
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met x en y coordinaten
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int x, int y, char c){
if(x >= 0 && x < 8 && y >= 0 && y < 8){ OthelloCoordinate coord = new OthelloCoordinate(x,y);
coord.setToken(c);
if(!board.contains(coord)){
board.add(coord);
} else {
OthelloCoordinate coord2 = getCoordinate(x, y);
coord2.setToken(c);
}
}
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met index
* @param index Index van het coordinaat (0-63)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int index, char c){
if(index >= 0 && index <64){
OthelloCoordinate coord = new OthelloCoordinate(index);
coord.setToken(c);
if(!hasCoord(coord)){
board.add(coord);
}else {
OthelloCoordinate coord2 = getCoordinate(index % 8, index / 8);
coord2.setToken(c);
}
}
}
/**
* Returnt een coordinaat op een bepaald punt in het bord.
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @return coord het coordinaat (return null als hij niet in het bord zit)
*/
public OthelloCoordinate getCoordinate(int x, int y){
for (OthelloCoordinate coord : board){
if(coord.getX() == x && coord.getY() == y){
return coord;
}
}
return null;
}
/**
* Returnt het bord
* @return board Het bord
*/
public ArrayList<OthelloCoordinate> getBoard(){
return board;
}
/**
* print het bord in een 2 dimensionale overzichtelijke manier
*/
public void printBoard(){
//System.out.println(board);
for(int x = 0; x < 8; x++) {
String line = "";
for(int y = 0; y < 8; y++) {
OthelloCoordinate coord = getCoordinate(x, y);
if(coord == null) {
line+="#";
} else {
line+=coord.getToken();
}
}
System.out.println(line);
}
}
/**
* Reset het bord, voegt de standaard start steentjes toe
*/
public void reset() {
board.clear();
addCoordinate(3,3,'W');
addCoordinate(4,4,'W');
addCoordinate(3,4,'B');
addCoordinate(4,3,'B');
}
/**
* Geeft alle mogelijke moves voor een bepaalde kleur.
* @param token De kleur die de zet gaat maken
* @return possibleMoves Een lijst met mogelijke moves die de kleur token kan maken
*/
public synchronized ArrayList<Integer> findPossibleMoves(char token){
possibleMoves.clear();
for (OthelloCoordinate coord : board){
searchSurroundingCorners(coord, token);
}
return possibleMoves;
}
/**
* Zoekt door alle plekken om een bepaald punt heen om te kijken of het een mogelijke move is.
* voegt alle mogelijke moves die geen duplicates zijn toe aan possibleMoves.
* @param coord Het coordinaat uit het bord waar we recursief omheen gaan zoeken.
* @param token De kleur die de zet gaat maken.
*/
private void searchSurroundingCorners(OthelloCoordinate coord, char token) {
int x = coord.getX();
int y = coord.getY();
OthelloCoordinate newCoord;
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
newCoord = new OthelloCoordinate(x+i,y+j);
if(hasCoord(newCoord)){
newCoord.setToken(getCoordinate(x+i,y+j).getToken());
}
if(isValid(newCoord, token) && !(possibleMoves.contains(newCoord.getIndex()))){
possibleMoves.add(newCoord.getIndex());
}
}
}
}
}
/**
* Geeft aan of een bepaalde move een een toegestane move is. Hiervoor moet het
* coordinaat binnen het bord zitten, nog niet gevuld zijn en een mogelijk pad hebben.
* @param coord Het coordinaat waarvan we kijken of hij toegestaan is
* @param token De kleur die de zet gaat maken.
* @return boolean true als de move toegestaan is, false als de move niet toegestaan is.
*/
public boolean isValid(OthelloCoordinate coord, char token) {
if(!isInBoard(coord)){
return false;
}
if(hasCoord(coord)){
return false;
}
return hasPossiblePath(coord, token);
}
/**
* Kijkt voor een bepaald coordinaat of er een legaal pad is naar andere steentjes.
* @param coord Het coordinaat waarvan we kijken of hij een pad heeft
* @param token De kleur die de zet gaat maken.
* @return boolean true als er minstens ��n pad gevonden is, false als er geen pad te vinden is.
*/
private boolean hasPossiblePath(OthelloCoordinate coord, char token) {
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
if(checkDirection(i,j,coord, 0, token) != -1){
return true;
}
}
}
}
return false;
}
/**
* Kijkt voor een bepaald coordinaat in een bepaalde richting of een pad te vinden is
* @param i De x richting waarheen we gaan zoeken.
* @param j De y richting waarheen we gaan zoeken.
* @param coord Het coordinaat die we nu bekijken
* @param depth De diepte van de recursie. Dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* @param token De kleur die de zet gaat maken.
* @return depth de diepte van de recursie, dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* Dit is nuttig om een path te flippen op het bord. Het geeft dus tegelijkertijd aan of de directie toegestaan is en hoe ver het pad uiteindelijk is.
*/
private int checkDirection(int i, int j, OthelloCoordinate coord, int depth, char token) {
OthelloCoordinate newCoord = getCoordinate(coord.getX()+i,coord.getY()+j);
if(newCoord == null){
return -1;
}
if(newCoord.getToken() == token && depth == 0){
return -1;
}
if(newCoord.getToken() == token && depth > 0){
return depth;
}
return checkDirection(i, j, newCoord, depth+1, token);
}
/**
* Kijkt of een bepaald coordinaat in het bord gevuld is.
* @param coordIn Het coordinaat.
* @return boolean true als het coordinaat gevuld is, false als het coordinaat niet gevuld is.
*/
private boolean hasCoord(OthelloCoordinate coordIn) {
return getCoordinate(coordIn.getX(),coordIn.getY()) != null;
}
/**
* Kijkt of een bepaald coordinaat binnen het bord zit.
* @param coord Het coordinaat.
* @return boolean true als het coordinaat binnen het bord zit, fals als het niet binnen het bord zit.
*/
private boolean isInBoard(OthelloCoordinate coord){
int x = coord.getX();
int y = coord.getY();
return ((x>=0 && x < 8) && (y>=0 && y < 8));
}
/**
* Krijgt een move en kleur als input, en gaat dan alle mogelijke paden flippen.
* Dit is het verwerken van een move in het bord.
* @param input De move die verwerkt moet worden
* @param token De kleur van de move die gezet wordt
*/
public void flipPaths(int input, char token) {
int depth;
OthelloCoordinate coord = new OthelloCoordinate(input);
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
depth = getCorrectPathDepth(i,j,coord,token);
if(depth > 0){
flipFoundPath(coord, i,j,depth,token);
}
}
}
}
}
/**
* Er is een pad gevonden en die wordt hier geflipt.
* @param coord het coordinaat die nu geflipt wordt
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param depth de diepte van de recursie van getCorrectPathDepth. Dit is de lengte van het pad
* @param token De kleur van de move die gezet wordt
*/
private void flipFoundPath(OthelloCoordinate coord, int i, int j, int depth, char token) {
OthelloCoordinate newCoord = coord;
for(int n=0; n<=depth;n++){
addCoordinate(newCoord.getIndex(), token);
newCoord = new OthelloCoordinate(newCoord.getX()+i,newCoord.getY()+j);
newCoord.setToken(token);
}
}
/**
* Maakt gebruik van checkdirection om de lengte van het pad te vinden.
* De depth die daar gereturnt wordt geeft aan dat het pad toegestaan is als hij groter dan 0 is.
* Ook geeft het de lengte van het pad aan.
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param coord het coordinaat van de move die gezet wordt
* @param token De kleur van de move die gezet wordt
* @return depth de diepte van het pad (en dus de lengte)
*/
private int getCorrectPathDepth(int i, int j, OthelloCoordinate coord, char token) {
return checkDirection(i,j,coord,0, token);
}
}
| HanzehogeschoolSICT/Project-Othello | src/model/OthelloBoard.java | 3,143 | /**
* Zoekt door alle plekken om een bepaald punt heen om te kijken of het een mogelijke move is.
* voegt alle mogelijke moves die geen duplicates zijn toe aan possibleMoves.
* @param coord Het coordinaat uit het bord waar we recursief omheen gaan zoeken.
* @param token De kleur die de zet gaat maken.
*/ | block_comment | nl | package model;
import java.util.ArrayList;
public class OthelloBoard implements Cloneable{
ArrayList<OthelloCoordinate> board = new ArrayList<OthelloCoordinate>();
private ArrayList<Integer> possibleMoves = new ArrayList<Integer>();
char ownToken;
public OthelloBoard(char c){
ownToken = c;
reset();
}
OthelloBoard(ArrayList<OthelloCoordinate> board, ArrayList<Integer> possibleMoves, char ownToken) {
this.board = board;
this.possibleMoves = possibleMoves;
this.ownToken = ownToken;
}
@Override
public Object clone() throws CloneNotSupportedException {
ArrayList<OthelloCoordinate> boardclone = new ArrayList<>();
ArrayList<Integer> possibleMovesClone = (ArrayList<Integer>) possibleMoves.clone();
for (OthelloCoordinate coord: board) {
boardclone.add((OthelloCoordinate) coord.clone());
}
return new OthelloBoard(boardclone, possibleMovesClone, ownToken);
}
/**
* Gets the current count of tiles on the board of a specific token
* @param token to count the score of
* @return amount of disks on the board.
*/
public int getCurrentScore(char token){
int count = 0;
for (OthelloCoordinate coord : board) {
if (coord.getToken() == token) {
count++;
}
}
return count;
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met x en y coordinaten
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int x, int y, char c){
if(x >= 0 && x < 8 && y >= 0 && y < 8){ OthelloCoordinate coord = new OthelloCoordinate(x,y);
coord.setToken(c);
if(!board.contains(coord)){
board.add(coord);
} else {
OthelloCoordinate coord2 = getCoordinate(x, y);
coord2.setToken(c);
}
}
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met index
* @param index Index van het coordinaat (0-63)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int index, char c){
if(index >= 0 && index <64){
OthelloCoordinate coord = new OthelloCoordinate(index);
coord.setToken(c);
if(!hasCoord(coord)){
board.add(coord);
}else {
OthelloCoordinate coord2 = getCoordinate(index % 8, index / 8);
coord2.setToken(c);
}
}
}
/**
* Returnt een coordinaat op een bepaald punt in het bord.
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @return coord het coordinaat (return null als hij niet in het bord zit)
*/
public OthelloCoordinate getCoordinate(int x, int y){
for (OthelloCoordinate coord : board){
if(coord.getX() == x && coord.getY() == y){
return coord;
}
}
return null;
}
/**
* Returnt het bord
* @return board Het bord
*/
public ArrayList<OthelloCoordinate> getBoard(){
return board;
}
/**
* print het bord in een 2 dimensionale overzichtelijke manier
*/
public void printBoard(){
//System.out.println(board);
for(int x = 0; x < 8; x++) {
String line = "";
for(int y = 0; y < 8; y++) {
OthelloCoordinate coord = getCoordinate(x, y);
if(coord == null) {
line+="#";
} else {
line+=coord.getToken();
}
}
System.out.println(line);
}
}
/**
* Reset het bord, voegt de standaard start steentjes toe
*/
public void reset() {
board.clear();
addCoordinate(3,3,'W');
addCoordinate(4,4,'W');
addCoordinate(3,4,'B');
addCoordinate(4,3,'B');
}
/**
* Geeft alle mogelijke moves voor een bepaalde kleur.
* @param token De kleur die de zet gaat maken
* @return possibleMoves Een lijst met mogelijke moves die de kleur token kan maken
*/
public synchronized ArrayList<Integer> findPossibleMoves(char token){
possibleMoves.clear();
for (OthelloCoordinate coord : board){
searchSurroundingCorners(coord, token);
}
return possibleMoves;
}
/**
* Zoekt door alle<SUF>*/
private void searchSurroundingCorners(OthelloCoordinate coord, char token) {
int x = coord.getX();
int y = coord.getY();
OthelloCoordinate newCoord;
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
newCoord = new OthelloCoordinate(x+i,y+j);
if(hasCoord(newCoord)){
newCoord.setToken(getCoordinate(x+i,y+j).getToken());
}
if(isValid(newCoord, token) && !(possibleMoves.contains(newCoord.getIndex()))){
possibleMoves.add(newCoord.getIndex());
}
}
}
}
}
/**
* Geeft aan of een bepaalde move een een toegestane move is. Hiervoor moet het
* coordinaat binnen het bord zitten, nog niet gevuld zijn en een mogelijk pad hebben.
* @param coord Het coordinaat waarvan we kijken of hij toegestaan is
* @param token De kleur die de zet gaat maken.
* @return boolean true als de move toegestaan is, false als de move niet toegestaan is.
*/
public boolean isValid(OthelloCoordinate coord, char token) {
if(!isInBoard(coord)){
return false;
}
if(hasCoord(coord)){
return false;
}
return hasPossiblePath(coord, token);
}
/**
* Kijkt voor een bepaald coordinaat of er een legaal pad is naar andere steentjes.
* @param coord Het coordinaat waarvan we kijken of hij een pad heeft
* @param token De kleur die de zet gaat maken.
* @return boolean true als er minstens ��n pad gevonden is, false als er geen pad te vinden is.
*/
private boolean hasPossiblePath(OthelloCoordinate coord, char token) {
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
if(checkDirection(i,j,coord, 0, token) != -1){
return true;
}
}
}
}
return false;
}
/**
* Kijkt voor een bepaald coordinaat in een bepaalde richting of een pad te vinden is
* @param i De x richting waarheen we gaan zoeken.
* @param j De y richting waarheen we gaan zoeken.
* @param coord Het coordinaat die we nu bekijken
* @param depth De diepte van de recursie. Dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* @param token De kleur die de zet gaat maken.
* @return depth de diepte van de recursie, dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* Dit is nuttig om een path te flippen op het bord. Het geeft dus tegelijkertijd aan of de directie toegestaan is en hoe ver het pad uiteindelijk is.
*/
private int checkDirection(int i, int j, OthelloCoordinate coord, int depth, char token) {
OthelloCoordinate newCoord = getCoordinate(coord.getX()+i,coord.getY()+j);
if(newCoord == null){
return -1;
}
if(newCoord.getToken() == token && depth == 0){
return -1;
}
if(newCoord.getToken() == token && depth > 0){
return depth;
}
return checkDirection(i, j, newCoord, depth+1, token);
}
/**
* Kijkt of een bepaald coordinaat in het bord gevuld is.
* @param coordIn Het coordinaat.
* @return boolean true als het coordinaat gevuld is, false als het coordinaat niet gevuld is.
*/
private boolean hasCoord(OthelloCoordinate coordIn) {
return getCoordinate(coordIn.getX(),coordIn.getY()) != null;
}
/**
* Kijkt of een bepaald coordinaat binnen het bord zit.
* @param coord Het coordinaat.
* @return boolean true als het coordinaat binnen het bord zit, fals als het niet binnen het bord zit.
*/
private boolean isInBoard(OthelloCoordinate coord){
int x = coord.getX();
int y = coord.getY();
return ((x>=0 && x < 8) && (y>=0 && y < 8));
}
/**
* Krijgt een move en kleur als input, en gaat dan alle mogelijke paden flippen.
* Dit is het verwerken van een move in het bord.
* @param input De move die verwerkt moet worden
* @param token De kleur van de move die gezet wordt
*/
public void flipPaths(int input, char token) {
int depth;
OthelloCoordinate coord = new OthelloCoordinate(input);
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
depth = getCorrectPathDepth(i,j,coord,token);
if(depth > 0){
flipFoundPath(coord, i,j,depth,token);
}
}
}
}
}
/**
* Er is een pad gevonden en die wordt hier geflipt.
* @param coord het coordinaat die nu geflipt wordt
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param depth de diepte van de recursie van getCorrectPathDepth. Dit is de lengte van het pad
* @param token De kleur van de move die gezet wordt
*/
private void flipFoundPath(OthelloCoordinate coord, int i, int j, int depth, char token) {
OthelloCoordinate newCoord = coord;
for(int n=0; n<=depth;n++){
addCoordinate(newCoord.getIndex(), token);
newCoord = new OthelloCoordinate(newCoord.getX()+i,newCoord.getY()+j);
newCoord.setToken(token);
}
}
/**
* Maakt gebruik van checkdirection om de lengte van het pad te vinden.
* De depth die daar gereturnt wordt geeft aan dat het pad toegestaan is als hij groter dan 0 is.
* Ook geeft het de lengte van het pad aan.
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param coord het coordinaat van de move die gezet wordt
* @param token De kleur van de move die gezet wordt
* @return depth de diepte van het pad (en dus de lengte)
*/
private int getCorrectPathDepth(int i, int j, OthelloCoordinate coord, char token) {
return checkDirection(i,j,coord,0, token);
}
}
|
211664_9 | package model;
import java.util.ArrayList;
public class OthelloBoard implements Cloneable{
ArrayList<OthelloCoordinate> board = new ArrayList<OthelloCoordinate>();
private ArrayList<Integer> possibleMoves = new ArrayList<Integer>();
char ownToken;
public OthelloBoard(char c){
ownToken = c;
reset();
}
OthelloBoard(ArrayList<OthelloCoordinate> board, ArrayList<Integer> possibleMoves, char ownToken) {
this.board = board;
this.possibleMoves = possibleMoves;
this.ownToken = ownToken;
}
@Override
public Object clone() throws CloneNotSupportedException {
ArrayList<OthelloCoordinate> boardclone = new ArrayList<>();
ArrayList<Integer> possibleMovesClone = (ArrayList<Integer>) possibleMoves.clone();
for (OthelloCoordinate coord: board) {
boardclone.add((OthelloCoordinate) coord.clone());
}
return new OthelloBoard(boardclone, possibleMovesClone, ownToken);
}
/**
* Gets the current count of tiles on the board of a specific token
* @param token to count the score of
* @return amount of disks on the board.
*/
public int getCurrentScore(char token){
int count = 0;
for (OthelloCoordinate coord : board) {
if (coord.getToken() == token) {
count++;
}
}
return count;
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met x en y coordinaten
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int x, int y, char c){
if(x >= 0 && x < 8 && y >= 0 && y < 8){ OthelloCoordinate coord = new OthelloCoordinate(x,y);
coord.setToken(c);
if(!board.contains(coord)){
board.add(coord);
} else {
OthelloCoordinate coord2 = getCoordinate(x, y);
coord2.setToken(c);
}
}
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met index
* @param index Index van het coordinaat (0-63)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int index, char c){
if(index >= 0 && index <64){
OthelloCoordinate coord = new OthelloCoordinate(index);
coord.setToken(c);
if(!hasCoord(coord)){
board.add(coord);
}else {
OthelloCoordinate coord2 = getCoordinate(index % 8, index / 8);
coord2.setToken(c);
}
}
}
/**
* Returnt een coordinaat op een bepaald punt in het bord.
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @return coord het coordinaat (return null als hij niet in het bord zit)
*/
public OthelloCoordinate getCoordinate(int x, int y){
for (OthelloCoordinate coord : board){
if(coord.getX() == x && coord.getY() == y){
return coord;
}
}
return null;
}
/**
* Returnt het bord
* @return board Het bord
*/
public ArrayList<OthelloCoordinate> getBoard(){
return board;
}
/**
* print het bord in een 2 dimensionale overzichtelijke manier
*/
public void printBoard(){
//System.out.println(board);
for(int x = 0; x < 8; x++) {
String line = "";
for(int y = 0; y < 8; y++) {
OthelloCoordinate coord = getCoordinate(x, y);
if(coord == null) {
line+="#";
} else {
line+=coord.getToken();
}
}
System.out.println(line);
}
}
/**
* Reset het bord, voegt de standaard start steentjes toe
*/
public void reset() {
board.clear();
addCoordinate(3,3,'W');
addCoordinate(4,4,'W');
addCoordinate(3,4,'B');
addCoordinate(4,3,'B');
}
/**
* Geeft alle mogelijke moves voor een bepaalde kleur.
* @param token De kleur die de zet gaat maken
* @return possibleMoves Een lijst met mogelijke moves die de kleur token kan maken
*/
public synchronized ArrayList<Integer> findPossibleMoves(char token){
possibleMoves.clear();
for (OthelloCoordinate coord : board){
searchSurroundingCorners(coord, token);
}
return possibleMoves;
}
/**
* Zoekt door alle plekken om een bepaald punt heen om te kijken of het een mogelijke move is.
* voegt alle mogelijke moves die geen duplicates zijn toe aan possibleMoves.
* @param coord Het coordinaat uit het bord waar we recursief omheen gaan zoeken.
* @param token De kleur die de zet gaat maken.
*/
private void searchSurroundingCorners(OthelloCoordinate coord, char token) {
int x = coord.getX();
int y = coord.getY();
OthelloCoordinate newCoord;
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
newCoord = new OthelloCoordinate(x+i,y+j);
if(hasCoord(newCoord)){
newCoord.setToken(getCoordinate(x+i,y+j).getToken());
}
if(isValid(newCoord, token) && !(possibleMoves.contains(newCoord.getIndex()))){
possibleMoves.add(newCoord.getIndex());
}
}
}
}
}
/**
* Geeft aan of een bepaalde move een een toegestane move is. Hiervoor moet het
* coordinaat binnen het bord zitten, nog niet gevuld zijn en een mogelijk pad hebben.
* @param coord Het coordinaat waarvan we kijken of hij toegestaan is
* @param token De kleur die de zet gaat maken.
* @return boolean true als de move toegestaan is, false als de move niet toegestaan is.
*/
public boolean isValid(OthelloCoordinate coord, char token) {
if(!isInBoard(coord)){
return false;
}
if(hasCoord(coord)){
return false;
}
return hasPossiblePath(coord, token);
}
/**
* Kijkt voor een bepaald coordinaat of er een legaal pad is naar andere steentjes.
* @param coord Het coordinaat waarvan we kijken of hij een pad heeft
* @param token De kleur die de zet gaat maken.
* @return boolean true als er minstens ��n pad gevonden is, false als er geen pad te vinden is.
*/
private boolean hasPossiblePath(OthelloCoordinate coord, char token) {
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
if(checkDirection(i,j,coord, 0, token) != -1){
return true;
}
}
}
}
return false;
}
/**
* Kijkt voor een bepaald coordinaat in een bepaalde richting of een pad te vinden is
* @param i De x richting waarheen we gaan zoeken.
* @param j De y richting waarheen we gaan zoeken.
* @param coord Het coordinaat die we nu bekijken
* @param depth De diepte van de recursie. Dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* @param token De kleur die de zet gaat maken.
* @return depth de diepte van de recursie, dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* Dit is nuttig om een path te flippen op het bord. Het geeft dus tegelijkertijd aan of de directie toegestaan is en hoe ver het pad uiteindelijk is.
*/
private int checkDirection(int i, int j, OthelloCoordinate coord, int depth, char token) {
OthelloCoordinate newCoord = getCoordinate(coord.getX()+i,coord.getY()+j);
if(newCoord == null){
return -1;
}
if(newCoord.getToken() == token && depth == 0){
return -1;
}
if(newCoord.getToken() == token && depth > 0){
return depth;
}
return checkDirection(i, j, newCoord, depth+1, token);
}
/**
* Kijkt of een bepaald coordinaat in het bord gevuld is.
* @param coordIn Het coordinaat.
* @return boolean true als het coordinaat gevuld is, false als het coordinaat niet gevuld is.
*/
private boolean hasCoord(OthelloCoordinate coordIn) {
return getCoordinate(coordIn.getX(),coordIn.getY()) != null;
}
/**
* Kijkt of een bepaald coordinaat binnen het bord zit.
* @param coord Het coordinaat.
* @return boolean true als het coordinaat binnen het bord zit, fals als het niet binnen het bord zit.
*/
private boolean isInBoard(OthelloCoordinate coord){
int x = coord.getX();
int y = coord.getY();
return ((x>=0 && x < 8) && (y>=0 && y < 8));
}
/**
* Krijgt een move en kleur als input, en gaat dan alle mogelijke paden flippen.
* Dit is het verwerken van een move in het bord.
* @param input De move die verwerkt moet worden
* @param token De kleur van de move die gezet wordt
*/
public void flipPaths(int input, char token) {
int depth;
OthelloCoordinate coord = new OthelloCoordinate(input);
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
depth = getCorrectPathDepth(i,j,coord,token);
if(depth > 0){
flipFoundPath(coord, i,j,depth,token);
}
}
}
}
}
/**
* Er is een pad gevonden en die wordt hier geflipt.
* @param coord het coordinaat die nu geflipt wordt
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param depth de diepte van de recursie van getCorrectPathDepth. Dit is de lengte van het pad
* @param token De kleur van de move die gezet wordt
*/
private void flipFoundPath(OthelloCoordinate coord, int i, int j, int depth, char token) {
OthelloCoordinate newCoord = coord;
for(int n=0; n<=depth;n++){
addCoordinate(newCoord.getIndex(), token);
newCoord = new OthelloCoordinate(newCoord.getX()+i,newCoord.getY()+j);
newCoord.setToken(token);
}
}
/**
* Maakt gebruik van checkdirection om de lengte van het pad te vinden.
* De depth die daar gereturnt wordt geeft aan dat het pad toegestaan is als hij groter dan 0 is.
* Ook geeft het de lengte van het pad aan.
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param coord het coordinaat van de move die gezet wordt
* @param token De kleur van de move die gezet wordt
* @return depth de diepte van het pad (en dus de lengte)
*/
private int getCorrectPathDepth(int i, int j, OthelloCoordinate coord, char token) {
return checkDirection(i,j,coord,0, token);
}
}
| HanzehogeschoolSICT/Project-Othello | src/model/OthelloBoard.java | 3,143 | /**
* Geeft aan of een bepaalde move een een toegestane move is. Hiervoor moet het
* coordinaat binnen het bord zitten, nog niet gevuld zijn en een mogelijk pad hebben.
* @param coord Het coordinaat waarvan we kijken of hij toegestaan is
* @param token De kleur die de zet gaat maken.
* @return boolean true als de move toegestaan is, false als de move niet toegestaan is.
*/ | block_comment | nl | package model;
import java.util.ArrayList;
public class OthelloBoard implements Cloneable{
ArrayList<OthelloCoordinate> board = new ArrayList<OthelloCoordinate>();
private ArrayList<Integer> possibleMoves = new ArrayList<Integer>();
char ownToken;
public OthelloBoard(char c){
ownToken = c;
reset();
}
OthelloBoard(ArrayList<OthelloCoordinate> board, ArrayList<Integer> possibleMoves, char ownToken) {
this.board = board;
this.possibleMoves = possibleMoves;
this.ownToken = ownToken;
}
@Override
public Object clone() throws CloneNotSupportedException {
ArrayList<OthelloCoordinate> boardclone = new ArrayList<>();
ArrayList<Integer> possibleMovesClone = (ArrayList<Integer>) possibleMoves.clone();
for (OthelloCoordinate coord: board) {
boardclone.add((OthelloCoordinate) coord.clone());
}
return new OthelloBoard(boardclone, possibleMovesClone, ownToken);
}
/**
* Gets the current count of tiles on the board of a specific token
* @param token to count the score of
* @return amount of disks on the board.
*/
public int getCurrentScore(char token){
int count = 0;
for (OthelloCoordinate coord : board) {
if (coord.getToken() == token) {
count++;
}
}
return count;
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met x en y coordinaten
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int x, int y, char c){
if(x >= 0 && x < 8 && y >= 0 && y < 8){ OthelloCoordinate coord = new OthelloCoordinate(x,y);
coord.setToken(c);
if(!board.contains(coord)){
board.add(coord);
} else {
OthelloCoordinate coord2 = getCoordinate(x, y);
coord2.setToken(c);
}
}
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met index
* @param index Index van het coordinaat (0-63)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int index, char c){
if(index >= 0 && index <64){
OthelloCoordinate coord = new OthelloCoordinate(index);
coord.setToken(c);
if(!hasCoord(coord)){
board.add(coord);
}else {
OthelloCoordinate coord2 = getCoordinate(index % 8, index / 8);
coord2.setToken(c);
}
}
}
/**
* Returnt een coordinaat op een bepaald punt in het bord.
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @return coord het coordinaat (return null als hij niet in het bord zit)
*/
public OthelloCoordinate getCoordinate(int x, int y){
for (OthelloCoordinate coord : board){
if(coord.getX() == x && coord.getY() == y){
return coord;
}
}
return null;
}
/**
* Returnt het bord
* @return board Het bord
*/
public ArrayList<OthelloCoordinate> getBoard(){
return board;
}
/**
* print het bord in een 2 dimensionale overzichtelijke manier
*/
public void printBoard(){
//System.out.println(board);
for(int x = 0; x < 8; x++) {
String line = "";
for(int y = 0; y < 8; y++) {
OthelloCoordinate coord = getCoordinate(x, y);
if(coord == null) {
line+="#";
} else {
line+=coord.getToken();
}
}
System.out.println(line);
}
}
/**
* Reset het bord, voegt de standaard start steentjes toe
*/
public void reset() {
board.clear();
addCoordinate(3,3,'W');
addCoordinate(4,4,'W');
addCoordinate(3,4,'B');
addCoordinate(4,3,'B');
}
/**
* Geeft alle mogelijke moves voor een bepaalde kleur.
* @param token De kleur die de zet gaat maken
* @return possibleMoves Een lijst met mogelijke moves die de kleur token kan maken
*/
public synchronized ArrayList<Integer> findPossibleMoves(char token){
possibleMoves.clear();
for (OthelloCoordinate coord : board){
searchSurroundingCorners(coord, token);
}
return possibleMoves;
}
/**
* Zoekt door alle plekken om een bepaald punt heen om te kijken of het een mogelijke move is.
* voegt alle mogelijke moves die geen duplicates zijn toe aan possibleMoves.
* @param coord Het coordinaat uit het bord waar we recursief omheen gaan zoeken.
* @param token De kleur die de zet gaat maken.
*/
private void searchSurroundingCorners(OthelloCoordinate coord, char token) {
int x = coord.getX();
int y = coord.getY();
OthelloCoordinate newCoord;
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
newCoord = new OthelloCoordinate(x+i,y+j);
if(hasCoord(newCoord)){
newCoord.setToken(getCoordinate(x+i,y+j).getToken());
}
if(isValid(newCoord, token) && !(possibleMoves.contains(newCoord.getIndex()))){
possibleMoves.add(newCoord.getIndex());
}
}
}
}
}
/**
* Geeft aan of<SUF>*/
public boolean isValid(OthelloCoordinate coord, char token) {
if(!isInBoard(coord)){
return false;
}
if(hasCoord(coord)){
return false;
}
return hasPossiblePath(coord, token);
}
/**
* Kijkt voor een bepaald coordinaat of er een legaal pad is naar andere steentjes.
* @param coord Het coordinaat waarvan we kijken of hij een pad heeft
* @param token De kleur die de zet gaat maken.
* @return boolean true als er minstens ��n pad gevonden is, false als er geen pad te vinden is.
*/
private boolean hasPossiblePath(OthelloCoordinate coord, char token) {
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
if(checkDirection(i,j,coord, 0, token) != -1){
return true;
}
}
}
}
return false;
}
/**
* Kijkt voor een bepaald coordinaat in een bepaalde richting of een pad te vinden is
* @param i De x richting waarheen we gaan zoeken.
* @param j De y richting waarheen we gaan zoeken.
* @param coord Het coordinaat die we nu bekijken
* @param depth De diepte van de recursie. Dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* @param token De kleur die de zet gaat maken.
* @return depth de diepte van de recursie, dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* Dit is nuttig om een path te flippen op het bord. Het geeft dus tegelijkertijd aan of de directie toegestaan is en hoe ver het pad uiteindelijk is.
*/
private int checkDirection(int i, int j, OthelloCoordinate coord, int depth, char token) {
OthelloCoordinate newCoord = getCoordinate(coord.getX()+i,coord.getY()+j);
if(newCoord == null){
return -1;
}
if(newCoord.getToken() == token && depth == 0){
return -1;
}
if(newCoord.getToken() == token && depth > 0){
return depth;
}
return checkDirection(i, j, newCoord, depth+1, token);
}
/**
* Kijkt of een bepaald coordinaat in het bord gevuld is.
* @param coordIn Het coordinaat.
* @return boolean true als het coordinaat gevuld is, false als het coordinaat niet gevuld is.
*/
private boolean hasCoord(OthelloCoordinate coordIn) {
return getCoordinate(coordIn.getX(),coordIn.getY()) != null;
}
/**
* Kijkt of een bepaald coordinaat binnen het bord zit.
* @param coord Het coordinaat.
* @return boolean true als het coordinaat binnen het bord zit, fals als het niet binnen het bord zit.
*/
private boolean isInBoard(OthelloCoordinate coord){
int x = coord.getX();
int y = coord.getY();
return ((x>=0 && x < 8) && (y>=0 && y < 8));
}
/**
* Krijgt een move en kleur als input, en gaat dan alle mogelijke paden flippen.
* Dit is het verwerken van een move in het bord.
* @param input De move die verwerkt moet worden
* @param token De kleur van de move die gezet wordt
*/
public void flipPaths(int input, char token) {
int depth;
OthelloCoordinate coord = new OthelloCoordinate(input);
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
depth = getCorrectPathDepth(i,j,coord,token);
if(depth > 0){
flipFoundPath(coord, i,j,depth,token);
}
}
}
}
}
/**
* Er is een pad gevonden en die wordt hier geflipt.
* @param coord het coordinaat die nu geflipt wordt
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param depth de diepte van de recursie van getCorrectPathDepth. Dit is de lengte van het pad
* @param token De kleur van de move die gezet wordt
*/
private void flipFoundPath(OthelloCoordinate coord, int i, int j, int depth, char token) {
OthelloCoordinate newCoord = coord;
for(int n=0; n<=depth;n++){
addCoordinate(newCoord.getIndex(), token);
newCoord = new OthelloCoordinate(newCoord.getX()+i,newCoord.getY()+j);
newCoord.setToken(token);
}
}
/**
* Maakt gebruik van checkdirection om de lengte van het pad te vinden.
* De depth die daar gereturnt wordt geeft aan dat het pad toegestaan is als hij groter dan 0 is.
* Ook geeft het de lengte van het pad aan.
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param coord het coordinaat van de move die gezet wordt
* @param token De kleur van de move die gezet wordt
* @return depth de diepte van het pad (en dus de lengte)
*/
private int getCorrectPathDepth(int i, int j, OthelloCoordinate coord, char token) {
return checkDirection(i,j,coord,0, token);
}
}
|
211664_10 | package model;
import java.util.ArrayList;
public class OthelloBoard implements Cloneable{
ArrayList<OthelloCoordinate> board = new ArrayList<OthelloCoordinate>();
private ArrayList<Integer> possibleMoves = new ArrayList<Integer>();
char ownToken;
public OthelloBoard(char c){
ownToken = c;
reset();
}
OthelloBoard(ArrayList<OthelloCoordinate> board, ArrayList<Integer> possibleMoves, char ownToken) {
this.board = board;
this.possibleMoves = possibleMoves;
this.ownToken = ownToken;
}
@Override
public Object clone() throws CloneNotSupportedException {
ArrayList<OthelloCoordinate> boardclone = new ArrayList<>();
ArrayList<Integer> possibleMovesClone = (ArrayList<Integer>) possibleMoves.clone();
for (OthelloCoordinate coord: board) {
boardclone.add((OthelloCoordinate) coord.clone());
}
return new OthelloBoard(boardclone, possibleMovesClone, ownToken);
}
/**
* Gets the current count of tiles on the board of a specific token
* @param token to count the score of
* @return amount of disks on the board.
*/
public int getCurrentScore(char token){
int count = 0;
for (OthelloCoordinate coord : board) {
if (coord.getToken() == token) {
count++;
}
}
return count;
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met x en y coordinaten
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int x, int y, char c){
if(x >= 0 && x < 8 && y >= 0 && y < 8){ OthelloCoordinate coord = new OthelloCoordinate(x,y);
coord.setToken(c);
if(!board.contains(coord)){
board.add(coord);
} else {
OthelloCoordinate coord2 = getCoordinate(x, y);
coord2.setToken(c);
}
}
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met index
* @param index Index van het coordinaat (0-63)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int index, char c){
if(index >= 0 && index <64){
OthelloCoordinate coord = new OthelloCoordinate(index);
coord.setToken(c);
if(!hasCoord(coord)){
board.add(coord);
}else {
OthelloCoordinate coord2 = getCoordinate(index % 8, index / 8);
coord2.setToken(c);
}
}
}
/**
* Returnt een coordinaat op een bepaald punt in het bord.
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @return coord het coordinaat (return null als hij niet in het bord zit)
*/
public OthelloCoordinate getCoordinate(int x, int y){
for (OthelloCoordinate coord : board){
if(coord.getX() == x && coord.getY() == y){
return coord;
}
}
return null;
}
/**
* Returnt het bord
* @return board Het bord
*/
public ArrayList<OthelloCoordinate> getBoard(){
return board;
}
/**
* print het bord in een 2 dimensionale overzichtelijke manier
*/
public void printBoard(){
//System.out.println(board);
for(int x = 0; x < 8; x++) {
String line = "";
for(int y = 0; y < 8; y++) {
OthelloCoordinate coord = getCoordinate(x, y);
if(coord == null) {
line+="#";
} else {
line+=coord.getToken();
}
}
System.out.println(line);
}
}
/**
* Reset het bord, voegt de standaard start steentjes toe
*/
public void reset() {
board.clear();
addCoordinate(3,3,'W');
addCoordinate(4,4,'W');
addCoordinate(3,4,'B');
addCoordinate(4,3,'B');
}
/**
* Geeft alle mogelijke moves voor een bepaalde kleur.
* @param token De kleur die de zet gaat maken
* @return possibleMoves Een lijst met mogelijke moves die de kleur token kan maken
*/
public synchronized ArrayList<Integer> findPossibleMoves(char token){
possibleMoves.clear();
for (OthelloCoordinate coord : board){
searchSurroundingCorners(coord, token);
}
return possibleMoves;
}
/**
* Zoekt door alle plekken om een bepaald punt heen om te kijken of het een mogelijke move is.
* voegt alle mogelijke moves die geen duplicates zijn toe aan possibleMoves.
* @param coord Het coordinaat uit het bord waar we recursief omheen gaan zoeken.
* @param token De kleur die de zet gaat maken.
*/
private void searchSurroundingCorners(OthelloCoordinate coord, char token) {
int x = coord.getX();
int y = coord.getY();
OthelloCoordinate newCoord;
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
newCoord = new OthelloCoordinate(x+i,y+j);
if(hasCoord(newCoord)){
newCoord.setToken(getCoordinate(x+i,y+j).getToken());
}
if(isValid(newCoord, token) && !(possibleMoves.contains(newCoord.getIndex()))){
possibleMoves.add(newCoord.getIndex());
}
}
}
}
}
/**
* Geeft aan of een bepaalde move een een toegestane move is. Hiervoor moet het
* coordinaat binnen het bord zitten, nog niet gevuld zijn en een mogelijk pad hebben.
* @param coord Het coordinaat waarvan we kijken of hij toegestaan is
* @param token De kleur die de zet gaat maken.
* @return boolean true als de move toegestaan is, false als de move niet toegestaan is.
*/
public boolean isValid(OthelloCoordinate coord, char token) {
if(!isInBoard(coord)){
return false;
}
if(hasCoord(coord)){
return false;
}
return hasPossiblePath(coord, token);
}
/**
* Kijkt voor een bepaald coordinaat of er een legaal pad is naar andere steentjes.
* @param coord Het coordinaat waarvan we kijken of hij een pad heeft
* @param token De kleur die de zet gaat maken.
* @return boolean true als er minstens ��n pad gevonden is, false als er geen pad te vinden is.
*/
private boolean hasPossiblePath(OthelloCoordinate coord, char token) {
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
if(checkDirection(i,j,coord, 0, token) != -1){
return true;
}
}
}
}
return false;
}
/**
* Kijkt voor een bepaald coordinaat in een bepaalde richting of een pad te vinden is
* @param i De x richting waarheen we gaan zoeken.
* @param j De y richting waarheen we gaan zoeken.
* @param coord Het coordinaat die we nu bekijken
* @param depth De diepte van de recursie. Dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* @param token De kleur die de zet gaat maken.
* @return depth de diepte van de recursie, dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* Dit is nuttig om een path te flippen op het bord. Het geeft dus tegelijkertijd aan of de directie toegestaan is en hoe ver het pad uiteindelijk is.
*/
private int checkDirection(int i, int j, OthelloCoordinate coord, int depth, char token) {
OthelloCoordinate newCoord = getCoordinate(coord.getX()+i,coord.getY()+j);
if(newCoord == null){
return -1;
}
if(newCoord.getToken() == token && depth == 0){
return -1;
}
if(newCoord.getToken() == token && depth > 0){
return depth;
}
return checkDirection(i, j, newCoord, depth+1, token);
}
/**
* Kijkt of een bepaald coordinaat in het bord gevuld is.
* @param coordIn Het coordinaat.
* @return boolean true als het coordinaat gevuld is, false als het coordinaat niet gevuld is.
*/
private boolean hasCoord(OthelloCoordinate coordIn) {
return getCoordinate(coordIn.getX(),coordIn.getY()) != null;
}
/**
* Kijkt of een bepaald coordinaat binnen het bord zit.
* @param coord Het coordinaat.
* @return boolean true als het coordinaat binnen het bord zit, fals als het niet binnen het bord zit.
*/
private boolean isInBoard(OthelloCoordinate coord){
int x = coord.getX();
int y = coord.getY();
return ((x>=0 && x < 8) && (y>=0 && y < 8));
}
/**
* Krijgt een move en kleur als input, en gaat dan alle mogelijke paden flippen.
* Dit is het verwerken van een move in het bord.
* @param input De move die verwerkt moet worden
* @param token De kleur van de move die gezet wordt
*/
public void flipPaths(int input, char token) {
int depth;
OthelloCoordinate coord = new OthelloCoordinate(input);
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
depth = getCorrectPathDepth(i,j,coord,token);
if(depth > 0){
flipFoundPath(coord, i,j,depth,token);
}
}
}
}
}
/**
* Er is een pad gevonden en die wordt hier geflipt.
* @param coord het coordinaat die nu geflipt wordt
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param depth de diepte van de recursie van getCorrectPathDepth. Dit is de lengte van het pad
* @param token De kleur van de move die gezet wordt
*/
private void flipFoundPath(OthelloCoordinate coord, int i, int j, int depth, char token) {
OthelloCoordinate newCoord = coord;
for(int n=0; n<=depth;n++){
addCoordinate(newCoord.getIndex(), token);
newCoord = new OthelloCoordinate(newCoord.getX()+i,newCoord.getY()+j);
newCoord.setToken(token);
}
}
/**
* Maakt gebruik van checkdirection om de lengte van het pad te vinden.
* De depth die daar gereturnt wordt geeft aan dat het pad toegestaan is als hij groter dan 0 is.
* Ook geeft het de lengte van het pad aan.
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param coord het coordinaat van de move die gezet wordt
* @param token De kleur van de move die gezet wordt
* @return depth de diepte van het pad (en dus de lengte)
*/
private int getCorrectPathDepth(int i, int j, OthelloCoordinate coord, char token) {
return checkDirection(i,j,coord,0, token);
}
}
| HanzehogeschoolSICT/Project-Othello | src/model/OthelloBoard.java | 3,143 | /**
* Kijkt voor een bepaald coordinaat of er een legaal pad is naar andere steentjes.
* @param coord Het coordinaat waarvan we kijken of hij een pad heeft
* @param token De kleur die de zet gaat maken.
* @return boolean true als er minstens ��n pad gevonden is, false als er geen pad te vinden is.
*/ | block_comment | nl | package model;
import java.util.ArrayList;
public class OthelloBoard implements Cloneable{
ArrayList<OthelloCoordinate> board = new ArrayList<OthelloCoordinate>();
private ArrayList<Integer> possibleMoves = new ArrayList<Integer>();
char ownToken;
public OthelloBoard(char c){
ownToken = c;
reset();
}
OthelloBoard(ArrayList<OthelloCoordinate> board, ArrayList<Integer> possibleMoves, char ownToken) {
this.board = board;
this.possibleMoves = possibleMoves;
this.ownToken = ownToken;
}
@Override
public Object clone() throws CloneNotSupportedException {
ArrayList<OthelloCoordinate> boardclone = new ArrayList<>();
ArrayList<Integer> possibleMovesClone = (ArrayList<Integer>) possibleMoves.clone();
for (OthelloCoordinate coord: board) {
boardclone.add((OthelloCoordinate) coord.clone());
}
return new OthelloBoard(boardclone, possibleMovesClone, ownToken);
}
/**
* Gets the current count of tiles on the board of a specific token
* @param token to count the score of
* @return amount of disks on the board.
*/
public int getCurrentScore(char token){
int count = 0;
for (OthelloCoordinate coord : board) {
if (coord.getToken() == token) {
count++;
}
}
return count;
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met x en y coordinaten
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int x, int y, char c){
if(x >= 0 && x < 8 && y >= 0 && y < 8){ OthelloCoordinate coord = new OthelloCoordinate(x,y);
coord.setToken(c);
if(!board.contains(coord)){
board.add(coord);
} else {
OthelloCoordinate coord2 = getCoordinate(x, y);
coord2.setToken(c);
}
}
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met index
* @param index Index van het coordinaat (0-63)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int index, char c){
if(index >= 0 && index <64){
OthelloCoordinate coord = new OthelloCoordinate(index);
coord.setToken(c);
if(!hasCoord(coord)){
board.add(coord);
}else {
OthelloCoordinate coord2 = getCoordinate(index % 8, index / 8);
coord2.setToken(c);
}
}
}
/**
* Returnt een coordinaat op een bepaald punt in het bord.
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @return coord het coordinaat (return null als hij niet in het bord zit)
*/
public OthelloCoordinate getCoordinate(int x, int y){
for (OthelloCoordinate coord : board){
if(coord.getX() == x && coord.getY() == y){
return coord;
}
}
return null;
}
/**
* Returnt het bord
* @return board Het bord
*/
public ArrayList<OthelloCoordinate> getBoard(){
return board;
}
/**
* print het bord in een 2 dimensionale overzichtelijke manier
*/
public void printBoard(){
//System.out.println(board);
for(int x = 0; x < 8; x++) {
String line = "";
for(int y = 0; y < 8; y++) {
OthelloCoordinate coord = getCoordinate(x, y);
if(coord == null) {
line+="#";
} else {
line+=coord.getToken();
}
}
System.out.println(line);
}
}
/**
* Reset het bord, voegt de standaard start steentjes toe
*/
public void reset() {
board.clear();
addCoordinate(3,3,'W');
addCoordinate(4,4,'W');
addCoordinate(3,4,'B');
addCoordinate(4,3,'B');
}
/**
* Geeft alle mogelijke moves voor een bepaalde kleur.
* @param token De kleur die de zet gaat maken
* @return possibleMoves Een lijst met mogelijke moves die de kleur token kan maken
*/
public synchronized ArrayList<Integer> findPossibleMoves(char token){
possibleMoves.clear();
for (OthelloCoordinate coord : board){
searchSurroundingCorners(coord, token);
}
return possibleMoves;
}
/**
* Zoekt door alle plekken om een bepaald punt heen om te kijken of het een mogelijke move is.
* voegt alle mogelijke moves die geen duplicates zijn toe aan possibleMoves.
* @param coord Het coordinaat uit het bord waar we recursief omheen gaan zoeken.
* @param token De kleur die de zet gaat maken.
*/
private void searchSurroundingCorners(OthelloCoordinate coord, char token) {
int x = coord.getX();
int y = coord.getY();
OthelloCoordinate newCoord;
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
newCoord = new OthelloCoordinate(x+i,y+j);
if(hasCoord(newCoord)){
newCoord.setToken(getCoordinate(x+i,y+j).getToken());
}
if(isValid(newCoord, token) && !(possibleMoves.contains(newCoord.getIndex()))){
possibleMoves.add(newCoord.getIndex());
}
}
}
}
}
/**
* Geeft aan of een bepaalde move een een toegestane move is. Hiervoor moet het
* coordinaat binnen het bord zitten, nog niet gevuld zijn en een mogelijk pad hebben.
* @param coord Het coordinaat waarvan we kijken of hij toegestaan is
* @param token De kleur die de zet gaat maken.
* @return boolean true als de move toegestaan is, false als de move niet toegestaan is.
*/
public boolean isValid(OthelloCoordinate coord, char token) {
if(!isInBoard(coord)){
return false;
}
if(hasCoord(coord)){
return false;
}
return hasPossiblePath(coord, token);
}
/**
* Kijkt voor een<SUF>*/
private boolean hasPossiblePath(OthelloCoordinate coord, char token) {
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
if(checkDirection(i,j,coord, 0, token) != -1){
return true;
}
}
}
}
return false;
}
/**
* Kijkt voor een bepaald coordinaat in een bepaalde richting of een pad te vinden is
* @param i De x richting waarheen we gaan zoeken.
* @param j De y richting waarheen we gaan zoeken.
* @param coord Het coordinaat die we nu bekijken
* @param depth De diepte van de recursie. Dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* @param token De kleur die de zet gaat maken.
* @return depth de diepte van de recursie, dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* Dit is nuttig om een path te flippen op het bord. Het geeft dus tegelijkertijd aan of de directie toegestaan is en hoe ver het pad uiteindelijk is.
*/
private int checkDirection(int i, int j, OthelloCoordinate coord, int depth, char token) {
OthelloCoordinate newCoord = getCoordinate(coord.getX()+i,coord.getY()+j);
if(newCoord == null){
return -1;
}
if(newCoord.getToken() == token && depth == 0){
return -1;
}
if(newCoord.getToken() == token && depth > 0){
return depth;
}
return checkDirection(i, j, newCoord, depth+1, token);
}
/**
* Kijkt of een bepaald coordinaat in het bord gevuld is.
* @param coordIn Het coordinaat.
* @return boolean true als het coordinaat gevuld is, false als het coordinaat niet gevuld is.
*/
private boolean hasCoord(OthelloCoordinate coordIn) {
return getCoordinate(coordIn.getX(),coordIn.getY()) != null;
}
/**
* Kijkt of een bepaald coordinaat binnen het bord zit.
* @param coord Het coordinaat.
* @return boolean true als het coordinaat binnen het bord zit, fals als het niet binnen het bord zit.
*/
private boolean isInBoard(OthelloCoordinate coord){
int x = coord.getX();
int y = coord.getY();
return ((x>=0 && x < 8) && (y>=0 && y < 8));
}
/**
* Krijgt een move en kleur als input, en gaat dan alle mogelijke paden flippen.
* Dit is het verwerken van een move in het bord.
* @param input De move die verwerkt moet worden
* @param token De kleur van de move die gezet wordt
*/
public void flipPaths(int input, char token) {
int depth;
OthelloCoordinate coord = new OthelloCoordinate(input);
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
depth = getCorrectPathDepth(i,j,coord,token);
if(depth > 0){
flipFoundPath(coord, i,j,depth,token);
}
}
}
}
}
/**
* Er is een pad gevonden en die wordt hier geflipt.
* @param coord het coordinaat die nu geflipt wordt
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param depth de diepte van de recursie van getCorrectPathDepth. Dit is de lengte van het pad
* @param token De kleur van de move die gezet wordt
*/
private void flipFoundPath(OthelloCoordinate coord, int i, int j, int depth, char token) {
OthelloCoordinate newCoord = coord;
for(int n=0; n<=depth;n++){
addCoordinate(newCoord.getIndex(), token);
newCoord = new OthelloCoordinate(newCoord.getX()+i,newCoord.getY()+j);
newCoord.setToken(token);
}
}
/**
* Maakt gebruik van checkdirection om de lengte van het pad te vinden.
* De depth die daar gereturnt wordt geeft aan dat het pad toegestaan is als hij groter dan 0 is.
* Ook geeft het de lengte van het pad aan.
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param coord het coordinaat van de move die gezet wordt
* @param token De kleur van de move die gezet wordt
* @return depth de diepte van het pad (en dus de lengte)
*/
private int getCorrectPathDepth(int i, int j, OthelloCoordinate coord, char token) {
return checkDirection(i,j,coord,0, token);
}
}
|
211664_11 | package model;
import java.util.ArrayList;
public class OthelloBoard implements Cloneable{
ArrayList<OthelloCoordinate> board = new ArrayList<OthelloCoordinate>();
private ArrayList<Integer> possibleMoves = new ArrayList<Integer>();
char ownToken;
public OthelloBoard(char c){
ownToken = c;
reset();
}
OthelloBoard(ArrayList<OthelloCoordinate> board, ArrayList<Integer> possibleMoves, char ownToken) {
this.board = board;
this.possibleMoves = possibleMoves;
this.ownToken = ownToken;
}
@Override
public Object clone() throws CloneNotSupportedException {
ArrayList<OthelloCoordinate> boardclone = new ArrayList<>();
ArrayList<Integer> possibleMovesClone = (ArrayList<Integer>) possibleMoves.clone();
for (OthelloCoordinate coord: board) {
boardclone.add((OthelloCoordinate) coord.clone());
}
return new OthelloBoard(boardclone, possibleMovesClone, ownToken);
}
/**
* Gets the current count of tiles on the board of a specific token
* @param token to count the score of
* @return amount of disks on the board.
*/
public int getCurrentScore(char token){
int count = 0;
for (OthelloCoordinate coord : board) {
if (coord.getToken() == token) {
count++;
}
}
return count;
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met x en y coordinaten
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int x, int y, char c){
if(x >= 0 && x < 8 && y >= 0 && y < 8){ OthelloCoordinate coord = new OthelloCoordinate(x,y);
coord.setToken(c);
if(!board.contains(coord)){
board.add(coord);
} else {
OthelloCoordinate coord2 = getCoordinate(x, y);
coord2.setToken(c);
}
}
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met index
* @param index Index van het coordinaat (0-63)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int index, char c){
if(index >= 0 && index <64){
OthelloCoordinate coord = new OthelloCoordinate(index);
coord.setToken(c);
if(!hasCoord(coord)){
board.add(coord);
}else {
OthelloCoordinate coord2 = getCoordinate(index % 8, index / 8);
coord2.setToken(c);
}
}
}
/**
* Returnt een coordinaat op een bepaald punt in het bord.
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @return coord het coordinaat (return null als hij niet in het bord zit)
*/
public OthelloCoordinate getCoordinate(int x, int y){
for (OthelloCoordinate coord : board){
if(coord.getX() == x && coord.getY() == y){
return coord;
}
}
return null;
}
/**
* Returnt het bord
* @return board Het bord
*/
public ArrayList<OthelloCoordinate> getBoard(){
return board;
}
/**
* print het bord in een 2 dimensionale overzichtelijke manier
*/
public void printBoard(){
//System.out.println(board);
for(int x = 0; x < 8; x++) {
String line = "";
for(int y = 0; y < 8; y++) {
OthelloCoordinate coord = getCoordinate(x, y);
if(coord == null) {
line+="#";
} else {
line+=coord.getToken();
}
}
System.out.println(line);
}
}
/**
* Reset het bord, voegt de standaard start steentjes toe
*/
public void reset() {
board.clear();
addCoordinate(3,3,'W');
addCoordinate(4,4,'W');
addCoordinate(3,4,'B');
addCoordinate(4,3,'B');
}
/**
* Geeft alle mogelijke moves voor een bepaalde kleur.
* @param token De kleur die de zet gaat maken
* @return possibleMoves Een lijst met mogelijke moves die de kleur token kan maken
*/
public synchronized ArrayList<Integer> findPossibleMoves(char token){
possibleMoves.clear();
for (OthelloCoordinate coord : board){
searchSurroundingCorners(coord, token);
}
return possibleMoves;
}
/**
* Zoekt door alle plekken om een bepaald punt heen om te kijken of het een mogelijke move is.
* voegt alle mogelijke moves die geen duplicates zijn toe aan possibleMoves.
* @param coord Het coordinaat uit het bord waar we recursief omheen gaan zoeken.
* @param token De kleur die de zet gaat maken.
*/
private void searchSurroundingCorners(OthelloCoordinate coord, char token) {
int x = coord.getX();
int y = coord.getY();
OthelloCoordinate newCoord;
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
newCoord = new OthelloCoordinate(x+i,y+j);
if(hasCoord(newCoord)){
newCoord.setToken(getCoordinate(x+i,y+j).getToken());
}
if(isValid(newCoord, token) && !(possibleMoves.contains(newCoord.getIndex()))){
possibleMoves.add(newCoord.getIndex());
}
}
}
}
}
/**
* Geeft aan of een bepaalde move een een toegestane move is. Hiervoor moet het
* coordinaat binnen het bord zitten, nog niet gevuld zijn en een mogelijk pad hebben.
* @param coord Het coordinaat waarvan we kijken of hij toegestaan is
* @param token De kleur die de zet gaat maken.
* @return boolean true als de move toegestaan is, false als de move niet toegestaan is.
*/
public boolean isValid(OthelloCoordinate coord, char token) {
if(!isInBoard(coord)){
return false;
}
if(hasCoord(coord)){
return false;
}
return hasPossiblePath(coord, token);
}
/**
* Kijkt voor een bepaald coordinaat of er een legaal pad is naar andere steentjes.
* @param coord Het coordinaat waarvan we kijken of hij een pad heeft
* @param token De kleur die de zet gaat maken.
* @return boolean true als er minstens ��n pad gevonden is, false als er geen pad te vinden is.
*/
private boolean hasPossiblePath(OthelloCoordinate coord, char token) {
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
if(checkDirection(i,j,coord, 0, token) != -1){
return true;
}
}
}
}
return false;
}
/**
* Kijkt voor een bepaald coordinaat in een bepaalde richting of een pad te vinden is
* @param i De x richting waarheen we gaan zoeken.
* @param j De y richting waarheen we gaan zoeken.
* @param coord Het coordinaat die we nu bekijken
* @param depth De diepte van de recursie. Dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* @param token De kleur die de zet gaat maken.
* @return depth de diepte van de recursie, dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* Dit is nuttig om een path te flippen op het bord. Het geeft dus tegelijkertijd aan of de directie toegestaan is en hoe ver het pad uiteindelijk is.
*/
private int checkDirection(int i, int j, OthelloCoordinate coord, int depth, char token) {
OthelloCoordinate newCoord = getCoordinate(coord.getX()+i,coord.getY()+j);
if(newCoord == null){
return -1;
}
if(newCoord.getToken() == token && depth == 0){
return -1;
}
if(newCoord.getToken() == token && depth > 0){
return depth;
}
return checkDirection(i, j, newCoord, depth+1, token);
}
/**
* Kijkt of een bepaald coordinaat in het bord gevuld is.
* @param coordIn Het coordinaat.
* @return boolean true als het coordinaat gevuld is, false als het coordinaat niet gevuld is.
*/
private boolean hasCoord(OthelloCoordinate coordIn) {
return getCoordinate(coordIn.getX(),coordIn.getY()) != null;
}
/**
* Kijkt of een bepaald coordinaat binnen het bord zit.
* @param coord Het coordinaat.
* @return boolean true als het coordinaat binnen het bord zit, fals als het niet binnen het bord zit.
*/
private boolean isInBoard(OthelloCoordinate coord){
int x = coord.getX();
int y = coord.getY();
return ((x>=0 && x < 8) && (y>=0 && y < 8));
}
/**
* Krijgt een move en kleur als input, en gaat dan alle mogelijke paden flippen.
* Dit is het verwerken van een move in het bord.
* @param input De move die verwerkt moet worden
* @param token De kleur van de move die gezet wordt
*/
public void flipPaths(int input, char token) {
int depth;
OthelloCoordinate coord = new OthelloCoordinate(input);
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
depth = getCorrectPathDepth(i,j,coord,token);
if(depth > 0){
flipFoundPath(coord, i,j,depth,token);
}
}
}
}
}
/**
* Er is een pad gevonden en die wordt hier geflipt.
* @param coord het coordinaat die nu geflipt wordt
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param depth de diepte van de recursie van getCorrectPathDepth. Dit is de lengte van het pad
* @param token De kleur van de move die gezet wordt
*/
private void flipFoundPath(OthelloCoordinate coord, int i, int j, int depth, char token) {
OthelloCoordinate newCoord = coord;
for(int n=0; n<=depth;n++){
addCoordinate(newCoord.getIndex(), token);
newCoord = new OthelloCoordinate(newCoord.getX()+i,newCoord.getY()+j);
newCoord.setToken(token);
}
}
/**
* Maakt gebruik van checkdirection om de lengte van het pad te vinden.
* De depth die daar gereturnt wordt geeft aan dat het pad toegestaan is als hij groter dan 0 is.
* Ook geeft het de lengte van het pad aan.
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param coord het coordinaat van de move die gezet wordt
* @param token De kleur van de move die gezet wordt
* @return depth de diepte van het pad (en dus de lengte)
*/
private int getCorrectPathDepth(int i, int j, OthelloCoordinate coord, char token) {
return checkDirection(i,j,coord,0, token);
}
}
| HanzehogeschoolSICT/Project-Othello | src/model/OthelloBoard.java | 3,143 | /**
* Kijkt voor een bepaald coordinaat in een bepaalde richting of een pad te vinden is
* @param i De x richting waarheen we gaan zoeken.
* @param j De y richting waarheen we gaan zoeken.
* @param coord Het coordinaat die we nu bekijken
* @param depth De diepte van de recursie. Dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* @param token De kleur die de zet gaat maken.
* @return depth de diepte van de recursie, dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* Dit is nuttig om een path te flippen op het bord. Het geeft dus tegelijkertijd aan of de directie toegestaan is en hoe ver het pad uiteindelijk is.
*/ | block_comment | nl | package model;
import java.util.ArrayList;
public class OthelloBoard implements Cloneable{
ArrayList<OthelloCoordinate> board = new ArrayList<OthelloCoordinate>();
private ArrayList<Integer> possibleMoves = new ArrayList<Integer>();
char ownToken;
public OthelloBoard(char c){
ownToken = c;
reset();
}
OthelloBoard(ArrayList<OthelloCoordinate> board, ArrayList<Integer> possibleMoves, char ownToken) {
this.board = board;
this.possibleMoves = possibleMoves;
this.ownToken = ownToken;
}
@Override
public Object clone() throws CloneNotSupportedException {
ArrayList<OthelloCoordinate> boardclone = new ArrayList<>();
ArrayList<Integer> possibleMovesClone = (ArrayList<Integer>) possibleMoves.clone();
for (OthelloCoordinate coord: board) {
boardclone.add((OthelloCoordinate) coord.clone());
}
return new OthelloBoard(boardclone, possibleMovesClone, ownToken);
}
/**
* Gets the current count of tiles on the board of a specific token
* @param token to count the score of
* @return amount of disks on the board.
*/
public int getCurrentScore(char token){
int count = 0;
for (OthelloCoordinate coord : board) {
if (coord.getToken() == token) {
count++;
}
}
return count;
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met x en y coordinaten
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int x, int y, char c){
if(x >= 0 && x < 8 && y >= 0 && y < 8){ OthelloCoordinate coord = new OthelloCoordinate(x,y);
coord.setToken(c);
if(!board.contains(coord)){
board.add(coord);
} else {
OthelloCoordinate coord2 = getCoordinate(x, y);
coord2.setToken(c);
}
}
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met index
* @param index Index van het coordinaat (0-63)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int index, char c){
if(index >= 0 && index <64){
OthelloCoordinate coord = new OthelloCoordinate(index);
coord.setToken(c);
if(!hasCoord(coord)){
board.add(coord);
}else {
OthelloCoordinate coord2 = getCoordinate(index % 8, index / 8);
coord2.setToken(c);
}
}
}
/**
* Returnt een coordinaat op een bepaald punt in het bord.
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @return coord het coordinaat (return null als hij niet in het bord zit)
*/
public OthelloCoordinate getCoordinate(int x, int y){
for (OthelloCoordinate coord : board){
if(coord.getX() == x && coord.getY() == y){
return coord;
}
}
return null;
}
/**
* Returnt het bord
* @return board Het bord
*/
public ArrayList<OthelloCoordinate> getBoard(){
return board;
}
/**
* print het bord in een 2 dimensionale overzichtelijke manier
*/
public void printBoard(){
//System.out.println(board);
for(int x = 0; x < 8; x++) {
String line = "";
for(int y = 0; y < 8; y++) {
OthelloCoordinate coord = getCoordinate(x, y);
if(coord == null) {
line+="#";
} else {
line+=coord.getToken();
}
}
System.out.println(line);
}
}
/**
* Reset het bord, voegt de standaard start steentjes toe
*/
public void reset() {
board.clear();
addCoordinate(3,3,'W');
addCoordinate(4,4,'W');
addCoordinate(3,4,'B');
addCoordinate(4,3,'B');
}
/**
* Geeft alle mogelijke moves voor een bepaalde kleur.
* @param token De kleur die de zet gaat maken
* @return possibleMoves Een lijst met mogelijke moves die de kleur token kan maken
*/
public synchronized ArrayList<Integer> findPossibleMoves(char token){
possibleMoves.clear();
for (OthelloCoordinate coord : board){
searchSurroundingCorners(coord, token);
}
return possibleMoves;
}
/**
* Zoekt door alle plekken om een bepaald punt heen om te kijken of het een mogelijke move is.
* voegt alle mogelijke moves die geen duplicates zijn toe aan possibleMoves.
* @param coord Het coordinaat uit het bord waar we recursief omheen gaan zoeken.
* @param token De kleur die de zet gaat maken.
*/
private void searchSurroundingCorners(OthelloCoordinate coord, char token) {
int x = coord.getX();
int y = coord.getY();
OthelloCoordinate newCoord;
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
newCoord = new OthelloCoordinate(x+i,y+j);
if(hasCoord(newCoord)){
newCoord.setToken(getCoordinate(x+i,y+j).getToken());
}
if(isValid(newCoord, token) && !(possibleMoves.contains(newCoord.getIndex()))){
possibleMoves.add(newCoord.getIndex());
}
}
}
}
}
/**
* Geeft aan of een bepaalde move een een toegestane move is. Hiervoor moet het
* coordinaat binnen het bord zitten, nog niet gevuld zijn en een mogelijk pad hebben.
* @param coord Het coordinaat waarvan we kijken of hij toegestaan is
* @param token De kleur die de zet gaat maken.
* @return boolean true als de move toegestaan is, false als de move niet toegestaan is.
*/
public boolean isValid(OthelloCoordinate coord, char token) {
if(!isInBoard(coord)){
return false;
}
if(hasCoord(coord)){
return false;
}
return hasPossiblePath(coord, token);
}
/**
* Kijkt voor een bepaald coordinaat of er een legaal pad is naar andere steentjes.
* @param coord Het coordinaat waarvan we kijken of hij een pad heeft
* @param token De kleur die de zet gaat maken.
* @return boolean true als er minstens ��n pad gevonden is, false als er geen pad te vinden is.
*/
private boolean hasPossiblePath(OthelloCoordinate coord, char token) {
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
if(checkDirection(i,j,coord, 0, token) != -1){
return true;
}
}
}
}
return false;
}
/**
* Kijkt voor een<SUF>*/
private int checkDirection(int i, int j, OthelloCoordinate coord, int depth, char token) {
OthelloCoordinate newCoord = getCoordinate(coord.getX()+i,coord.getY()+j);
if(newCoord == null){
return -1;
}
if(newCoord.getToken() == token && depth == 0){
return -1;
}
if(newCoord.getToken() == token && depth > 0){
return depth;
}
return checkDirection(i, j, newCoord, depth+1, token);
}
/**
* Kijkt of een bepaald coordinaat in het bord gevuld is.
* @param coordIn Het coordinaat.
* @return boolean true als het coordinaat gevuld is, false als het coordinaat niet gevuld is.
*/
private boolean hasCoord(OthelloCoordinate coordIn) {
return getCoordinate(coordIn.getX(),coordIn.getY()) != null;
}
/**
* Kijkt of een bepaald coordinaat binnen het bord zit.
* @param coord Het coordinaat.
* @return boolean true als het coordinaat binnen het bord zit, fals als het niet binnen het bord zit.
*/
private boolean isInBoard(OthelloCoordinate coord){
int x = coord.getX();
int y = coord.getY();
return ((x>=0 && x < 8) && (y>=0 && y < 8));
}
/**
* Krijgt een move en kleur als input, en gaat dan alle mogelijke paden flippen.
* Dit is het verwerken van een move in het bord.
* @param input De move die verwerkt moet worden
* @param token De kleur van de move die gezet wordt
*/
public void flipPaths(int input, char token) {
int depth;
OthelloCoordinate coord = new OthelloCoordinate(input);
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
depth = getCorrectPathDepth(i,j,coord,token);
if(depth > 0){
flipFoundPath(coord, i,j,depth,token);
}
}
}
}
}
/**
* Er is een pad gevonden en die wordt hier geflipt.
* @param coord het coordinaat die nu geflipt wordt
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param depth de diepte van de recursie van getCorrectPathDepth. Dit is de lengte van het pad
* @param token De kleur van de move die gezet wordt
*/
private void flipFoundPath(OthelloCoordinate coord, int i, int j, int depth, char token) {
OthelloCoordinate newCoord = coord;
for(int n=0; n<=depth;n++){
addCoordinate(newCoord.getIndex(), token);
newCoord = new OthelloCoordinate(newCoord.getX()+i,newCoord.getY()+j);
newCoord.setToken(token);
}
}
/**
* Maakt gebruik van checkdirection om de lengte van het pad te vinden.
* De depth die daar gereturnt wordt geeft aan dat het pad toegestaan is als hij groter dan 0 is.
* Ook geeft het de lengte van het pad aan.
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param coord het coordinaat van de move die gezet wordt
* @param token De kleur van de move die gezet wordt
* @return depth de diepte van het pad (en dus de lengte)
*/
private int getCorrectPathDepth(int i, int j, OthelloCoordinate coord, char token) {
return checkDirection(i,j,coord,0, token);
}
}
|
211664_12 | package model;
import java.util.ArrayList;
public class OthelloBoard implements Cloneable{
ArrayList<OthelloCoordinate> board = new ArrayList<OthelloCoordinate>();
private ArrayList<Integer> possibleMoves = new ArrayList<Integer>();
char ownToken;
public OthelloBoard(char c){
ownToken = c;
reset();
}
OthelloBoard(ArrayList<OthelloCoordinate> board, ArrayList<Integer> possibleMoves, char ownToken) {
this.board = board;
this.possibleMoves = possibleMoves;
this.ownToken = ownToken;
}
@Override
public Object clone() throws CloneNotSupportedException {
ArrayList<OthelloCoordinate> boardclone = new ArrayList<>();
ArrayList<Integer> possibleMovesClone = (ArrayList<Integer>) possibleMoves.clone();
for (OthelloCoordinate coord: board) {
boardclone.add((OthelloCoordinate) coord.clone());
}
return new OthelloBoard(boardclone, possibleMovesClone, ownToken);
}
/**
* Gets the current count of tiles on the board of a specific token
* @param token to count the score of
* @return amount of disks on the board.
*/
public int getCurrentScore(char token){
int count = 0;
for (OthelloCoordinate coord : board) {
if (coord.getToken() == token) {
count++;
}
}
return count;
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met x en y coordinaten
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int x, int y, char c){
if(x >= 0 && x < 8 && y >= 0 && y < 8){ OthelloCoordinate coord = new OthelloCoordinate(x,y);
coord.setToken(c);
if(!board.contains(coord)){
board.add(coord);
} else {
OthelloCoordinate coord2 = getCoordinate(x, y);
coord2.setToken(c);
}
}
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met index
* @param index Index van het coordinaat (0-63)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int index, char c){
if(index >= 0 && index <64){
OthelloCoordinate coord = new OthelloCoordinate(index);
coord.setToken(c);
if(!hasCoord(coord)){
board.add(coord);
}else {
OthelloCoordinate coord2 = getCoordinate(index % 8, index / 8);
coord2.setToken(c);
}
}
}
/**
* Returnt een coordinaat op een bepaald punt in het bord.
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @return coord het coordinaat (return null als hij niet in het bord zit)
*/
public OthelloCoordinate getCoordinate(int x, int y){
for (OthelloCoordinate coord : board){
if(coord.getX() == x && coord.getY() == y){
return coord;
}
}
return null;
}
/**
* Returnt het bord
* @return board Het bord
*/
public ArrayList<OthelloCoordinate> getBoard(){
return board;
}
/**
* print het bord in een 2 dimensionale overzichtelijke manier
*/
public void printBoard(){
//System.out.println(board);
for(int x = 0; x < 8; x++) {
String line = "";
for(int y = 0; y < 8; y++) {
OthelloCoordinate coord = getCoordinate(x, y);
if(coord == null) {
line+="#";
} else {
line+=coord.getToken();
}
}
System.out.println(line);
}
}
/**
* Reset het bord, voegt de standaard start steentjes toe
*/
public void reset() {
board.clear();
addCoordinate(3,3,'W');
addCoordinate(4,4,'W');
addCoordinate(3,4,'B');
addCoordinate(4,3,'B');
}
/**
* Geeft alle mogelijke moves voor een bepaalde kleur.
* @param token De kleur die de zet gaat maken
* @return possibleMoves Een lijst met mogelijke moves die de kleur token kan maken
*/
public synchronized ArrayList<Integer> findPossibleMoves(char token){
possibleMoves.clear();
for (OthelloCoordinate coord : board){
searchSurroundingCorners(coord, token);
}
return possibleMoves;
}
/**
* Zoekt door alle plekken om een bepaald punt heen om te kijken of het een mogelijke move is.
* voegt alle mogelijke moves die geen duplicates zijn toe aan possibleMoves.
* @param coord Het coordinaat uit het bord waar we recursief omheen gaan zoeken.
* @param token De kleur die de zet gaat maken.
*/
private void searchSurroundingCorners(OthelloCoordinate coord, char token) {
int x = coord.getX();
int y = coord.getY();
OthelloCoordinate newCoord;
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
newCoord = new OthelloCoordinate(x+i,y+j);
if(hasCoord(newCoord)){
newCoord.setToken(getCoordinate(x+i,y+j).getToken());
}
if(isValid(newCoord, token) && !(possibleMoves.contains(newCoord.getIndex()))){
possibleMoves.add(newCoord.getIndex());
}
}
}
}
}
/**
* Geeft aan of een bepaalde move een een toegestane move is. Hiervoor moet het
* coordinaat binnen het bord zitten, nog niet gevuld zijn en een mogelijk pad hebben.
* @param coord Het coordinaat waarvan we kijken of hij toegestaan is
* @param token De kleur die de zet gaat maken.
* @return boolean true als de move toegestaan is, false als de move niet toegestaan is.
*/
public boolean isValid(OthelloCoordinate coord, char token) {
if(!isInBoard(coord)){
return false;
}
if(hasCoord(coord)){
return false;
}
return hasPossiblePath(coord, token);
}
/**
* Kijkt voor een bepaald coordinaat of er een legaal pad is naar andere steentjes.
* @param coord Het coordinaat waarvan we kijken of hij een pad heeft
* @param token De kleur die de zet gaat maken.
* @return boolean true als er minstens ��n pad gevonden is, false als er geen pad te vinden is.
*/
private boolean hasPossiblePath(OthelloCoordinate coord, char token) {
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
if(checkDirection(i,j,coord, 0, token) != -1){
return true;
}
}
}
}
return false;
}
/**
* Kijkt voor een bepaald coordinaat in een bepaalde richting of een pad te vinden is
* @param i De x richting waarheen we gaan zoeken.
* @param j De y richting waarheen we gaan zoeken.
* @param coord Het coordinaat die we nu bekijken
* @param depth De diepte van de recursie. Dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* @param token De kleur die de zet gaat maken.
* @return depth de diepte van de recursie, dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* Dit is nuttig om een path te flippen op het bord. Het geeft dus tegelijkertijd aan of de directie toegestaan is en hoe ver het pad uiteindelijk is.
*/
private int checkDirection(int i, int j, OthelloCoordinate coord, int depth, char token) {
OthelloCoordinate newCoord = getCoordinate(coord.getX()+i,coord.getY()+j);
if(newCoord == null){
return -1;
}
if(newCoord.getToken() == token && depth == 0){
return -1;
}
if(newCoord.getToken() == token && depth > 0){
return depth;
}
return checkDirection(i, j, newCoord, depth+1, token);
}
/**
* Kijkt of een bepaald coordinaat in het bord gevuld is.
* @param coordIn Het coordinaat.
* @return boolean true als het coordinaat gevuld is, false als het coordinaat niet gevuld is.
*/
private boolean hasCoord(OthelloCoordinate coordIn) {
return getCoordinate(coordIn.getX(),coordIn.getY()) != null;
}
/**
* Kijkt of een bepaald coordinaat binnen het bord zit.
* @param coord Het coordinaat.
* @return boolean true als het coordinaat binnen het bord zit, fals als het niet binnen het bord zit.
*/
private boolean isInBoard(OthelloCoordinate coord){
int x = coord.getX();
int y = coord.getY();
return ((x>=0 && x < 8) && (y>=0 && y < 8));
}
/**
* Krijgt een move en kleur als input, en gaat dan alle mogelijke paden flippen.
* Dit is het verwerken van een move in het bord.
* @param input De move die verwerkt moet worden
* @param token De kleur van de move die gezet wordt
*/
public void flipPaths(int input, char token) {
int depth;
OthelloCoordinate coord = new OthelloCoordinate(input);
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
depth = getCorrectPathDepth(i,j,coord,token);
if(depth > 0){
flipFoundPath(coord, i,j,depth,token);
}
}
}
}
}
/**
* Er is een pad gevonden en die wordt hier geflipt.
* @param coord het coordinaat die nu geflipt wordt
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param depth de diepte van de recursie van getCorrectPathDepth. Dit is de lengte van het pad
* @param token De kleur van de move die gezet wordt
*/
private void flipFoundPath(OthelloCoordinate coord, int i, int j, int depth, char token) {
OthelloCoordinate newCoord = coord;
for(int n=0; n<=depth;n++){
addCoordinate(newCoord.getIndex(), token);
newCoord = new OthelloCoordinate(newCoord.getX()+i,newCoord.getY()+j);
newCoord.setToken(token);
}
}
/**
* Maakt gebruik van checkdirection om de lengte van het pad te vinden.
* De depth die daar gereturnt wordt geeft aan dat het pad toegestaan is als hij groter dan 0 is.
* Ook geeft het de lengte van het pad aan.
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param coord het coordinaat van de move die gezet wordt
* @param token De kleur van de move die gezet wordt
* @return depth de diepte van het pad (en dus de lengte)
*/
private int getCorrectPathDepth(int i, int j, OthelloCoordinate coord, char token) {
return checkDirection(i,j,coord,0, token);
}
}
| HanzehogeschoolSICT/Project-Othello | src/model/OthelloBoard.java | 3,143 | /**
* Kijkt of een bepaald coordinaat in het bord gevuld is.
* @param coordIn Het coordinaat.
* @return boolean true als het coordinaat gevuld is, false als het coordinaat niet gevuld is.
*/ | block_comment | nl | package model;
import java.util.ArrayList;
public class OthelloBoard implements Cloneable{
ArrayList<OthelloCoordinate> board = new ArrayList<OthelloCoordinate>();
private ArrayList<Integer> possibleMoves = new ArrayList<Integer>();
char ownToken;
public OthelloBoard(char c){
ownToken = c;
reset();
}
OthelloBoard(ArrayList<OthelloCoordinate> board, ArrayList<Integer> possibleMoves, char ownToken) {
this.board = board;
this.possibleMoves = possibleMoves;
this.ownToken = ownToken;
}
@Override
public Object clone() throws CloneNotSupportedException {
ArrayList<OthelloCoordinate> boardclone = new ArrayList<>();
ArrayList<Integer> possibleMovesClone = (ArrayList<Integer>) possibleMoves.clone();
for (OthelloCoordinate coord: board) {
boardclone.add((OthelloCoordinate) coord.clone());
}
return new OthelloBoard(boardclone, possibleMovesClone, ownToken);
}
/**
* Gets the current count of tiles on the board of a specific token
* @param token to count the score of
* @return amount of disks on the board.
*/
public int getCurrentScore(char token){
int count = 0;
for (OthelloCoordinate coord : board) {
if (coord.getToken() == token) {
count++;
}
}
return count;
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met x en y coordinaten
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int x, int y, char c){
if(x >= 0 && x < 8 && y >= 0 && y < 8){ OthelloCoordinate coord = new OthelloCoordinate(x,y);
coord.setToken(c);
if(!board.contains(coord)){
board.add(coord);
} else {
OthelloCoordinate coord2 = getCoordinate(x, y);
coord2.setToken(c);
}
}
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met index
* @param index Index van het coordinaat (0-63)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int index, char c){
if(index >= 0 && index <64){
OthelloCoordinate coord = new OthelloCoordinate(index);
coord.setToken(c);
if(!hasCoord(coord)){
board.add(coord);
}else {
OthelloCoordinate coord2 = getCoordinate(index % 8, index / 8);
coord2.setToken(c);
}
}
}
/**
* Returnt een coordinaat op een bepaald punt in het bord.
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @return coord het coordinaat (return null als hij niet in het bord zit)
*/
public OthelloCoordinate getCoordinate(int x, int y){
for (OthelloCoordinate coord : board){
if(coord.getX() == x && coord.getY() == y){
return coord;
}
}
return null;
}
/**
* Returnt het bord
* @return board Het bord
*/
public ArrayList<OthelloCoordinate> getBoard(){
return board;
}
/**
* print het bord in een 2 dimensionale overzichtelijke manier
*/
public void printBoard(){
//System.out.println(board);
for(int x = 0; x < 8; x++) {
String line = "";
for(int y = 0; y < 8; y++) {
OthelloCoordinate coord = getCoordinate(x, y);
if(coord == null) {
line+="#";
} else {
line+=coord.getToken();
}
}
System.out.println(line);
}
}
/**
* Reset het bord, voegt de standaard start steentjes toe
*/
public void reset() {
board.clear();
addCoordinate(3,3,'W');
addCoordinate(4,4,'W');
addCoordinate(3,4,'B');
addCoordinate(4,3,'B');
}
/**
* Geeft alle mogelijke moves voor een bepaalde kleur.
* @param token De kleur die de zet gaat maken
* @return possibleMoves Een lijst met mogelijke moves die de kleur token kan maken
*/
public synchronized ArrayList<Integer> findPossibleMoves(char token){
possibleMoves.clear();
for (OthelloCoordinate coord : board){
searchSurroundingCorners(coord, token);
}
return possibleMoves;
}
/**
* Zoekt door alle plekken om een bepaald punt heen om te kijken of het een mogelijke move is.
* voegt alle mogelijke moves die geen duplicates zijn toe aan possibleMoves.
* @param coord Het coordinaat uit het bord waar we recursief omheen gaan zoeken.
* @param token De kleur die de zet gaat maken.
*/
private void searchSurroundingCorners(OthelloCoordinate coord, char token) {
int x = coord.getX();
int y = coord.getY();
OthelloCoordinate newCoord;
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
newCoord = new OthelloCoordinate(x+i,y+j);
if(hasCoord(newCoord)){
newCoord.setToken(getCoordinate(x+i,y+j).getToken());
}
if(isValid(newCoord, token) && !(possibleMoves.contains(newCoord.getIndex()))){
possibleMoves.add(newCoord.getIndex());
}
}
}
}
}
/**
* Geeft aan of een bepaalde move een een toegestane move is. Hiervoor moet het
* coordinaat binnen het bord zitten, nog niet gevuld zijn en een mogelijk pad hebben.
* @param coord Het coordinaat waarvan we kijken of hij toegestaan is
* @param token De kleur die de zet gaat maken.
* @return boolean true als de move toegestaan is, false als de move niet toegestaan is.
*/
public boolean isValid(OthelloCoordinate coord, char token) {
if(!isInBoard(coord)){
return false;
}
if(hasCoord(coord)){
return false;
}
return hasPossiblePath(coord, token);
}
/**
* Kijkt voor een bepaald coordinaat of er een legaal pad is naar andere steentjes.
* @param coord Het coordinaat waarvan we kijken of hij een pad heeft
* @param token De kleur die de zet gaat maken.
* @return boolean true als er minstens ��n pad gevonden is, false als er geen pad te vinden is.
*/
private boolean hasPossiblePath(OthelloCoordinate coord, char token) {
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
if(checkDirection(i,j,coord, 0, token) != -1){
return true;
}
}
}
}
return false;
}
/**
* Kijkt voor een bepaald coordinaat in een bepaalde richting of een pad te vinden is
* @param i De x richting waarheen we gaan zoeken.
* @param j De y richting waarheen we gaan zoeken.
* @param coord Het coordinaat die we nu bekijken
* @param depth De diepte van de recursie. Dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* @param token De kleur die de zet gaat maken.
* @return depth de diepte van de recursie, dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* Dit is nuttig om een path te flippen op het bord. Het geeft dus tegelijkertijd aan of de directie toegestaan is en hoe ver het pad uiteindelijk is.
*/
private int checkDirection(int i, int j, OthelloCoordinate coord, int depth, char token) {
OthelloCoordinate newCoord = getCoordinate(coord.getX()+i,coord.getY()+j);
if(newCoord == null){
return -1;
}
if(newCoord.getToken() == token && depth == 0){
return -1;
}
if(newCoord.getToken() == token && depth > 0){
return depth;
}
return checkDirection(i, j, newCoord, depth+1, token);
}
/**
* Kijkt of een<SUF>*/
private boolean hasCoord(OthelloCoordinate coordIn) {
return getCoordinate(coordIn.getX(),coordIn.getY()) != null;
}
/**
* Kijkt of een bepaald coordinaat binnen het bord zit.
* @param coord Het coordinaat.
* @return boolean true als het coordinaat binnen het bord zit, fals als het niet binnen het bord zit.
*/
private boolean isInBoard(OthelloCoordinate coord){
int x = coord.getX();
int y = coord.getY();
return ((x>=0 && x < 8) && (y>=0 && y < 8));
}
/**
* Krijgt een move en kleur als input, en gaat dan alle mogelijke paden flippen.
* Dit is het verwerken van een move in het bord.
* @param input De move die verwerkt moet worden
* @param token De kleur van de move die gezet wordt
*/
public void flipPaths(int input, char token) {
int depth;
OthelloCoordinate coord = new OthelloCoordinate(input);
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
depth = getCorrectPathDepth(i,j,coord,token);
if(depth > 0){
flipFoundPath(coord, i,j,depth,token);
}
}
}
}
}
/**
* Er is een pad gevonden en die wordt hier geflipt.
* @param coord het coordinaat die nu geflipt wordt
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param depth de diepte van de recursie van getCorrectPathDepth. Dit is de lengte van het pad
* @param token De kleur van de move die gezet wordt
*/
private void flipFoundPath(OthelloCoordinate coord, int i, int j, int depth, char token) {
OthelloCoordinate newCoord = coord;
for(int n=0; n<=depth;n++){
addCoordinate(newCoord.getIndex(), token);
newCoord = new OthelloCoordinate(newCoord.getX()+i,newCoord.getY()+j);
newCoord.setToken(token);
}
}
/**
* Maakt gebruik van checkdirection om de lengte van het pad te vinden.
* De depth die daar gereturnt wordt geeft aan dat het pad toegestaan is als hij groter dan 0 is.
* Ook geeft het de lengte van het pad aan.
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param coord het coordinaat van de move die gezet wordt
* @param token De kleur van de move die gezet wordt
* @return depth de diepte van het pad (en dus de lengte)
*/
private int getCorrectPathDepth(int i, int j, OthelloCoordinate coord, char token) {
return checkDirection(i,j,coord,0, token);
}
}
|
211664_13 | package model;
import java.util.ArrayList;
public class OthelloBoard implements Cloneable{
ArrayList<OthelloCoordinate> board = new ArrayList<OthelloCoordinate>();
private ArrayList<Integer> possibleMoves = new ArrayList<Integer>();
char ownToken;
public OthelloBoard(char c){
ownToken = c;
reset();
}
OthelloBoard(ArrayList<OthelloCoordinate> board, ArrayList<Integer> possibleMoves, char ownToken) {
this.board = board;
this.possibleMoves = possibleMoves;
this.ownToken = ownToken;
}
@Override
public Object clone() throws CloneNotSupportedException {
ArrayList<OthelloCoordinate> boardclone = new ArrayList<>();
ArrayList<Integer> possibleMovesClone = (ArrayList<Integer>) possibleMoves.clone();
for (OthelloCoordinate coord: board) {
boardclone.add((OthelloCoordinate) coord.clone());
}
return new OthelloBoard(boardclone, possibleMovesClone, ownToken);
}
/**
* Gets the current count of tiles on the board of a specific token
* @param token to count the score of
* @return amount of disks on the board.
*/
public int getCurrentScore(char token){
int count = 0;
for (OthelloCoordinate coord : board) {
if (coord.getToken() == token) {
count++;
}
}
return count;
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met x en y coordinaten
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int x, int y, char c){
if(x >= 0 && x < 8 && y >= 0 && y < 8){ OthelloCoordinate coord = new OthelloCoordinate(x,y);
coord.setToken(c);
if(!board.contains(coord)){
board.add(coord);
} else {
OthelloCoordinate coord2 = getCoordinate(x, y);
coord2.setToken(c);
}
}
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met index
* @param index Index van het coordinaat (0-63)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int index, char c){
if(index >= 0 && index <64){
OthelloCoordinate coord = new OthelloCoordinate(index);
coord.setToken(c);
if(!hasCoord(coord)){
board.add(coord);
}else {
OthelloCoordinate coord2 = getCoordinate(index % 8, index / 8);
coord2.setToken(c);
}
}
}
/**
* Returnt een coordinaat op een bepaald punt in het bord.
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @return coord het coordinaat (return null als hij niet in het bord zit)
*/
public OthelloCoordinate getCoordinate(int x, int y){
for (OthelloCoordinate coord : board){
if(coord.getX() == x && coord.getY() == y){
return coord;
}
}
return null;
}
/**
* Returnt het bord
* @return board Het bord
*/
public ArrayList<OthelloCoordinate> getBoard(){
return board;
}
/**
* print het bord in een 2 dimensionale overzichtelijke manier
*/
public void printBoard(){
//System.out.println(board);
for(int x = 0; x < 8; x++) {
String line = "";
for(int y = 0; y < 8; y++) {
OthelloCoordinate coord = getCoordinate(x, y);
if(coord == null) {
line+="#";
} else {
line+=coord.getToken();
}
}
System.out.println(line);
}
}
/**
* Reset het bord, voegt de standaard start steentjes toe
*/
public void reset() {
board.clear();
addCoordinate(3,3,'W');
addCoordinate(4,4,'W');
addCoordinate(3,4,'B');
addCoordinate(4,3,'B');
}
/**
* Geeft alle mogelijke moves voor een bepaalde kleur.
* @param token De kleur die de zet gaat maken
* @return possibleMoves Een lijst met mogelijke moves die de kleur token kan maken
*/
public synchronized ArrayList<Integer> findPossibleMoves(char token){
possibleMoves.clear();
for (OthelloCoordinate coord : board){
searchSurroundingCorners(coord, token);
}
return possibleMoves;
}
/**
* Zoekt door alle plekken om een bepaald punt heen om te kijken of het een mogelijke move is.
* voegt alle mogelijke moves die geen duplicates zijn toe aan possibleMoves.
* @param coord Het coordinaat uit het bord waar we recursief omheen gaan zoeken.
* @param token De kleur die de zet gaat maken.
*/
private void searchSurroundingCorners(OthelloCoordinate coord, char token) {
int x = coord.getX();
int y = coord.getY();
OthelloCoordinate newCoord;
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
newCoord = new OthelloCoordinate(x+i,y+j);
if(hasCoord(newCoord)){
newCoord.setToken(getCoordinate(x+i,y+j).getToken());
}
if(isValid(newCoord, token) && !(possibleMoves.contains(newCoord.getIndex()))){
possibleMoves.add(newCoord.getIndex());
}
}
}
}
}
/**
* Geeft aan of een bepaalde move een een toegestane move is. Hiervoor moet het
* coordinaat binnen het bord zitten, nog niet gevuld zijn en een mogelijk pad hebben.
* @param coord Het coordinaat waarvan we kijken of hij toegestaan is
* @param token De kleur die de zet gaat maken.
* @return boolean true als de move toegestaan is, false als de move niet toegestaan is.
*/
public boolean isValid(OthelloCoordinate coord, char token) {
if(!isInBoard(coord)){
return false;
}
if(hasCoord(coord)){
return false;
}
return hasPossiblePath(coord, token);
}
/**
* Kijkt voor een bepaald coordinaat of er een legaal pad is naar andere steentjes.
* @param coord Het coordinaat waarvan we kijken of hij een pad heeft
* @param token De kleur die de zet gaat maken.
* @return boolean true als er minstens ��n pad gevonden is, false als er geen pad te vinden is.
*/
private boolean hasPossiblePath(OthelloCoordinate coord, char token) {
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
if(checkDirection(i,j,coord, 0, token) != -1){
return true;
}
}
}
}
return false;
}
/**
* Kijkt voor een bepaald coordinaat in een bepaalde richting of een pad te vinden is
* @param i De x richting waarheen we gaan zoeken.
* @param j De y richting waarheen we gaan zoeken.
* @param coord Het coordinaat die we nu bekijken
* @param depth De diepte van de recursie. Dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* @param token De kleur die de zet gaat maken.
* @return depth de diepte van de recursie, dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* Dit is nuttig om een path te flippen op het bord. Het geeft dus tegelijkertijd aan of de directie toegestaan is en hoe ver het pad uiteindelijk is.
*/
private int checkDirection(int i, int j, OthelloCoordinate coord, int depth, char token) {
OthelloCoordinate newCoord = getCoordinate(coord.getX()+i,coord.getY()+j);
if(newCoord == null){
return -1;
}
if(newCoord.getToken() == token && depth == 0){
return -1;
}
if(newCoord.getToken() == token && depth > 0){
return depth;
}
return checkDirection(i, j, newCoord, depth+1, token);
}
/**
* Kijkt of een bepaald coordinaat in het bord gevuld is.
* @param coordIn Het coordinaat.
* @return boolean true als het coordinaat gevuld is, false als het coordinaat niet gevuld is.
*/
private boolean hasCoord(OthelloCoordinate coordIn) {
return getCoordinate(coordIn.getX(),coordIn.getY()) != null;
}
/**
* Kijkt of een bepaald coordinaat binnen het bord zit.
* @param coord Het coordinaat.
* @return boolean true als het coordinaat binnen het bord zit, fals als het niet binnen het bord zit.
*/
private boolean isInBoard(OthelloCoordinate coord){
int x = coord.getX();
int y = coord.getY();
return ((x>=0 && x < 8) && (y>=0 && y < 8));
}
/**
* Krijgt een move en kleur als input, en gaat dan alle mogelijke paden flippen.
* Dit is het verwerken van een move in het bord.
* @param input De move die verwerkt moet worden
* @param token De kleur van de move die gezet wordt
*/
public void flipPaths(int input, char token) {
int depth;
OthelloCoordinate coord = new OthelloCoordinate(input);
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
depth = getCorrectPathDepth(i,j,coord,token);
if(depth > 0){
flipFoundPath(coord, i,j,depth,token);
}
}
}
}
}
/**
* Er is een pad gevonden en die wordt hier geflipt.
* @param coord het coordinaat die nu geflipt wordt
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param depth de diepte van de recursie van getCorrectPathDepth. Dit is de lengte van het pad
* @param token De kleur van de move die gezet wordt
*/
private void flipFoundPath(OthelloCoordinate coord, int i, int j, int depth, char token) {
OthelloCoordinate newCoord = coord;
for(int n=0; n<=depth;n++){
addCoordinate(newCoord.getIndex(), token);
newCoord = new OthelloCoordinate(newCoord.getX()+i,newCoord.getY()+j);
newCoord.setToken(token);
}
}
/**
* Maakt gebruik van checkdirection om de lengte van het pad te vinden.
* De depth die daar gereturnt wordt geeft aan dat het pad toegestaan is als hij groter dan 0 is.
* Ook geeft het de lengte van het pad aan.
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param coord het coordinaat van de move die gezet wordt
* @param token De kleur van de move die gezet wordt
* @return depth de diepte van het pad (en dus de lengte)
*/
private int getCorrectPathDepth(int i, int j, OthelloCoordinate coord, char token) {
return checkDirection(i,j,coord,0, token);
}
}
| HanzehogeschoolSICT/Project-Othello | src/model/OthelloBoard.java | 3,143 | /**
* Kijkt of een bepaald coordinaat binnen het bord zit.
* @param coord Het coordinaat.
* @return boolean true als het coordinaat binnen het bord zit, fals als het niet binnen het bord zit.
*/ | block_comment | nl | package model;
import java.util.ArrayList;
public class OthelloBoard implements Cloneable{
ArrayList<OthelloCoordinate> board = new ArrayList<OthelloCoordinate>();
private ArrayList<Integer> possibleMoves = new ArrayList<Integer>();
char ownToken;
public OthelloBoard(char c){
ownToken = c;
reset();
}
OthelloBoard(ArrayList<OthelloCoordinate> board, ArrayList<Integer> possibleMoves, char ownToken) {
this.board = board;
this.possibleMoves = possibleMoves;
this.ownToken = ownToken;
}
@Override
public Object clone() throws CloneNotSupportedException {
ArrayList<OthelloCoordinate> boardclone = new ArrayList<>();
ArrayList<Integer> possibleMovesClone = (ArrayList<Integer>) possibleMoves.clone();
for (OthelloCoordinate coord: board) {
boardclone.add((OthelloCoordinate) coord.clone());
}
return new OthelloBoard(boardclone, possibleMovesClone, ownToken);
}
/**
* Gets the current count of tiles on the board of a specific token
* @param token to count the score of
* @return amount of disks on the board.
*/
public int getCurrentScore(char token){
int count = 0;
for (OthelloCoordinate coord : board) {
if (coord.getToken() == token) {
count++;
}
}
return count;
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met x en y coordinaten
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int x, int y, char c){
if(x >= 0 && x < 8 && y >= 0 && y < 8){ OthelloCoordinate coord = new OthelloCoordinate(x,y);
coord.setToken(c);
if(!board.contains(coord)){
board.add(coord);
} else {
OthelloCoordinate coord2 = getCoordinate(x, y);
coord2.setToken(c);
}
}
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met index
* @param index Index van het coordinaat (0-63)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int index, char c){
if(index >= 0 && index <64){
OthelloCoordinate coord = new OthelloCoordinate(index);
coord.setToken(c);
if(!hasCoord(coord)){
board.add(coord);
}else {
OthelloCoordinate coord2 = getCoordinate(index % 8, index / 8);
coord2.setToken(c);
}
}
}
/**
* Returnt een coordinaat op een bepaald punt in het bord.
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @return coord het coordinaat (return null als hij niet in het bord zit)
*/
public OthelloCoordinate getCoordinate(int x, int y){
for (OthelloCoordinate coord : board){
if(coord.getX() == x && coord.getY() == y){
return coord;
}
}
return null;
}
/**
* Returnt het bord
* @return board Het bord
*/
public ArrayList<OthelloCoordinate> getBoard(){
return board;
}
/**
* print het bord in een 2 dimensionale overzichtelijke manier
*/
public void printBoard(){
//System.out.println(board);
for(int x = 0; x < 8; x++) {
String line = "";
for(int y = 0; y < 8; y++) {
OthelloCoordinate coord = getCoordinate(x, y);
if(coord == null) {
line+="#";
} else {
line+=coord.getToken();
}
}
System.out.println(line);
}
}
/**
* Reset het bord, voegt de standaard start steentjes toe
*/
public void reset() {
board.clear();
addCoordinate(3,3,'W');
addCoordinate(4,4,'W');
addCoordinate(3,4,'B');
addCoordinate(4,3,'B');
}
/**
* Geeft alle mogelijke moves voor een bepaalde kleur.
* @param token De kleur die de zet gaat maken
* @return possibleMoves Een lijst met mogelijke moves die de kleur token kan maken
*/
public synchronized ArrayList<Integer> findPossibleMoves(char token){
possibleMoves.clear();
for (OthelloCoordinate coord : board){
searchSurroundingCorners(coord, token);
}
return possibleMoves;
}
/**
* Zoekt door alle plekken om een bepaald punt heen om te kijken of het een mogelijke move is.
* voegt alle mogelijke moves die geen duplicates zijn toe aan possibleMoves.
* @param coord Het coordinaat uit het bord waar we recursief omheen gaan zoeken.
* @param token De kleur die de zet gaat maken.
*/
private void searchSurroundingCorners(OthelloCoordinate coord, char token) {
int x = coord.getX();
int y = coord.getY();
OthelloCoordinate newCoord;
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
newCoord = new OthelloCoordinate(x+i,y+j);
if(hasCoord(newCoord)){
newCoord.setToken(getCoordinate(x+i,y+j).getToken());
}
if(isValid(newCoord, token) && !(possibleMoves.contains(newCoord.getIndex()))){
possibleMoves.add(newCoord.getIndex());
}
}
}
}
}
/**
* Geeft aan of een bepaalde move een een toegestane move is. Hiervoor moet het
* coordinaat binnen het bord zitten, nog niet gevuld zijn en een mogelijk pad hebben.
* @param coord Het coordinaat waarvan we kijken of hij toegestaan is
* @param token De kleur die de zet gaat maken.
* @return boolean true als de move toegestaan is, false als de move niet toegestaan is.
*/
public boolean isValid(OthelloCoordinate coord, char token) {
if(!isInBoard(coord)){
return false;
}
if(hasCoord(coord)){
return false;
}
return hasPossiblePath(coord, token);
}
/**
* Kijkt voor een bepaald coordinaat of er een legaal pad is naar andere steentjes.
* @param coord Het coordinaat waarvan we kijken of hij een pad heeft
* @param token De kleur die de zet gaat maken.
* @return boolean true als er minstens ��n pad gevonden is, false als er geen pad te vinden is.
*/
private boolean hasPossiblePath(OthelloCoordinate coord, char token) {
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
if(checkDirection(i,j,coord, 0, token) != -1){
return true;
}
}
}
}
return false;
}
/**
* Kijkt voor een bepaald coordinaat in een bepaalde richting of een pad te vinden is
* @param i De x richting waarheen we gaan zoeken.
* @param j De y richting waarheen we gaan zoeken.
* @param coord Het coordinaat die we nu bekijken
* @param depth De diepte van de recursie. Dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* @param token De kleur die de zet gaat maken.
* @return depth de diepte van de recursie, dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* Dit is nuttig om een path te flippen op het bord. Het geeft dus tegelijkertijd aan of de directie toegestaan is en hoe ver het pad uiteindelijk is.
*/
private int checkDirection(int i, int j, OthelloCoordinate coord, int depth, char token) {
OthelloCoordinate newCoord = getCoordinate(coord.getX()+i,coord.getY()+j);
if(newCoord == null){
return -1;
}
if(newCoord.getToken() == token && depth == 0){
return -1;
}
if(newCoord.getToken() == token && depth > 0){
return depth;
}
return checkDirection(i, j, newCoord, depth+1, token);
}
/**
* Kijkt of een bepaald coordinaat in het bord gevuld is.
* @param coordIn Het coordinaat.
* @return boolean true als het coordinaat gevuld is, false als het coordinaat niet gevuld is.
*/
private boolean hasCoord(OthelloCoordinate coordIn) {
return getCoordinate(coordIn.getX(),coordIn.getY()) != null;
}
/**
* Kijkt of een<SUF>*/
private boolean isInBoard(OthelloCoordinate coord){
int x = coord.getX();
int y = coord.getY();
return ((x>=0 && x < 8) && (y>=0 && y < 8));
}
/**
* Krijgt een move en kleur als input, en gaat dan alle mogelijke paden flippen.
* Dit is het verwerken van een move in het bord.
* @param input De move die verwerkt moet worden
* @param token De kleur van de move die gezet wordt
*/
public void flipPaths(int input, char token) {
int depth;
OthelloCoordinate coord = new OthelloCoordinate(input);
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
depth = getCorrectPathDepth(i,j,coord,token);
if(depth > 0){
flipFoundPath(coord, i,j,depth,token);
}
}
}
}
}
/**
* Er is een pad gevonden en die wordt hier geflipt.
* @param coord het coordinaat die nu geflipt wordt
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param depth de diepte van de recursie van getCorrectPathDepth. Dit is de lengte van het pad
* @param token De kleur van de move die gezet wordt
*/
private void flipFoundPath(OthelloCoordinate coord, int i, int j, int depth, char token) {
OthelloCoordinate newCoord = coord;
for(int n=0; n<=depth;n++){
addCoordinate(newCoord.getIndex(), token);
newCoord = new OthelloCoordinate(newCoord.getX()+i,newCoord.getY()+j);
newCoord.setToken(token);
}
}
/**
* Maakt gebruik van checkdirection om de lengte van het pad te vinden.
* De depth die daar gereturnt wordt geeft aan dat het pad toegestaan is als hij groter dan 0 is.
* Ook geeft het de lengte van het pad aan.
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param coord het coordinaat van de move die gezet wordt
* @param token De kleur van de move die gezet wordt
* @return depth de diepte van het pad (en dus de lengte)
*/
private int getCorrectPathDepth(int i, int j, OthelloCoordinate coord, char token) {
return checkDirection(i,j,coord,0, token);
}
}
|
211664_14 | package model;
import java.util.ArrayList;
public class OthelloBoard implements Cloneable{
ArrayList<OthelloCoordinate> board = new ArrayList<OthelloCoordinate>();
private ArrayList<Integer> possibleMoves = new ArrayList<Integer>();
char ownToken;
public OthelloBoard(char c){
ownToken = c;
reset();
}
OthelloBoard(ArrayList<OthelloCoordinate> board, ArrayList<Integer> possibleMoves, char ownToken) {
this.board = board;
this.possibleMoves = possibleMoves;
this.ownToken = ownToken;
}
@Override
public Object clone() throws CloneNotSupportedException {
ArrayList<OthelloCoordinate> boardclone = new ArrayList<>();
ArrayList<Integer> possibleMovesClone = (ArrayList<Integer>) possibleMoves.clone();
for (OthelloCoordinate coord: board) {
boardclone.add((OthelloCoordinate) coord.clone());
}
return new OthelloBoard(boardclone, possibleMovesClone, ownToken);
}
/**
* Gets the current count of tiles on the board of a specific token
* @param token to count the score of
* @return amount of disks on the board.
*/
public int getCurrentScore(char token){
int count = 0;
for (OthelloCoordinate coord : board) {
if (coord.getToken() == token) {
count++;
}
}
return count;
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met x en y coordinaten
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int x, int y, char c){
if(x >= 0 && x < 8 && y >= 0 && y < 8){ OthelloCoordinate coord = new OthelloCoordinate(x,y);
coord.setToken(c);
if(!board.contains(coord)){
board.add(coord);
} else {
OthelloCoordinate coord2 = getCoordinate(x, y);
coord2.setToken(c);
}
}
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met index
* @param index Index van het coordinaat (0-63)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int index, char c){
if(index >= 0 && index <64){
OthelloCoordinate coord = new OthelloCoordinate(index);
coord.setToken(c);
if(!hasCoord(coord)){
board.add(coord);
}else {
OthelloCoordinate coord2 = getCoordinate(index % 8, index / 8);
coord2.setToken(c);
}
}
}
/**
* Returnt een coordinaat op een bepaald punt in het bord.
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @return coord het coordinaat (return null als hij niet in het bord zit)
*/
public OthelloCoordinate getCoordinate(int x, int y){
for (OthelloCoordinate coord : board){
if(coord.getX() == x && coord.getY() == y){
return coord;
}
}
return null;
}
/**
* Returnt het bord
* @return board Het bord
*/
public ArrayList<OthelloCoordinate> getBoard(){
return board;
}
/**
* print het bord in een 2 dimensionale overzichtelijke manier
*/
public void printBoard(){
//System.out.println(board);
for(int x = 0; x < 8; x++) {
String line = "";
for(int y = 0; y < 8; y++) {
OthelloCoordinate coord = getCoordinate(x, y);
if(coord == null) {
line+="#";
} else {
line+=coord.getToken();
}
}
System.out.println(line);
}
}
/**
* Reset het bord, voegt de standaard start steentjes toe
*/
public void reset() {
board.clear();
addCoordinate(3,3,'W');
addCoordinate(4,4,'W');
addCoordinate(3,4,'B');
addCoordinate(4,3,'B');
}
/**
* Geeft alle mogelijke moves voor een bepaalde kleur.
* @param token De kleur die de zet gaat maken
* @return possibleMoves Een lijst met mogelijke moves die de kleur token kan maken
*/
public synchronized ArrayList<Integer> findPossibleMoves(char token){
possibleMoves.clear();
for (OthelloCoordinate coord : board){
searchSurroundingCorners(coord, token);
}
return possibleMoves;
}
/**
* Zoekt door alle plekken om een bepaald punt heen om te kijken of het een mogelijke move is.
* voegt alle mogelijke moves die geen duplicates zijn toe aan possibleMoves.
* @param coord Het coordinaat uit het bord waar we recursief omheen gaan zoeken.
* @param token De kleur die de zet gaat maken.
*/
private void searchSurroundingCorners(OthelloCoordinate coord, char token) {
int x = coord.getX();
int y = coord.getY();
OthelloCoordinate newCoord;
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
newCoord = new OthelloCoordinate(x+i,y+j);
if(hasCoord(newCoord)){
newCoord.setToken(getCoordinate(x+i,y+j).getToken());
}
if(isValid(newCoord, token) && !(possibleMoves.contains(newCoord.getIndex()))){
possibleMoves.add(newCoord.getIndex());
}
}
}
}
}
/**
* Geeft aan of een bepaalde move een een toegestane move is. Hiervoor moet het
* coordinaat binnen het bord zitten, nog niet gevuld zijn en een mogelijk pad hebben.
* @param coord Het coordinaat waarvan we kijken of hij toegestaan is
* @param token De kleur die de zet gaat maken.
* @return boolean true als de move toegestaan is, false als de move niet toegestaan is.
*/
public boolean isValid(OthelloCoordinate coord, char token) {
if(!isInBoard(coord)){
return false;
}
if(hasCoord(coord)){
return false;
}
return hasPossiblePath(coord, token);
}
/**
* Kijkt voor een bepaald coordinaat of er een legaal pad is naar andere steentjes.
* @param coord Het coordinaat waarvan we kijken of hij een pad heeft
* @param token De kleur die de zet gaat maken.
* @return boolean true als er minstens ��n pad gevonden is, false als er geen pad te vinden is.
*/
private boolean hasPossiblePath(OthelloCoordinate coord, char token) {
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
if(checkDirection(i,j,coord, 0, token) != -1){
return true;
}
}
}
}
return false;
}
/**
* Kijkt voor een bepaald coordinaat in een bepaalde richting of een pad te vinden is
* @param i De x richting waarheen we gaan zoeken.
* @param j De y richting waarheen we gaan zoeken.
* @param coord Het coordinaat die we nu bekijken
* @param depth De diepte van de recursie. Dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* @param token De kleur die de zet gaat maken.
* @return depth de diepte van de recursie, dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* Dit is nuttig om een path te flippen op het bord. Het geeft dus tegelijkertijd aan of de directie toegestaan is en hoe ver het pad uiteindelijk is.
*/
private int checkDirection(int i, int j, OthelloCoordinate coord, int depth, char token) {
OthelloCoordinate newCoord = getCoordinate(coord.getX()+i,coord.getY()+j);
if(newCoord == null){
return -1;
}
if(newCoord.getToken() == token && depth == 0){
return -1;
}
if(newCoord.getToken() == token && depth > 0){
return depth;
}
return checkDirection(i, j, newCoord, depth+1, token);
}
/**
* Kijkt of een bepaald coordinaat in het bord gevuld is.
* @param coordIn Het coordinaat.
* @return boolean true als het coordinaat gevuld is, false als het coordinaat niet gevuld is.
*/
private boolean hasCoord(OthelloCoordinate coordIn) {
return getCoordinate(coordIn.getX(),coordIn.getY()) != null;
}
/**
* Kijkt of een bepaald coordinaat binnen het bord zit.
* @param coord Het coordinaat.
* @return boolean true als het coordinaat binnen het bord zit, fals als het niet binnen het bord zit.
*/
private boolean isInBoard(OthelloCoordinate coord){
int x = coord.getX();
int y = coord.getY();
return ((x>=0 && x < 8) && (y>=0 && y < 8));
}
/**
* Krijgt een move en kleur als input, en gaat dan alle mogelijke paden flippen.
* Dit is het verwerken van een move in het bord.
* @param input De move die verwerkt moet worden
* @param token De kleur van de move die gezet wordt
*/
public void flipPaths(int input, char token) {
int depth;
OthelloCoordinate coord = new OthelloCoordinate(input);
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
depth = getCorrectPathDepth(i,j,coord,token);
if(depth > 0){
flipFoundPath(coord, i,j,depth,token);
}
}
}
}
}
/**
* Er is een pad gevonden en die wordt hier geflipt.
* @param coord het coordinaat die nu geflipt wordt
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param depth de diepte van de recursie van getCorrectPathDepth. Dit is de lengte van het pad
* @param token De kleur van de move die gezet wordt
*/
private void flipFoundPath(OthelloCoordinate coord, int i, int j, int depth, char token) {
OthelloCoordinate newCoord = coord;
for(int n=0; n<=depth;n++){
addCoordinate(newCoord.getIndex(), token);
newCoord = new OthelloCoordinate(newCoord.getX()+i,newCoord.getY()+j);
newCoord.setToken(token);
}
}
/**
* Maakt gebruik van checkdirection om de lengte van het pad te vinden.
* De depth die daar gereturnt wordt geeft aan dat het pad toegestaan is als hij groter dan 0 is.
* Ook geeft het de lengte van het pad aan.
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param coord het coordinaat van de move die gezet wordt
* @param token De kleur van de move die gezet wordt
* @return depth de diepte van het pad (en dus de lengte)
*/
private int getCorrectPathDepth(int i, int j, OthelloCoordinate coord, char token) {
return checkDirection(i,j,coord,0, token);
}
}
| HanzehogeschoolSICT/Project-Othello | src/model/OthelloBoard.java | 3,143 | /**
* Krijgt een move en kleur als input, en gaat dan alle mogelijke paden flippen.
* Dit is het verwerken van een move in het bord.
* @param input De move die verwerkt moet worden
* @param token De kleur van de move die gezet wordt
*/ | block_comment | nl | package model;
import java.util.ArrayList;
public class OthelloBoard implements Cloneable{
ArrayList<OthelloCoordinate> board = new ArrayList<OthelloCoordinate>();
private ArrayList<Integer> possibleMoves = new ArrayList<Integer>();
char ownToken;
public OthelloBoard(char c){
ownToken = c;
reset();
}
OthelloBoard(ArrayList<OthelloCoordinate> board, ArrayList<Integer> possibleMoves, char ownToken) {
this.board = board;
this.possibleMoves = possibleMoves;
this.ownToken = ownToken;
}
@Override
public Object clone() throws CloneNotSupportedException {
ArrayList<OthelloCoordinate> boardclone = new ArrayList<>();
ArrayList<Integer> possibleMovesClone = (ArrayList<Integer>) possibleMoves.clone();
for (OthelloCoordinate coord: board) {
boardclone.add((OthelloCoordinate) coord.clone());
}
return new OthelloBoard(boardclone, possibleMovesClone, ownToken);
}
/**
* Gets the current count of tiles on the board of a specific token
* @param token to count the score of
* @return amount of disks on the board.
*/
public int getCurrentScore(char token){
int count = 0;
for (OthelloCoordinate coord : board) {
if (coord.getToken() == token) {
count++;
}
}
return count;
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met x en y coordinaten
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int x, int y, char c){
if(x >= 0 && x < 8 && y >= 0 && y < 8){ OthelloCoordinate coord = new OthelloCoordinate(x,y);
coord.setToken(c);
if(!board.contains(coord)){
board.add(coord);
} else {
OthelloCoordinate coord2 = getCoordinate(x, y);
coord2.setToken(c);
}
}
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met index
* @param index Index van het coordinaat (0-63)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int index, char c){
if(index >= 0 && index <64){
OthelloCoordinate coord = new OthelloCoordinate(index);
coord.setToken(c);
if(!hasCoord(coord)){
board.add(coord);
}else {
OthelloCoordinate coord2 = getCoordinate(index % 8, index / 8);
coord2.setToken(c);
}
}
}
/**
* Returnt een coordinaat op een bepaald punt in het bord.
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @return coord het coordinaat (return null als hij niet in het bord zit)
*/
public OthelloCoordinate getCoordinate(int x, int y){
for (OthelloCoordinate coord : board){
if(coord.getX() == x && coord.getY() == y){
return coord;
}
}
return null;
}
/**
* Returnt het bord
* @return board Het bord
*/
public ArrayList<OthelloCoordinate> getBoard(){
return board;
}
/**
* print het bord in een 2 dimensionale overzichtelijke manier
*/
public void printBoard(){
//System.out.println(board);
for(int x = 0; x < 8; x++) {
String line = "";
for(int y = 0; y < 8; y++) {
OthelloCoordinate coord = getCoordinate(x, y);
if(coord == null) {
line+="#";
} else {
line+=coord.getToken();
}
}
System.out.println(line);
}
}
/**
* Reset het bord, voegt de standaard start steentjes toe
*/
public void reset() {
board.clear();
addCoordinate(3,3,'W');
addCoordinate(4,4,'W');
addCoordinate(3,4,'B');
addCoordinate(4,3,'B');
}
/**
* Geeft alle mogelijke moves voor een bepaalde kleur.
* @param token De kleur die de zet gaat maken
* @return possibleMoves Een lijst met mogelijke moves die de kleur token kan maken
*/
public synchronized ArrayList<Integer> findPossibleMoves(char token){
possibleMoves.clear();
for (OthelloCoordinate coord : board){
searchSurroundingCorners(coord, token);
}
return possibleMoves;
}
/**
* Zoekt door alle plekken om een bepaald punt heen om te kijken of het een mogelijke move is.
* voegt alle mogelijke moves die geen duplicates zijn toe aan possibleMoves.
* @param coord Het coordinaat uit het bord waar we recursief omheen gaan zoeken.
* @param token De kleur die de zet gaat maken.
*/
private void searchSurroundingCorners(OthelloCoordinate coord, char token) {
int x = coord.getX();
int y = coord.getY();
OthelloCoordinate newCoord;
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
newCoord = new OthelloCoordinate(x+i,y+j);
if(hasCoord(newCoord)){
newCoord.setToken(getCoordinate(x+i,y+j).getToken());
}
if(isValid(newCoord, token) && !(possibleMoves.contains(newCoord.getIndex()))){
possibleMoves.add(newCoord.getIndex());
}
}
}
}
}
/**
* Geeft aan of een bepaalde move een een toegestane move is. Hiervoor moet het
* coordinaat binnen het bord zitten, nog niet gevuld zijn en een mogelijk pad hebben.
* @param coord Het coordinaat waarvan we kijken of hij toegestaan is
* @param token De kleur die de zet gaat maken.
* @return boolean true als de move toegestaan is, false als de move niet toegestaan is.
*/
public boolean isValid(OthelloCoordinate coord, char token) {
if(!isInBoard(coord)){
return false;
}
if(hasCoord(coord)){
return false;
}
return hasPossiblePath(coord, token);
}
/**
* Kijkt voor een bepaald coordinaat of er een legaal pad is naar andere steentjes.
* @param coord Het coordinaat waarvan we kijken of hij een pad heeft
* @param token De kleur die de zet gaat maken.
* @return boolean true als er minstens ��n pad gevonden is, false als er geen pad te vinden is.
*/
private boolean hasPossiblePath(OthelloCoordinate coord, char token) {
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
if(checkDirection(i,j,coord, 0, token) != -1){
return true;
}
}
}
}
return false;
}
/**
* Kijkt voor een bepaald coordinaat in een bepaalde richting of een pad te vinden is
* @param i De x richting waarheen we gaan zoeken.
* @param j De y richting waarheen we gaan zoeken.
* @param coord Het coordinaat die we nu bekijken
* @param depth De diepte van de recursie. Dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* @param token De kleur die de zet gaat maken.
* @return depth de diepte van de recursie, dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* Dit is nuttig om een path te flippen op het bord. Het geeft dus tegelijkertijd aan of de directie toegestaan is en hoe ver het pad uiteindelijk is.
*/
private int checkDirection(int i, int j, OthelloCoordinate coord, int depth, char token) {
OthelloCoordinate newCoord = getCoordinate(coord.getX()+i,coord.getY()+j);
if(newCoord == null){
return -1;
}
if(newCoord.getToken() == token && depth == 0){
return -1;
}
if(newCoord.getToken() == token && depth > 0){
return depth;
}
return checkDirection(i, j, newCoord, depth+1, token);
}
/**
* Kijkt of een bepaald coordinaat in het bord gevuld is.
* @param coordIn Het coordinaat.
* @return boolean true als het coordinaat gevuld is, false als het coordinaat niet gevuld is.
*/
private boolean hasCoord(OthelloCoordinate coordIn) {
return getCoordinate(coordIn.getX(),coordIn.getY()) != null;
}
/**
* Kijkt of een bepaald coordinaat binnen het bord zit.
* @param coord Het coordinaat.
* @return boolean true als het coordinaat binnen het bord zit, fals als het niet binnen het bord zit.
*/
private boolean isInBoard(OthelloCoordinate coord){
int x = coord.getX();
int y = coord.getY();
return ((x>=0 && x < 8) && (y>=0 && y < 8));
}
/**
* Krijgt een move<SUF>*/
public void flipPaths(int input, char token) {
int depth;
OthelloCoordinate coord = new OthelloCoordinate(input);
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
depth = getCorrectPathDepth(i,j,coord,token);
if(depth > 0){
flipFoundPath(coord, i,j,depth,token);
}
}
}
}
}
/**
* Er is een pad gevonden en die wordt hier geflipt.
* @param coord het coordinaat die nu geflipt wordt
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param depth de diepte van de recursie van getCorrectPathDepth. Dit is de lengte van het pad
* @param token De kleur van de move die gezet wordt
*/
private void flipFoundPath(OthelloCoordinate coord, int i, int j, int depth, char token) {
OthelloCoordinate newCoord = coord;
for(int n=0; n<=depth;n++){
addCoordinate(newCoord.getIndex(), token);
newCoord = new OthelloCoordinate(newCoord.getX()+i,newCoord.getY()+j);
newCoord.setToken(token);
}
}
/**
* Maakt gebruik van checkdirection om de lengte van het pad te vinden.
* De depth die daar gereturnt wordt geeft aan dat het pad toegestaan is als hij groter dan 0 is.
* Ook geeft het de lengte van het pad aan.
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param coord het coordinaat van de move die gezet wordt
* @param token De kleur van de move die gezet wordt
* @return depth de diepte van het pad (en dus de lengte)
*/
private int getCorrectPathDepth(int i, int j, OthelloCoordinate coord, char token) {
return checkDirection(i,j,coord,0, token);
}
}
|
211664_15 | package model;
import java.util.ArrayList;
public class OthelloBoard implements Cloneable{
ArrayList<OthelloCoordinate> board = new ArrayList<OthelloCoordinate>();
private ArrayList<Integer> possibleMoves = new ArrayList<Integer>();
char ownToken;
public OthelloBoard(char c){
ownToken = c;
reset();
}
OthelloBoard(ArrayList<OthelloCoordinate> board, ArrayList<Integer> possibleMoves, char ownToken) {
this.board = board;
this.possibleMoves = possibleMoves;
this.ownToken = ownToken;
}
@Override
public Object clone() throws CloneNotSupportedException {
ArrayList<OthelloCoordinate> boardclone = new ArrayList<>();
ArrayList<Integer> possibleMovesClone = (ArrayList<Integer>) possibleMoves.clone();
for (OthelloCoordinate coord: board) {
boardclone.add((OthelloCoordinate) coord.clone());
}
return new OthelloBoard(boardclone, possibleMovesClone, ownToken);
}
/**
* Gets the current count of tiles on the board of a specific token
* @param token to count the score of
* @return amount of disks on the board.
*/
public int getCurrentScore(char token){
int count = 0;
for (OthelloCoordinate coord : board) {
if (coord.getToken() == token) {
count++;
}
}
return count;
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met x en y coordinaten
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int x, int y, char c){
if(x >= 0 && x < 8 && y >= 0 && y < 8){ OthelloCoordinate coord = new OthelloCoordinate(x,y);
coord.setToken(c);
if(!board.contains(coord)){
board.add(coord);
} else {
OthelloCoordinate coord2 = getCoordinate(x, y);
coord2.setToken(c);
}
}
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met index
* @param index Index van het coordinaat (0-63)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int index, char c){
if(index >= 0 && index <64){
OthelloCoordinate coord = new OthelloCoordinate(index);
coord.setToken(c);
if(!hasCoord(coord)){
board.add(coord);
}else {
OthelloCoordinate coord2 = getCoordinate(index % 8, index / 8);
coord2.setToken(c);
}
}
}
/**
* Returnt een coordinaat op een bepaald punt in het bord.
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @return coord het coordinaat (return null als hij niet in het bord zit)
*/
public OthelloCoordinate getCoordinate(int x, int y){
for (OthelloCoordinate coord : board){
if(coord.getX() == x && coord.getY() == y){
return coord;
}
}
return null;
}
/**
* Returnt het bord
* @return board Het bord
*/
public ArrayList<OthelloCoordinate> getBoard(){
return board;
}
/**
* print het bord in een 2 dimensionale overzichtelijke manier
*/
public void printBoard(){
//System.out.println(board);
for(int x = 0; x < 8; x++) {
String line = "";
for(int y = 0; y < 8; y++) {
OthelloCoordinate coord = getCoordinate(x, y);
if(coord == null) {
line+="#";
} else {
line+=coord.getToken();
}
}
System.out.println(line);
}
}
/**
* Reset het bord, voegt de standaard start steentjes toe
*/
public void reset() {
board.clear();
addCoordinate(3,3,'W');
addCoordinate(4,4,'W');
addCoordinate(3,4,'B');
addCoordinate(4,3,'B');
}
/**
* Geeft alle mogelijke moves voor een bepaalde kleur.
* @param token De kleur die de zet gaat maken
* @return possibleMoves Een lijst met mogelijke moves die de kleur token kan maken
*/
public synchronized ArrayList<Integer> findPossibleMoves(char token){
possibleMoves.clear();
for (OthelloCoordinate coord : board){
searchSurroundingCorners(coord, token);
}
return possibleMoves;
}
/**
* Zoekt door alle plekken om een bepaald punt heen om te kijken of het een mogelijke move is.
* voegt alle mogelijke moves die geen duplicates zijn toe aan possibleMoves.
* @param coord Het coordinaat uit het bord waar we recursief omheen gaan zoeken.
* @param token De kleur die de zet gaat maken.
*/
private void searchSurroundingCorners(OthelloCoordinate coord, char token) {
int x = coord.getX();
int y = coord.getY();
OthelloCoordinate newCoord;
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
newCoord = new OthelloCoordinate(x+i,y+j);
if(hasCoord(newCoord)){
newCoord.setToken(getCoordinate(x+i,y+j).getToken());
}
if(isValid(newCoord, token) && !(possibleMoves.contains(newCoord.getIndex()))){
possibleMoves.add(newCoord.getIndex());
}
}
}
}
}
/**
* Geeft aan of een bepaalde move een een toegestane move is. Hiervoor moet het
* coordinaat binnen het bord zitten, nog niet gevuld zijn en een mogelijk pad hebben.
* @param coord Het coordinaat waarvan we kijken of hij toegestaan is
* @param token De kleur die de zet gaat maken.
* @return boolean true als de move toegestaan is, false als de move niet toegestaan is.
*/
public boolean isValid(OthelloCoordinate coord, char token) {
if(!isInBoard(coord)){
return false;
}
if(hasCoord(coord)){
return false;
}
return hasPossiblePath(coord, token);
}
/**
* Kijkt voor een bepaald coordinaat of er een legaal pad is naar andere steentjes.
* @param coord Het coordinaat waarvan we kijken of hij een pad heeft
* @param token De kleur die de zet gaat maken.
* @return boolean true als er minstens ��n pad gevonden is, false als er geen pad te vinden is.
*/
private boolean hasPossiblePath(OthelloCoordinate coord, char token) {
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
if(checkDirection(i,j,coord, 0, token) != -1){
return true;
}
}
}
}
return false;
}
/**
* Kijkt voor een bepaald coordinaat in een bepaalde richting of een pad te vinden is
* @param i De x richting waarheen we gaan zoeken.
* @param j De y richting waarheen we gaan zoeken.
* @param coord Het coordinaat die we nu bekijken
* @param depth De diepte van de recursie. Dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* @param token De kleur die de zet gaat maken.
* @return depth de diepte van de recursie, dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* Dit is nuttig om een path te flippen op het bord. Het geeft dus tegelijkertijd aan of de directie toegestaan is en hoe ver het pad uiteindelijk is.
*/
private int checkDirection(int i, int j, OthelloCoordinate coord, int depth, char token) {
OthelloCoordinate newCoord = getCoordinate(coord.getX()+i,coord.getY()+j);
if(newCoord == null){
return -1;
}
if(newCoord.getToken() == token && depth == 0){
return -1;
}
if(newCoord.getToken() == token && depth > 0){
return depth;
}
return checkDirection(i, j, newCoord, depth+1, token);
}
/**
* Kijkt of een bepaald coordinaat in het bord gevuld is.
* @param coordIn Het coordinaat.
* @return boolean true als het coordinaat gevuld is, false als het coordinaat niet gevuld is.
*/
private boolean hasCoord(OthelloCoordinate coordIn) {
return getCoordinate(coordIn.getX(),coordIn.getY()) != null;
}
/**
* Kijkt of een bepaald coordinaat binnen het bord zit.
* @param coord Het coordinaat.
* @return boolean true als het coordinaat binnen het bord zit, fals als het niet binnen het bord zit.
*/
private boolean isInBoard(OthelloCoordinate coord){
int x = coord.getX();
int y = coord.getY();
return ((x>=0 && x < 8) && (y>=0 && y < 8));
}
/**
* Krijgt een move en kleur als input, en gaat dan alle mogelijke paden flippen.
* Dit is het verwerken van een move in het bord.
* @param input De move die verwerkt moet worden
* @param token De kleur van de move die gezet wordt
*/
public void flipPaths(int input, char token) {
int depth;
OthelloCoordinate coord = new OthelloCoordinate(input);
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
depth = getCorrectPathDepth(i,j,coord,token);
if(depth > 0){
flipFoundPath(coord, i,j,depth,token);
}
}
}
}
}
/**
* Er is een pad gevonden en die wordt hier geflipt.
* @param coord het coordinaat die nu geflipt wordt
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param depth de diepte van de recursie van getCorrectPathDepth. Dit is de lengte van het pad
* @param token De kleur van de move die gezet wordt
*/
private void flipFoundPath(OthelloCoordinate coord, int i, int j, int depth, char token) {
OthelloCoordinate newCoord = coord;
for(int n=0; n<=depth;n++){
addCoordinate(newCoord.getIndex(), token);
newCoord = new OthelloCoordinate(newCoord.getX()+i,newCoord.getY()+j);
newCoord.setToken(token);
}
}
/**
* Maakt gebruik van checkdirection om de lengte van het pad te vinden.
* De depth die daar gereturnt wordt geeft aan dat het pad toegestaan is als hij groter dan 0 is.
* Ook geeft het de lengte van het pad aan.
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param coord het coordinaat van de move die gezet wordt
* @param token De kleur van de move die gezet wordt
* @return depth de diepte van het pad (en dus de lengte)
*/
private int getCorrectPathDepth(int i, int j, OthelloCoordinate coord, char token) {
return checkDirection(i,j,coord,0, token);
}
}
| HanzehogeschoolSICT/Project-Othello | src/model/OthelloBoard.java | 3,143 | /**
* Er is een pad gevonden en die wordt hier geflipt.
* @param coord het coordinaat die nu geflipt wordt
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param depth de diepte van de recursie van getCorrectPathDepth. Dit is de lengte van het pad
* @param token De kleur van de move die gezet wordt
*/ | block_comment | nl | package model;
import java.util.ArrayList;
public class OthelloBoard implements Cloneable{
ArrayList<OthelloCoordinate> board = new ArrayList<OthelloCoordinate>();
private ArrayList<Integer> possibleMoves = new ArrayList<Integer>();
char ownToken;
public OthelloBoard(char c){
ownToken = c;
reset();
}
OthelloBoard(ArrayList<OthelloCoordinate> board, ArrayList<Integer> possibleMoves, char ownToken) {
this.board = board;
this.possibleMoves = possibleMoves;
this.ownToken = ownToken;
}
@Override
public Object clone() throws CloneNotSupportedException {
ArrayList<OthelloCoordinate> boardclone = new ArrayList<>();
ArrayList<Integer> possibleMovesClone = (ArrayList<Integer>) possibleMoves.clone();
for (OthelloCoordinate coord: board) {
boardclone.add((OthelloCoordinate) coord.clone());
}
return new OthelloBoard(boardclone, possibleMovesClone, ownToken);
}
/**
* Gets the current count of tiles on the board of a specific token
* @param token to count the score of
* @return amount of disks on the board.
*/
public int getCurrentScore(char token){
int count = 0;
for (OthelloCoordinate coord : board) {
if (coord.getToken() == token) {
count++;
}
}
return count;
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met x en y coordinaten
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int x, int y, char c){
if(x >= 0 && x < 8 && y >= 0 && y < 8){ OthelloCoordinate coord = new OthelloCoordinate(x,y);
coord.setToken(c);
if(!board.contains(coord)){
board.add(coord);
} else {
OthelloCoordinate coord2 = getCoordinate(x, y);
coord2.setToken(c);
}
}
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met index
* @param index Index van het coordinaat (0-63)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int index, char c){
if(index >= 0 && index <64){
OthelloCoordinate coord = new OthelloCoordinate(index);
coord.setToken(c);
if(!hasCoord(coord)){
board.add(coord);
}else {
OthelloCoordinate coord2 = getCoordinate(index % 8, index / 8);
coord2.setToken(c);
}
}
}
/**
* Returnt een coordinaat op een bepaald punt in het bord.
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @return coord het coordinaat (return null als hij niet in het bord zit)
*/
public OthelloCoordinate getCoordinate(int x, int y){
for (OthelloCoordinate coord : board){
if(coord.getX() == x && coord.getY() == y){
return coord;
}
}
return null;
}
/**
* Returnt het bord
* @return board Het bord
*/
public ArrayList<OthelloCoordinate> getBoard(){
return board;
}
/**
* print het bord in een 2 dimensionale overzichtelijke manier
*/
public void printBoard(){
//System.out.println(board);
for(int x = 0; x < 8; x++) {
String line = "";
for(int y = 0; y < 8; y++) {
OthelloCoordinate coord = getCoordinate(x, y);
if(coord == null) {
line+="#";
} else {
line+=coord.getToken();
}
}
System.out.println(line);
}
}
/**
* Reset het bord, voegt de standaard start steentjes toe
*/
public void reset() {
board.clear();
addCoordinate(3,3,'W');
addCoordinate(4,4,'W');
addCoordinate(3,4,'B');
addCoordinate(4,3,'B');
}
/**
* Geeft alle mogelijke moves voor een bepaalde kleur.
* @param token De kleur die de zet gaat maken
* @return possibleMoves Een lijst met mogelijke moves die de kleur token kan maken
*/
public synchronized ArrayList<Integer> findPossibleMoves(char token){
possibleMoves.clear();
for (OthelloCoordinate coord : board){
searchSurroundingCorners(coord, token);
}
return possibleMoves;
}
/**
* Zoekt door alle plekken om een bepaald punt heen om te kijken of het een mogelijke move is.
* voegt alle mogelijke moves die geen duplicates zijn toe aan possibleMoves.
* @param coord Het coordinaat uit het bord waar we recursief omheen gaan zoeken.
* @param token De kleur die de zet gaat maken.
*/
private void searchSurroundingCorners(OthelloCoordinate coord, char token) {
int x = coord.getX();
int y = coord.getY();
OthelloCoordinate newCoord;
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
newCoord = new OthelloCoordinate(x+i,y+j);
if(hasCoord(newCoord)){
newCoord.setToken(getCoordinate(x+i,y+j).getToken());
}
if(isValid(newCoord, token) && !(possibleMoves.contains(newCoord.getIndex()))){
possibleMoves.add(newCoord.getIndex());
}
}
}
}
}
/**
* Geeft aan of een bepaalde move een een toegestane move is. Hiervoor moet het
* coordinaat binnen het bord zitten, nog niet gevuld zijn en een mogelijk pad hebben.
* @param coord Het coordinaat waarvan we kijken of hij toegestaan is
* @param token De kleur die de zet gaat maken.
* @return boolean true als de move toegestaan is, false als de move niet toegestaan is.
*/
public boolean isValid(OthelloCoordinate coord, char token) {
if(!isInBoard(coord)){
return false;
}
if(hasCoord(coord)){
return false;
}
return hasPossiblePath(coord, token);
}
/**
* Kijkt voor een bepaald coordinaat of er een legaal pad is naar andere steentjes.
* @param coord Het coordinaat waarvan we kijken of hij een pad heeft
* @param token De kleur die de zet gaat maken.
* @return boolean true als er minstens ��n pad gevonden is, false als er geen pad te vinden is.
*/
private boolean hasPossiblePath(OthelloCoordinate coord, char token) {
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
if(checkDirection(i,j,coord, 0, token) != -1){
return true;
}
}
}
}
return false;
}
/**
* Kijkt voor een bepaald coordinaat in een bepaalde richting of een pad te vinden is
* @param i De x richting waarheen we gaan zoeken.
* @param j De y richting waarheen we gaan zoeken.
* @param coord Het coordinaat die we nu bekijken
* @param depth De diepte van de recursie. Dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* @param token De kleur die de zet gaat maken.
* @return depth de diepte van de recursie, dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* Dit is nuttig om een path te flippen op het bord. Het geeft dus tegelijkertijd aan of de directie toegestaan is en hoe ver het pad uiteindelijk is.
*/
private int checkDirection(int i, int j, OthelloCoordinate coord, int depth, char token) {
OthelloCoordinate newCoord = getCoordinate(coord.getX()+i,coord.getY()+j);
if(newCoord == null){
return -1;
}
if(newCoord.getToken() == token && depth == 0){
return -1;
}
if(newCoord.getToken() == token && depth > 0){
return depth;
}
return checkDirection(i, j, newCoord, depth+1, token);
}
/**
* Kijkt of een bepaald coordinaat in het bord gevuld is.
* @param coordIn Het coordinaat.
* @return boolean true als het coordinaat gevuld is, false als het coordinaat niet gevuld is.
*/
private boolean hasCoord(OthelloCoordinate coordIn) {
return getCoordinate(coordIn.getX(),coordIn.getY()) != null;
}
/**
* Kijkt of een bepaald coordinaat binnen het bord zit.
* @param coord Het coordinaat.
* @return boolean true als het coordinaat binnen het bord zit, fals als het niet binnen het bord zit.
*/
private boolean isInBoard(OthelloCoordinate coord){
int x = coord.getX();
int y = coord.getY();
return ((x>=0 && x < 8) && (y>=0 && y < 8));
}
/**
* Krijgt een move en kleur als input, en gaat dan alle mogelijke paden flippen.
* Dit is het verwerken van een move in het bord.
* @param input De move die verwerkt moet worden
* @param token De kleur van de move die gezet wordt
*/
public void flipPaths(int input, char token) {
int depth;
OthelloCoordinate coord = new OthelloCoordinate(input);
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
depth = getCorrectPathDepth(i,j,coord,token);
if(depth > 0){
flipFoundPath(coord, i,j,depth,token);
}
}
}
}
}
/**
* Er is een<SUF>*/
private void flipFoundPath(OthelloCoordinate coord, int i, int j, int depth, char token) {
OthelloCoordinate newCoord = coord;
for(int n=0; n<=depth;n++){
addCoordinate(newCoord.getIndex(), token);
newCoord = new OthelloCoordinate(newCoord.getX()+i,newCoord.getY()+j);
newCoord.setToken(token);
}
}
/**
* Maakt gebruik van checkdirection om de lengte van het pad te vinden.
* De depth die daar gereturnt wordt geeft aan dat het pad toegestaan is als hij groter dan 0 is.
* Ook geeft het de lengte van het pad aan.
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param coord het coordinaat van de move die gezet wordt
* @param token De kleur van de move die gezet wordt
* @return depth de diepte van het pad (en dus de lengte)
*/
private int getCorrectPathDepth(int i, int j, OthelloCoordinate coord, char token) {
return checkDirection(i,j,coord,0, token);
}
}
|
211664_16 | package model;
import java.util.ArrayList;
public class OthelloBoard implements Cloneable{
ArrayList<OthelloCoordinate> board = new ArrayList<OthelloCoordinate>();
private ArrayList<Integer> possibleMoves = new ArrayList<Integer>();
char ownToken;
public OthelloBoard(char c){
ownToken = c;
reset();
}
OthelloBoard(ArrayList<OthelloCoordinate> board, ArrayList<Integer> possibleMoves, char ownToken) {
this.board = board;
this.possibleMoves = possibleMoves;
this.ownToken = ownToken;
}
@Override
public Object clone() throws CloneNotSupportedException {
ArrayList<OthelloCoordinate> boardclone = new ArrayList<>();
ArrayList<Integer> possibleMovesClone = (ArrayList<Integer>) possibleMoves.clone();
for (OthelloCoordinate coord: board) {
boardclone.add((OthelloCoordinate) coord.clone());
}
return new OthelloBoard(boardclone, possibleMovesClone, ownToken);
}
/**
* Gets the current count of tiles on the board of a specific token
* @param token to count the score of
* @return amount of disks on the board.
*/
public int getCurrentScore(char token){
int count = 0;
for (OthelloCoordinate coord : board) {
if (coord.getToken() == token) {
count++;
}
}
return count;
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met x en y coordinaten
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int x, int y, char c){
if(x >= 0 && x < 8 && y >= 0 && y < 8){ OthelloCoordinate coord = new OthelloCoordinate(x,y);
coord.setToken(c);
if(!board.contains(coord)){
board.add(coord);
} else {
OthelloCoordinate coord2 = getCoordinate(x, y);
coord2.setToken(c);
}
}
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met index
* @param index Index van het coordinaat (0-63)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int index, char c){
if(index >= 0 && index <64){
OthelloCoordinate coord = new OthelloCoordinate(index);
coord.setToken(c);
if(!hasCoord(coord)){
board.add(coord);
}else {
OthelloCoordinate coord2 = getCoordinate(index % 8, index / 8);
coord2.setToken(c);
}
}
}
/**
* Returnt een coordinaat op een bepaald punt in het bord.
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @return coord het coordinaat (return null als hij niet in het bord zit)
*/
public OthelloCoordinate getCoordinate(int x, int y){
for (OthelloCoordinate coord : board){
if(coord.getX() == x && coord.getY() == y){
return coord;
}
}
return null;
}
/**
* Returnt het bord
* @return board Het bord
*/
public ArrayList<OthelloCoordinate> getBoard(){
return board;
}
/**
* print het bord in een 2 dimensionale overzichtelijke manier
*/
public void printBoard(){
//System.out.println(board);
for(int x = 0; x < 8; x++) {
String line = "";
for(int y = 0; y < 8; y++) {
OthelloCoordinate coord = getCoordinate(x, y);
if(coord == null) {
line+="#";
} else {
line+=coord.getToken();
}
}
System.out.println(line);
}
}
/**
* Reset het bord, voegt de standaard start steentjes toe
*/
public void reset() {
board.clear();
addCoordinate(3,3,'W');
addCoordinate(4,4,'W');
addCoordinate(3,4,'B');
addCoordinate(4,3,'B');
}
/**
* Geeft alle mogelijke moves voor een bepaalde kleur.
* @param token De kleur die de zet gaat maken
* @return possibleMoves Een lijst met mogelijke moves die de kleur token kan maken
*/
public synchronized ArrayList<Integer> findPossibleMoves(char token){
possibleMoves.clear();
for (OthelloCoordinate coord : board){
searchSurroundingCorners(coord, token);
}
return possibleMoves;
}
/**
* Zoekt door alle plekken om een bepaald punt heen om te kijken of het een mogelijke move is.
* voegt alle mogelijke moves die geen duplicates zijn toe aan possibleMoves.
* @param coord Het coordinaat uit het bord waar we recursief omheen gaan zoeken.
* @param token De kleur die de zet gaat maken.
*/
private void searchSurroundingCorners(OthelloCoordinate coord, char token) {
int x = coord.getX();
int y = coord.getY();
OthelloCoordinate newCoord;
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
newCoord = new OthelloCoordinate(x+i,y+j);
if(hasCoord(newCoord)){
newCoord.setToken(getCoordinate(x+i,y+j).getToken());
}
if(isValid(newCoord, token) && !(possibleMoves.contains(newCoord.getIndex()))){
possibleMoves.add(newCoord.getIndex());
}
}
}
}
}
/**
* Geeft aan of een bepaalde move een een toegestane move is. Hiervoor moet het
* coordinaat binnen het bord zitten, nog niet gevuld zijn en een mogelijk pad hebben.
* @param coord Het coordinaat waarvan we kijken of hij toegestaan is
* @param token De kleur die de zet gaat maken.
* @return boolean true als de move toegestaan is, false als de move niet toegestaan is.
*/
public boolean isValid(OthelloCoordinate coord, char token) {
if(!isInBoard(coord)){
return false;
}
if(hasCoord(coord)){
return false;
}
return hasPossiblePath(coord, token);
}
/**
* Kijkt voor een bepaald coordinaat of er een legaal pad is naar andere steentjes.
* @param coord Het coordinaat waarvan we kijken of hij een pad heeft
* @param token De kleur die de zet gaat maken.
* @return boolean true als er minstens ��n pad gevonden is, false als er geen pad te vinden is.
*/
private boolean hasPossiblePath(OthelloCoordinate coord, char token) {
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
if(checkDirection(i,j,coord, 0, token) != -1){
return true;
}
}
}
}
return false;
}
/**
* Kijkt voor een bepaald coordinaat in een bepaalde richting of een pad te vinden is
* @param i De x richting waarheen we gaan zoeken.
* @param j De y richting waarheen we gaan zoeken.
* @param coord Het coordinaat die we nu bekijken
* @param depth De diepte van de recursie. Dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* @param token De kleur die de zet gaat maken.
* @return depth de diepte van de recursie, dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* Dit is nuttig om een path te flippen op het bord. Het geeft dus tegelijkertijd aan of de directie toegestaan is en hoe ver het pad uiteindelijk is.
*/
private int checkDirection(int i, int j, OthelloCoordinate coord, int depth, char token) {
OthelloCoordinate newCoord = getCoordinate(coord.getX()+i,coord.getY()+j);
if(newCoord == null){
return -1;
}
if(newCoord.getToken() == token && depth == 0){
return -1;
}
if(newCoord.getToken() == token && depth > 0){
return depth;
}
return checkDirection(i, j, newCoord, depth+1, token);
}
/**
* Kijkt of een bepaald coordinaat in het bord gevuld is.
* @param coordIn Het coordinaat.
* @return boolean true als het coordinaat gevuld is, false als het coordinaat niet gevuld is.
*/
private boolean hasCoord(OthelloCoordinate coordIn) {
return getCoordinate(coordIn.getX(),coordIn.getY()) != null;
}
/**
* Kijkt of een bepaald coordinaat binnen het bord zit.
* @param coord Het coordinaat.
* @return boolean true als het coordinaat binnen het bord zit, fals als het niet binnen het bord zit.
*/
private boolean isInBoard(OthelloCoordinate coord){
int x = coord.getX();
int y = coord.getY();
return ((x>=0 && x < 8) && (y>=0 && y < 8));
}
/**
* Krijgt een move en kleur als input, en gaat dan alle mogelijke paden flippen.
* Dit is het verwerken van een move in het bord.
* @param input De move die verwerkt moet worden
* @param token De kleur van de move die gezet wordt
*/
public void flipPaths(int input, char token) {
int depth;
OthelloCoordinate coord = new OthelloCoordinate(input);
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
depth = getCorrectPathDepth(i,j,coord,token);
if(depth > 0){
flipFoundPath(coord, i,j,depth,token);
}
}
}
}
}
/**
* Er is een pad gevonden en die wordt hier geflipt.
* @param coord het coordinaat die nu geflipt wordt
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param depth de diepte van de recursie van getCorrectPathDepth. Dit is de lengte van het pad
* @param token De kleur van de move die gezet wordt
*/
private void flipFoundPath(OthelloCoordinate coord, int i, int j, int depth, char token) {
OthelloCoordinate newCoord = coord;
for(int n=0; n<=depth;n++){
addCoordinate(newCoord.getIndex(), token);
newCoord = new OthelloCoordinate(newCoord.getX()+i,newCoord.getY()+j);
newCoord.setToken(token);
}
}
/**
* Maakt gebruik van checkdirection om de lengte van het pad te vinden.
* De depth die daar gereturnt wordt geeft aan dat het pad toegestaan is als hij groter dan 0 is.
* Ook geeft het de lengte van het pad aan.
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param coord het coordinaat van de move die gezet wordt
* @param token De kleur van de move die gezet wordt
* @return depth de diepte van het pad (en dus de lengte)
*/
private int getCorrectPathDepth(int i, int j, OthelloCoordinate coord, char token) {
return checkDirection(i,j,coord,0, token);
}
}
| HanzehogeschoolSICT/Project-Othello | src/model/OthelloBoard.java | 3,143 | /**
* Maakt gebruik van checkdirection om de lengte van het pad te vinden.
* De depth die daar gereturnt wordt geeft aan dat het pad toegestaan is als hij groter dan 0 is.
* Ook geeft het de lengte van het pad aan.
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param coord het coordinaat van de move die gezet wordt
* @param token De kleur van de move die gezet wordt
* @return depth de diepte van het pad (en dus de lengte)
*/ | block_comment | nl | package model;
import java.util.ArrayList;
public class OthelloBoard implements Cloneable{
ArrayList<OthelloCoordinate> board = new ArrayList<OthelloCoordinate>();
private ArrayList<Integer> possibleMoves = new ArrayList<Integer>();
char ownToken;
public OthelloBoard(char c){
ownToken = c;
reset();
}
OthelloBoard(ArrayList<OthelloCoordinate> board, ArrayList<Integer> possibleMoves, char ownToken) {
this.board = board;
this.possibleMoves = possibleMoves;
this.ownToken = ownToken;
}
@Override
public Object clone() throws CloneNotSupportedException {
ArrayList<OthelloCoordinate> boardclone = new ArrayList<>();
ArrayList<Integer> possibleMovesClone = (ArrayList<Integer>) possibleMoves.clone();
for (OthelloCoordinate coord: board) {
boardclone.add((OthelloCoordinate) coord.clone());
}
return new OthelloBoard(boardclone, possibleMovesClone, ownToken);
}
/**
* Gets the current count of tiles on the board of a specific token
* @param token to count the score of
* @return amount of disks on the board.
*/
public int getCurrentScore(char token){
int count = 0;
for (OthelloCoordinate coord : board) {
if (coord.getToken() == token) {
count++;
}
}
return count;
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met x en y coordinaten
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int x, int y, char c){
if(x >= 0 && x < 8 && y >= 0 && y < 8){ OthelloCoordinate coord = new OthelloCoordinate(x,y);
coord.setToken(c);
if(!board.contains(coord)){
board.add(coord);
} else {
OthelloCoordinate coord2 = getCoordinate(x, y);
coord2.setToken(c);
}
}
}
/**
* voegt een coordinaat toe an het bord. Als het coordinaat al in het bord zit,
* dan verandert het het token naar het token van het nieuwe coordinaat.
* Werkt met index
* @param index Index van het coordinaat (0-63)
* @param c De kleur van het coordinaat ('W' of 'B')
*/
public void addCoordinate(int index, char c){
if(index >= 0 && index <64){
OthelloCoordinate coord = new OthelloCoordinate(index);
coord.setToken(c);
if(!hasCoord(coord)){
board.add(coord);
}else {
OthelloCoordinate coord2 = getCoordinate(index % 8, index / 8);
coord2.setToken(c);
}
}
}
/**
* Returnt een coordinaat op een bepaald punt in het bord.
* @param x X coordinaat van het coordinaat (0-7)
* @param y Y coordinaat van het coordinaat (0-7)
* @return coord het coordinaat (return null als hij niet in het bord zit)
*/
public OthelloCoordinate getCoordinate(int x, int y){
for (OthelloCoordinate coord : board){
if(coord.getX() == x && coord.getY() == y){
return coord;
}
}
return null;
}
/**
* Returnt het bord
* @return board Het bord
*/
public ArrayList<OthelloCoordinate> getBoard(){
return board;
}
/**
* print het bord in een 2 dimensionale overzichtelijke manier
*/
public void printBoard(){
//System.out.println(board);
for(int x = 0; x < 8; x++) {
String line = "";
for(int y = 0; y < 8; y++) {
OthelloCoordinate coord = getCoordinate(x, y);
if(coord == null) {
line+="#";
} else {
line+=coord.getToken();
}
}
System.out.println(line);
}
}
/**
* Reset het bord, voegt de standaard start steentjes toe
*/
public void reset() {
board.clear();
addCoordinate(3,3,'W');
addCoordinate(4,4,'W');
addCoordinate(3,4,'B');
addCoordinate(4,3,'B');
}
/**
* Geeft alle mogelijke moves voor een bepaalde kleur.
* @param token De kleur die de zet gaat maken
* @return possibleMoves Een lijst met mogelijke moves die de kleur token kan maken
*/
public synchronized ArrayList<Integer> findPossibleMoves(char token){
possibleMoves.clear();
for (OthelloCoordinate coord : board){
searchSurroundingCorners(coord, token);
}
return possibleMoves;
}
/**
* Zoekt door alle plekken om een bepaald punt heen om te kijken of het een mogelijke move is.
* voegt alle mogelijke moves die geen duplicates zijn toe aan possibleMoves.
* @param coord Het coordinaat uit het bord waar we recursief omheen gaan zoeken.
* @param token De kleur die de zet gaat maken.
*/
private void searchSurroundingCorners(OthelloCoordinate coord, char token) {
int x = coord.getX();
int y = coord.getY();
OthelloCoordinate newCoord;
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
newCoord = new OthelloCoordinate(x+i,y+j);
if(hasCoord(newCoord)){
newCoord.setToken(getCoordinate(x+i,y+j).getToken());
}
if(isValid(newCoord, token) && !(possibleMoves.contains(newCoord.getIndex()))){
possibleMoves.add(newCoord.getIndex());
}
}
}
}
}
/**
* Geeft aan of een bepaalde move een een toegestane move is. Hiervoor moet het
* coordinaat binnen het bord zitten, nog niet gevuld zijn en een mogelijk pad hebben.
* @param coord Het coordinaat waarvan we kijken of hij toegestaan is
* @param token De kleur die de zet gaat maken.
* @return boolean true als de move toegestaan is, false als de move niet toegestaan is.
*/
public boolean isValid(OthelloCoordinate coord, char token) {
if(!isInBoard(coord)){
return false;
}
if(hasCoord(coord)){
return false;
}
return hasPossiblePath(coord, token);
}
/**
* Kijkt voor een bepaald coordinaat of er een legaal pad is naar andere steentjes.
* @param coord Het coordinaat waarvan we kijken of hij een pad heeft
* @param token De kleur die de zet gaat maken.
* @return boolean true als er minstens ��n pad gevonden is, false als er geen pad te vinden is.
*/
private boolean hasPossiblePath(OthelloCoordinate coord, char token) {
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
if(checkDirection(i,j,coord, 0, token) != -1){
return true;
}
}
}
}
return false;
}
/**
* Kijkt voor een bepaald coordinaat in een bepaalde richting of een pad te vinden is
* @param i De x richting waarheen we gaan zoeken.
* @param j De y richting waarheen we gaan zoeken.
* @param coord Het coordinaat die we nu bekijken
* @param depth De diepte van de recursie. Dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* @param token De kleur die de zet gaat maken.
* @return depth de diepte van de recursie, dit geeft aan hoe ver we al aan het zoeken zijn in een richting.
* Dit is nuttig om een path te flippen op het bord. Het geeft dus tegelijkertijd aan of de directie toegestaan is en hoe ver het pad uiteindelijk is.
*/
private int checkDirection(int i, int j, OthelloCoordinate coord, int depth, char token) {
OthelloCoordinate newCoord = getCoordinate(coord.getX()+i,coord.getY()+j);
if(newCoord == null){
return -1;
}
if(newCoord.getToken() == token && depth == 0){
return -1;
}
if(newCoord.getToken() == token && depth > 0){
return depth;
}
return checkDirection(i, j, newCoord, depth+1, token);
}
/**
* Kijkt of een bepaald coordinaat in het bord gevuld is.
* @param coordIn Het coordinaat.
* @return boolean true als het coordinaat gevuld is, false als het coordinaat niet gevuld is.
*/
private boolean hasCoord(OthelloCoordinate coordIn) {
return getCoordinate(coordIn.getX(),coordIn.getY()) != null;
}
/**
* Kijkt of een bepaald coordinaat binnen het bord zit.
* @param coord Het coordinaat.
* @return boolean true als het coordinaat binnen het bord zit, fals als het niet binnen het bord zit.
*/
private boolean isInBoard(OthelloCoordinate coord){
int x = coord.getX();
int y = coord.getY();
return ((x>=0 && x < 8) && (y>=0 && y < 8));
}
/**
* Krijgt een move en kleur als input, en gaat dan alle mogelijke paden flippen.
* Dit is het verwerken van een move in het bord.
* @param input De move die verwerkt moet worden
* @param token De kleur van de move die gezet wordt
*/
public void flipPaths(int input, char token) {
int depth;
OthelloCoordinate coord = new OthelloCoordinate(input);
for(int i=-1;i<=1;i++){
for(int j=-1;j<=1;j++){
if(!((i==0) && (j==0))){
depth = getCorrectPathDepth(i,j,coord,token);
if(depth > 0){
flipFoundPath(coord, i,j,depth,token);
}
}
}
}
}
/**
* Er is een pad gevonden en die wordt hier geflipt.
* @param coord het coordinaat die nu geflipt wordt
* @param i De x richting waarheen we bewegen.
* @param j De y richting waarheen we bewegen.
* @param depth de diepte van de recursie van getCorrectPathDepth. Dit is de lengte van het pad
* @param token De kleur van de move die gezet wordt
*/
private void flipFoundPath(OthelloCoordinate coord, int i, int j, int depth, char token) {
OthelloCoordinate newCoord = coord;
for(int n=0; n<=depth;n++){
addCoordinate(newCoord.getIndex(), token);
newCoord = new OthelloCoordinate(newCoord.getX()+i,newCoord.getY()+j);
newCoord.setToken(token);
}
}
/**
* Maakt gebruik van<SUF>*/
private int getCorrectPathDepth(int i, int j, OthelloCoordinate coord, char token) {
return checkDirection(i,j,coord,0, token);
}
}
|
211668_0 | package nl.procura.haalcentraal.brp.bevragen.resources.bipV1_3;
import static java.util.Collections.singletonList;
import java.io.File;
import java.io.IOException;
import java.io.InputStream;
import java.nio.charset.StandardCharsets;
import java.util.*;
import java.util.function.Function;
import java.util.stream.Collectors;
import java.util.zip.ZipEntry;
import java.util.zip.ZipInputStream;
import org.apache.commons.io.FileUtils;
import org.junit.jupiter.api.Disabled;
import org.junit.jupiter.api.Test;
import nl.procura.burgerzaken.gba.numbers.Bsn;
import nl.procura.gbaws.testdata.Testdata;
import nl.vng.realisatie.haalcentraal.rest.generated.model.bipv1_3.*;
import lombok.Data;
import lombok.Getter;
import lombok.SneakyThrows;
import lombok.experimental.Accessors;
import lombok.extern.slf4j.Slf4j;
import spring.PersonRecordSource;
@Slf4j
public class WebserviceCompareTest extends IngeschrevenPersonenResourceTest {
@Test
@Disabled
@SneakyThrows
public void mustCompareMultiplePeople() {
int numberOfBsns = 700;
writeResults(getBsns(numberOfBsns).stream().map(this::getResult).collect(Collectors.toList()), false);
}
@Test
@Disabled
@SneakyThrows
public void mustCompareSinglePerson() {
writeResults(singletonList(getResult(999990019L)), false);
}
private List<Long> getBsns(int max) {
Set<Long> bsns = Testdata.getGbaVBsns();
return new ArrayList<>(bsns).subList(0, Math.min(max, bsns.size()));
}
private TestPersonResult getResult(Long bsn) {
TestPersonResult result = new TestPersonResult();
result.setBsn(new Bsn(bsn).toString());
try {
IngeschrevenPersoonHal procura;
IngeschrevenPersoonHal vng;
try {
PersonRecordSource.emptyQueue();
procura = getIngeschrevenPersoon(bsn);
vng = getVngIngeschrevenPersoon(bsn);
result.setProcuraPerson(procura);
result.setVngPerson(vng);
} catch (Exception e) {
result.setSkipped(true);
return result;
}
add(result, "bsn", IngeschrevenPersoon::getBurgerservicenummer);
// add(result, "a-nummer", IngeschrevenPersoon::getaNummer); // Niet in VNG data
add(result, "geheimhoudingpersoonsgegevens", IngeschrevenPersoon::getGeheimhoudingPersoonsgegevens);
add(result, "geslachtsaanduiding", IngeschrevenPersoon::getGeslachtsaanduiding);
add(result, "leeftijd", IngeschrevenPersoon::getLeeftijd);
// add(result, "datum inschrijving gba", IngeschrevenPersoon::getDatumEersteInschrijvingGBA); // Niet in VNG data
compareNaamPersoon(result);
compareGeboorte(result);
compareVerblijfplaats(result);
if (add(result, "links", person -> person.getLinks() != null)) {
if (add(result, "links.kinderen", person -> person.getLinks().getKinderen() != null)) {
if (procura.getLinks().getKinderen() != null) {
add(result, "links.kinderen.count", person -> person.getLinks().getKinderen().size());
}
}
if (add(result, "links.kinderen", person -> person.getLinks().getKinderen() != null)) {
if (procura.getLinks().getKinderen() != null) {
add(result, "links.kinderen.count", person -> person.getLinks().getKinderen().size());
}
}
if (add(result, "links.partners", person -> person.getLinks().getPartners() != null)) {
if (procura.getLinks().getPartners() != null) {
add(result, "links.partners.count", person -> person.getLinks().getPartners().size());
}
}
}
add(result, "kiesrecht", person -> person.getKiesrecht() != null);
add(result, "inOnderzoek", IngeschrevenPersoon::getInOnderzoek);
add(result, "opschorting", person -> person.getOpschortingBijhouding() != null);
add(result, "overlijden", person -> person.getOverlijden() != null);
add(result, "gezagsverhouding", person -> person.getGezagsverhouding() != null);
// add(result, "nationaliteiten", person -> person.getNationaliteiten() != null); // Nog niet geimplementeerd
// add(result, "verblijfstitel", person -> person.getVerblijfstitel() != null); // Nog niet geimplementeerd
// add(result, "reisdocumentnummer", person -> person.getReisdocumentnummers() != null); // Nog niet geimplementeerd
if (isNotNull(result, IngeschrevenPersoonHal::getOverlijden)) {
compareOverlijden(result, IngeschrevenPersoon::getOverlijden);
}
if (isNotNull(result, IngeschrevenPersoonHal::getOpschortingBijhouding)) {
compareOpschorting(result, IngeschrevenPersoon::getOpschortingBijhouding);
}
if (isNotNull(result, IngeschrevenPersoonHal::getGezagsverhouding)) {
compareGezag(result, IngeschrevenPersoon::getGezagsverhouding);
}
if (isNotNull(result, IngeschrevenPersoonHal::getEmbedded)) {
add(result, "kinderen", person -> person.getEmbedded().getKinderen() != null);
add(result, "ouders", person -> person.getEmbedded().getOuders() != null);
add(result, "partners", person -> person.getEmbedded().getPartners() != null);
if (isNotNull(result, person -> person.getEmbedded().getKinderen())) {
compareKind(result, person -> person.getEmbedded().getKinderen()
.stream().min(Comparator.comparing(a -> a.getNaam().getVoornamen()))
.orElse(null));
}
if (isNotNull(result, person -> person.getEmbedded().getOuders())) {
compareNaam(result, "ouder", person -> person.getEmbedded()
.getOuders().get(0).getNaam());
}
if (isNotNull(result, person -> person.getEmbedded().getPartners())) {
compareNaam(result, "partner", person -> person.getEmbedded()
.getPartners().get(0).getNaam());
}
}
result.setDifferentValues(result.getDataList()
.stream()
.filter(info -> !info.isEquals)
.map(ComparedData::getName)
.collect(Collectors.toList()));
} catch (Exception e) {
e.printStackTrace();
result.setException(e.getMessage());
}
return result;
}
private void compareOverlijden(TestPersonResult result, Function<IngeschrevenPersoonHal, Overlijden> function) {
add(result, "overlijden.indicatie", person -> function.apply(person).getIndicatieOverleden());
add(result, "overlijden.datum", person -> function.apply(person).getDatum());
add(result, "overlijden.plaats", person -> function.apply(person).getPlaats());
add(result, "overlijden.land", person -> function.apply(person).getLand());
add(result, "overlijden.onderzoek", person -> function.apply(person).getInOnderzoek());
}
private void compareOpschorting(TestPersonResult result,
Function<IngeschrevenPersoonHal, OpschortingBijhouding> function) {
add(result, "opschorting.datum", person -> function.apply(person).getDatum());
add(result, "opschorting.reden", person -> function.apply(person).getReden());
}
private void compareGezag(TestPersonResult result,
Function<IngeschrevenPersoonHal, Gezagsverhouding> function) {
add(result, "gezag.minderjarige", person -> function.apply(person).getIndicatieGezagMinderjarige());
add(result, "gezag.curatele", person -> function.apply(person).getIndicatieCurateleRegister());
add(result, "gezag.onderzoek", person -> function.apply(person).getInOnderzoek());
}
private void compareKind(TestPersonResult result, Function<IngeschrevenPersoonHal, KindHalBasis> function) {
add(result, "kind.leeftijd", person -> function.apply(person).getLeeftijd());
add(result, "kind.geheimhouding", person -> function.apply(person).getGeheimhoudingPersoonsgegevens());
add(result, "kind.bsn", person -> function.apply(person).getBurgerservicenummer());
add(result, "kind.onderzoek", person -> function.apply(person).getInOnderzoek());
compareNaam(result, "kind", person -> person.getEmbedded().getKinderen()
.stream().min(Comparator.comparing(a -> a.getNaam().getVoornamen()))
.map(Kind::getNaam)
.orElse(null));
}
private void compareNaam(TestPersonResult result, String type, Function<IngeschrevenPersoonHal, Naam> function) {
add(result, type + ".naam.geslachtsnaam", person -> function.apply(person).getGeslachtsnaam());
add(result, type + ".naam.titelPredikaat", person -> function.apply(person).getAdellijkeTitelPredikaat());
add(result, type + ".naam.voorletters", person -> function.apply(person).getVoorletters());
add(result, type + ".naam.voornamen", person -> function.apply(person).getVoornamen());
add(result, type + ".naam.voorvoegsel", person -> function.apply(person).getVoorvoegsel());
add(result, type + ".naam.inOnderzoek", person -> function.apply(person).getInOnderzoek());
}
private void compareNaamPersoon(TestPersonResult result) {
add(result, "naam.aanhef",
person -> person.getNaam().getAanhef());
add(result, "naam.aanschrijfwijze",
person -> person.getNaam().getAanschrijfwijze());
add(result, "naam.regelVoorafgaandAanAanschrijfwijze",
person -> person.getNaam().getRegelVoorafgaandAanAanschrijfwijze());
add(result, "naam.gebruikInLopendeTekst",
person -> person.getNaam().getGebruikInLopendeTekst());
add(result, "naam.aanduidingNaamgebruik",
person -> person.getNaam().getAanduidingNaamgebruik());
add(result, "naam.inOnderzoek",
person -> person.getNaam().getInOnderzoek());
add(result, "naam.geslachtsnaam",
person -> person.getNaam().getGeslachtsnaam());
add(result, "naam.voorletters",
person -> person.getNaam().getVoorletters());
add(result, "naam.voornamen",
person -> person.getNaam().getVoornamen());
add(result, "naam.voorvoegsel",
person -> person.getNaam().getVoorvoegsel());
add(result, "naam.adellijkeTitelPredikaat",
person -> person.getNaam().getAdellijkeTitelPredikaat());
}
private void compareGeboorte(TestPersonResult testInfo) {
add(testInfo, "geboorte.datum",
person -> person.getGeboorte().getDatum());
add(testInfo, "geboorte.plaats",
person -> person.getGeboorte().getPlaats());
add(testInfo, "geboorte.datum",
person -> person.getGeboorte().getDatum());
add(testInfo, "geboorte.inonderzoek",
person -> person.getGeboorte().getInOnderzoek());
}
private void compareVerblijfplaats(TestPersonResult testInfo) {
add(testInfo, "verblijfplaats.adresseerbaarObjectIdentificatie",
person -> person.getVerblijfplaats().getAdresseerbaarObjectIdentificatie());
add(testInfo, "verblijfplaats.aanduidingBijHuisnummer",
person -> person.getVerblijfplaats().getAanduidingBijHuisnummer());
add(testInfo, "verblijfplaats.nummeraanduidingIdentificatie",
person -> person.getVerblijfplaats().getNummeraanduidingIdentificatie());
add(testInfo, "verblijfplaats.functieAdres",
person -> person.getVerblijfplaats().getFunctieAdres());
add(testInfo, "verblijfplaats.indicatieVestigingVanuitBuitenland",
person -> person.getVerblijfplaats().getIndicatieVestigingVanuitBuitenland());
add(testInfo, "verblijfplaats.locatiebeschrijving",
person -> person.getVerblijfplaats().getLocatiebeschrijving());
add(testInfo, "verblijfplaats.korteNaam",
person -> person.getVerblijfplaats().getKorteNaam());
add(testInfo, "verblijfplaats.vanuitVertrokkenOnbekendWaarheen",
person -> person.getVerblijfplaats().getVanuitVertrokkenOnbekendWaarheen());
add(testInfo, "verblijfplaats.datumAanvangAdreshouding",
person -> person.getVerblijfplaats().getDatumAanvangAdreshouding());
add(testInfo, "verblijfplaats.datumIngangGeldigheid",
person -> person.getVerblijfplaats().getDatumIngangGeldigheid());
add(testInfo, "verblijfplaats.datumInschrijvingInGemeente",
person -> person.getVerblijfplaats().getDatumInschrijvingInGemeente());
add(testInfo, "verblijfplaats.datumVestigingInNederland",
person -> person.getVerblijfplaats().getDatumVestigingInNederland());
add(testInfo, "verblijfplaats.gemeenteVanInschrijving",
person -> person.getVerblijfplaats().getGemeenteVanInschrijving());
add(testInfo, "verblijfplaats.landVanwaarIngeschreven",
person -> person.getVerblijfplaats().getLandVanwaarIngeschreven());
add(testInfo, "verblijfplaats.adresregel1",
person -> person.getVerblijfplaats().getAdresregel1());
add(testInfo, "verblijfplaats.adresregel3",
person -> person.getVerblijfplaats().getAdresregel2());
add(testInfo, "verblijfplaats.vertrokkenOnbekendWaarheen",
person -> person.getVerblijfplaats().getAdresregel3());
add(testInfo, "verblijfplaats.vertrokkenOnbekendWaarheen",
person -> person.getVerblijfplaats().getVertrokkenOnbekendWaarheen());
add(testInfo, "verblijfplaats.land",
person -> person.getVerblijfplaats().getLand());
add(testInfo, "verblijfplaats.inOnderzoek",
person -> person.getVerblijfplaats().getInOnderzoek());
add(testInfo, "verblijfplaats.straat",
person -> person.getVerblijfplaats().getStraat());
add(testInfo, "verblijfplaats.huisnummer",
person -> person.getVerblijfplaats().getHuisnummer());
add(testInfo, "verblijfplaats.huisletter",
person -> person.getVerblijfplaats().getHuisletter());
add(testInfo, "verblijfplaats.huisnummertoevoeging",
person -> person.getVerblijfplaats().getHuisnummertoevoeging());
add(testInfo, "verblijfplaats.postcode",
person -> person.getVerblijfplaats().getPostcode());
add(testInfo, "verblijfplaats.woonplaats",
person -> person.getVerblijfplaats().getWoonplaats());
}
private boolean isNotNull(TestPersonResult testInfo, Function<IngeschrevenPersoonHal, Object> function) {
Object procuraValue = function.apply(testInfo.getProcuraPerson());
Object vngValue = function.apply(testInfo.getVngPerson());
return procuraValue != null && vngValue != null;
}
private boolean add(TestPersonResult testInfo, String value, Function<IngeschrevenPersoonHal, Object> function) {
Object procuraValue = function.apply(testInfo.getProcuraPerson());
Object vngValue = function.apply(testInfo.getVngPerson());
ComparedData data = new ComparedData(value, procuraValue, vngValue);
testInfo.getDataList().add(data);
return data.isEquals();
}
private IngeschrevenPersoonHal getVngIngeschrevenPersoon(long bsn) throws IOException {
InputStream resource = Testdata.class.getClassLoader().getResourceAsStream("vng-api-data.zip");
assert resource != null;
ZipInputStream zipInputStream = new ZipInputStream(resource, StandardCharsets.UTF_8);
ZipEntry nextEntry;
while ((nextEntry = zipInputStream.getNextEntry()) != null) {
boolean isBsn = nextEntry.getName().equals(new Bsn(bsn) + ".json");
if (isBsn) {
return objectMapper.readValue(zipInputStream, IngeschrevenPersoonHal.class);
}
}
throw new IllegalStateException("Personal data of " + bsn + " has not been found");
}
private void writeResults(List<TestPersonResult> results, boolean writeAllValues) throws IOException {
File resultsFolder = new File("target/comparison-data");
FileUtils.deleteDirectory(resultsFolder);
for (TestPersonResult result : results) {
File folder;
if (result.isSkipped()) {
folder = new File(resultsFolder, "skipped");
} else if (result.getException() != null) {
folder = new File(resultsFolder, "exception");
} else if (result.matchesAll()) {
folder = new File(resultsFolder, "matches");
} else {
folder = new File(resultsFolder, "different");
}
if (folder.mkdirs()) {
log.debug(folder + " created!");
}
FileUtils.writeByteArrayToFile(new File(folder, result.getBsn() + ".json"),
objectMapper.writerWithDefaultPrettyPrinter()
.writeValueAsString(getFilteredResult(result, writeAllValues))
.getBytes());
}
}
private TestPersonResult getFilteredResult(TestPersonResult result, boolean writeAllValues) {
return new TestPersonResult()
.setBsn(result.getBsn())
.setException(result.getException())
.setDifferentValues(result.getDifferentValues())
.setDataList(result.getDataList().stream()
.filter(data -> writeAllValues || !data.isEquals)
.collect(Collectors.toList()));
}
@Data
@Accessors(chain = true)
public static class TestPersonResult {
private String bsn;
private boolean skipped;
private String exception;
private List<String> differentValues = new ArrayList<>();
private List<ComparedData> dataList = new ArrayList<>();
private IngeschrevenPersoonHal procuraPerson;
private IngeschrevenPersoonHal vngPerson;
public boolean matchesAll() {
return dataList.stream().filter(data -> !data.isEquals()).findFirst().isEmpty();
}
}
@Getter
@Accessors(chain = true)
public static class ComparedData {
private final String name;
private final Object procura;
private final Object vng;
private final boolean isEquals;
public ComparedData(String name, Object procura, Object vng) {
this.name = name;
this.procura = procura == null ? "null" : procura;
this.vng = vng == null ? "null" : vng;
if (procura instanceof String && vng instanceof String) {
this.isEquals = Objects.equals(((String) procura).trim(), ((String) vng).trim());
} else {
this.isEquals = Objects.equals(procura, vng);
}
}
}
}
| vrijBRP/vrijBRP-Haal-Centraal-BRP-bevragen | application/src/test/java/nl/procura/haalcentraal/brp/bevragen/resources/bipV1_3/WebserviceCompareTest.java | 4,996 | // add(result, "a-nummer", IngeschrevenPersoon::getaNummer); // Niet in VNG data | line_comment | nl | package nl.procura.haalcentraal.brp.bevragen.resources.bipV1_3;
import static java.util.Collections.singletonList;
import java.io.File;
import java.io.IOException;
import java.io.InputStream;
import java.nio.charset.StandardCharsets;
import java.util.*;
import java.util.function.Function;
import java.util.stream.Collectors;
import java.util.zip.ZipEntry;
import java.util.zip.ZipInputStream;
import org.apache.commons.io.FileUtils;
import org.junit.jupiter.api.Disabled;
import org.junit.jupiter.api.Test;
import nl.procura.burgerzaken.gba.numbers.Bsn;
import nl.procura.gbaws.testdata.Testdata;
import nl.vng.realisatie.haalcentraal.rest.generated.model.bipv1_3.*;
import lombok.Data;
import lombok.Getter;
import lombok.SneakyThrows;
import lombok.experimental.Accessors;
import lombok.extern.slf4j.Slf4j;
import spring.PersonRecordSource;
@Slf4j
public class WebserviceCompareTest extends IngeschrevenPersonenResourceTest {
@Test
@Disabled
@SneakyThrows
public void mustCompareMultiplePeople() {
int numberOfBsns = 700;
writeResults(getBsns(numberOfBsns).stream().map(this::getResult).collect(Collectors.toList()), false);
}
@Test
@Disabled
@SneakyThrows
public void mustCompareSinglePerson() {
writeResults(singletonList(getResult(999990019L)), false);
}
private List<Long> getBsns(int max) {
Set<Long> bsns = Testdata.getGbaVBsns();
return new ArrayList<>(bsns).subList(0, Math.min(max, bsns.size()));
}
private TestPersonResult getResult(Long bsn) {
TestPersonResult result = new TestPersonResult();
result.setBsn(new Bsn(bsn).toString());
try {
IngeschrevenPersoonHal procura;
IngeschrevenPersoonHal vng;
try {
PersonRecordSource.emptyQueue();
procura = getIngeschrevenPersoon(bsn);
vng = getVngIngeschrevenPersoon(bsn);
result.setProcuraPerson(procura);
result.setVngPerson(vng);
} catch (Exception e) {
result.setSkipped(true);
return result;
}
add(result, "bsn", IngeschrevenPersoon::getBurgerservicenummer);
// add(result, "a-nummer",<SUF>
add(result, "geheimhoudingpersoonsgegevens", IngeschrevenPersoon::getGeheimhoudingPersoonsgegevens);
add(result, "geslachtsaanduiding", IngeschrevenPersoon::getGeslachtsaanduiding);
add(result, "leeftijd", IngeschrevenPersoon::getLeeftijd);
// add(result, "datum inschrijving gba", IngeschrevenPersoon::getDatumEersteInschrijvingGBA); // Niet in VNG data
compareNaamPersoon(result);
compareGeboorte(result);
compareVerblijfplaats(result);
if (add(result, "links", person -> person.getLinks() != null)) {
if (add(result, "links.kinderen", person -> person.getLinks().getKinderen() != null)) {
if (procura.getLinks().getKinderen() != null) {
add(result, "links.kinderen.count", person -> person.getLinks().getKinderen().size());
}
}
if (add(result, "links.kinderen", person -> person.getLinks().getKinderen() != null)) {
if (procura.getLinks().getKinderen() != null) {
add(result, "links.kinderen.count", person -> person.getLinks().getKinderen().size());
}
}
if (add(result, "links.partners", person -> person.getLinks().getPartners() != null)) {
if (procura.getLinks().getPartners() != null) {
add(result, "links.partners.count", person -> person.getLinks().getPartners().size());
}
}
}
add(result, "kiesrecht", person -> person.getKiesrecht() != null);
add(result, "inOnderzoek", IngeschrevenPersoon::getInOnderzoek);
add(result, "opschorting", person -> person.getOpschortingBijhouding() != null);
add(result, "overlijden", person -> person.getOverlijden() != null);
add(result, "gezagsverhouding", person -> person.getGezagsverhouding() != null);
// add(result, "nationaliteiten", person -> person.getNationaliteiten() != null); // Nog niet geimplementeerd
// add(result, "verblijfstitel", person -> person.getVerblijfstitel() != null); // Nog niet geimplementeerd
// add(result, "reisdocumentnummer", person -> person.getReisdocumentnummers() != null); // Nog niet geimplementeerd
if (isNotNull(result, IngeschrevenPersoonHal::getOverlijden)) {
compareOverlijden(result, IngeschrevenPersoon::getOverlijden);
}
if (isNotNull(result, IngeschrevenPersoonHal::getOpschortingBijhouding)) {
compareOpschorting(result, IngeschrevenPersoon::getOpschortingBijhouding);
}
if (isNotNull(result, IngeschrevenPersoonHal::getGezagsverhouding)) {
compareGezag(result, IngeschrevenPersoon::getGezagsverhouding);
}
if (isNotNull(result, IngeschrevenPersoonHal::getEmbedded)) {
add(result, "kinderen", person -> person.getEmbedded().getKinderen() != null);
add(result, "ouders", person -> person.getEmbedded().getOuders() != null);
add(result, "partners", person -> person.getEmbedded().getPartners() != null);
if (isNotNull(result, person -> person.getEmbedded().getKinderen())) {
compareKind(result, person -> person.getEmbedded().getKinderen()
.stream().min(Comparator.comparing(a -> a.getNaam().getVoornamen()))
.orElse(null));
}
if (isNotNull(result, person -> person.getEmbedded().getOuders())) {
compareNaam(result, "ouder", person -> person.getEmbedded()
.getOuders().get(0).getNaam());
}
if (isNotNull(result, person -> person.getEmbedded().getPartners())) {
compareNaam(result, "partner", person -> person.getEmbedded()
.getPartners().get(0).getNaam());
}
}
result.setDifferentValues(result.getDataList()
.stream()
.filter(info -> !info.isEquals)
.map(ComparedData::getName)
.collect(Collectors.toList()));
} catch (Exception e) {
e.printStackTrace();
result.setException(e.getMessage());
}
return result;
}
private void compareOverlijden(TestPersonResult result, Function<IngeschrevenPersoonHal, Overlijden> function) {
add(result, "overlijden.indicatie", person -> function.apply(person).getIndicatieOverleden());
add(result, "overlijden.datum", person -> function.apply(person).getDatum());
add(result, "overlijden.plaats", person -> function.apply(person).getPlaats());
add(result, "overlijden.land", person -> function.apply(person).getLand());
add(result, "overlijden.onderzoek", person -> function.apply(person).getInOnderzoek());
}
private void compareOpschorting(TestPersonResult result,
Function<IngeschrevenPersoonHal, OpschortingBijhouding> function) {
add(result, "opschorting.datum", person -> function.apply(person).getDatum());
add(result, "opschorting.reden", person -> function.apply(person).getReden());
}
private void compareGezag(TestPersonResult result,
Function<IngeschrevenPersoonHal, Gezagsverhouding> function) {
add(result, "gezag.minderjarige", person -> function.apply(person).getIndicatieGezagMinderjarige());
add(result, "gezag.curatele", person -> function.apply(person).getIndicatieCurateleRegister());
add(result, "gezag.onderzoek", person -> function.apply(person).getInOnderzoek());
}
private void compareKind(TestPersonResult result, Function<IngeschrevenPersoonHal, KindHalBasis> function) {
add(result, "kind.leeftijd", person -> function.apply(person).getLeeftijd());
add(result, "kind.geheimhouding", person -> function.apply(person).getGeheimhoudingPersoonsgegevens());
add(result, "kind.bsn", person -> function.apply(person).getBurgerservicenummer());
add(result, "kind.onderzoek", person -> function.apply(person).getInOnderzoek());
compareNaam(result, "kind", person -> person.getEmbedded().getKinderen()
.stream().min(Comparator.comparing(a -> a.getNaam().getVoornamen()))
.map(Kind::getNaam)
.orElse(null));
}
private void compareNaam(TestPersonResult result, String type, Function<IngeschrevenPersoonHal, Naam> function) {
add(result, type + ".naam.geslachtsnaam", person -> function.apply(person).getGeslachtsnaam());
add(result, type + ".naam.titelPredikaat", person -> function.apply(person).getAdellijkeTitelPredikaat());
add(result, type + ".naam.voorletters", person -> function.apply(person).getVoorletters());
add(result, type + ".naam.voornamen", person -> function.apply(person).getVoornamen());
add(result, type + ".naam.voorvoegsel", person -> function.apply(person).getVoorvoegsel());
add(result, type + ".naam.inOnderzoek", person -> function.apply(person).getInOnderzoek());
}
private void compareNaamPersoon(TestPersonResult result) {
add(result, "naam.aanhef",
person -> person.getNaam().getAanhef());
add(result, "naam.aanschrijfwijze",
person -> person.getNaam().getAanschrijfwijze());
add(result, "naam.regelVoorafgaandAanAanschrijfwijze",
person -> person.getNaam().getRegelVoorafgaandAanAanschrijfwijze());
add(result, "naam.gebruikInLopendeTekst",
person -> person.getNaam().getGebruikInLopendeTekst());
add(result, "naam.aanduidingNaamgebruik",
person -> person.getNaam().getAanduidingNaamgebruik());
add(result, "naam.inOnderzoek",
person -> person.getNaam().getInOnderzoek());
add(result, "naam.geslachtsnaam",
person -> person.getNaam().getGeslachtsnaam());
add(result, "naam.voorletters",
person -> person.getNaam().getVoorletters());
add(result, "naam.voornamen",
person -> person.getNaam().getVoornamen());
add(result, "naam.voorvoegsel",
person -> person.getNaam().getVoorvoegsel());
add(result, "naam.adellijkeTitelPredikaat",
person -> person.getNaam().getAdellijkeTitelPredikaat());
}
private void compareGeboorte(TestPersonResult testInfo) {
add(testInfo, "geboorte.datum",
person -> person.getGeboorte().getDatum());
add(testInfo, "geboorte.plaats",
person -> person.getGeboorte().getPlaats());
add(testInfo, "geboorte.datum",
person -> person.getGeboorte().getDatum());
add(testInfo, "geboorte.inonderzoek",
person -> person.getGeboorte().getInOnderzoek());
}
private void compareVerblijfplaats(TestPersonResult testInfo) {
add(testInfo, "verblijfplaats.adresseerbaarObjectIdentificatie",
person -> person.getVerblijfplaats().getAdresseerbaarObjectIdentificatie());
add(testInfo, "verblijfplaats.aanduidingBijHuisnummer",
person -> person.getVerblijfplaats().getAanduidingBijHuisnummer());
add(testInfo, "verblijfplaats.nummeraanduidingIdentificatie",
person -> person.getVerblijfplaats().getNummeraanduidingIdentificatie());
add(testInfo, "verblijfplaats.functieAdres",
person -> person.getVerblijfplaats().getFunctieAdres());
add(testInfo, "verblijfplaats.indicatieVestigingVanuitBuitenland",
person -> person.getVerblijfplaats().getIndicatieVestigingVanuitBuitenland());
add(testInfo, "verblijfplaats.locatiebeschrijving",
person -> person.getVerblijfplaats().getLocatiebeschrijving());
add(testInfo, "verblijfplaats.korteNaam",
person -> person.getVerblijfplaats().getKorteNaam());
add(testInfo, "verblijfplaats.vanuitVertrokkenOnbekendWaarheen",
person -> person.getVerblijfplaats().getVanuitVertrokkenOnbekendWaarheen());
add(testInfo, "verblijfplaats.datumAanvangAdreshouding",
person -> person.getVerblijfplaats().getDatumAanvangAdreshouding());
add(testInfo, "verblijfplaats.datumIngangGeldigheid",
person -> person.getVerblijfplaats().getDatumIngangGeldigheid());
add(testInfo, "verblijfplaats.datumInschrijvingInGemeente",
person -> person.getVerblijfplaats().getDatumInschrijvingInGemeente());
add(testInfo, "verblijfplaats.datumVestigingInNederland",
person -> person.getVerblijfplaats().getDatumVestigingInNederland());
add(testInfo, "verblijfplaats.gemeenteVanInschrijving",
person -> person.getVerblijfplaats().getGemeenteVanInschrijving());
add(testInfo, "verblijfplaats.landVanwaarIngeschreven",
person -> person.getVerblijfplaats().getLandVanwaarIngeschreven());
add(testInfo, "verblijfplaats.adresregel1",
person -> person.getVerblijfplaats().getAdresregel1());
add(testInfo, "verblijfplaats.adresregel3",
person -> person.getVerblijfplaats().getAdresregel2());
add(testInfo, "verblijfplaats.vertrokkenOnbekendWaarheen",
person -> person.getVerblijfplaats().getAdresregel3());
add(testInfo, "verblijfplaats.vertrokkenOnbekendWaarheen",
person -> person.getVerblijfplaats().getVertrokkenOnbekendWaarheen());
add(testInfo, "verblijfplaats.land",
person -> person.getVerblijfplaats().getLand());
add(testInfo, "verblijfplaats.inOnderzoek",
person -> person.getVerblijfplaats().getInOnderzoek());
add(testInfo, "verblijfplaats.straat",
person -> person.getVerblijfplaats().getStraat());
add(testInfo, "verblijfplaats.huisnummer",
person -> person.getVerblijfplaats().getHuisnummer());
add(testInfo, "verblijfplaats.huisletter",
person -> person.getVerblijfplaats().getHuisletter());
add(testInfo, "verblijfplaats.huisnummertoevoeging",
person -> person.getVerblijfplaats().getHuisnummertoevoeging());
add(testInfo, "verblijfplaats.postcode",
person -> person.getVerblijfplaats().getPostcode());
add(testInfo, "verblijfplaats.woonplaats",
person -> person.getVerblijfplaats().getWoonplaats());
}
private boolean isNotNull(TestPersonResult testInfo, Function<IngeschrevenPersoonHal, Object> function) {
Object procuraValue = function.apply(testInfo.getProcuraPerson());
Object vngValue = function.apply(testInfo.getVngPerson());
return procuraValue != null && vngValue != null;
}
private boolean add(TestPersonResult testInfo, String value, Function<IngeschrevenPersoonHal, Object> function) {
Object procuraValue = function.apply(testInfo.getProcuraPerson());
Object vngValue = function.apply(testInfo.getVngPerson());
ComparedData data = new ComparedData(value, procuraValue, vngValue);
testInfo.getDataList().add(data);
return data.isEquals();
}
private IngeschrevenPersoonHal getVngIngeschrevenPersoon(long bsn) throws IOException {
InputStream resource = Testdata.class.getClassLoader().getResourceAsStream("vng-api-data.zip");
assert resource != null;
ZipInputStream zipInputStream = new ZipInputStream(resource, StandardCharsets.UTF_8);
ZipEntry nextEntry;
while ((nextEntry = zipInputStream.getNextEntry()) != null) {
boolean isBsn = nextEntry.getName().equals(new Bsn(bsn) + ".json");
if (isBsn) {
return objectMapper.readValue(zipInputStream, IngeschrevenPersoonHal.class);
}
}
throw new IllegalStateException("Personal data of " + bsn + " has not been found");
}
private void writeResults(List<TestPersonResult> results, boolean writeAllValues) throws IOException {
File resultsFolder = new File("target/comparison-data");
FileUtils.deleteDirectory(resultsFolder);
for (TestPersonResult result : results) {
File folder;
if (result.isSkipped()) {
folder = new File(resultsFolder, "skipped");
} else if (result.getException() != null) {
folder = new File(resultsFolder, "exception");
} else if (result.matchesAll()) {
folder = new File(resultsFolder, "matches");
} else {
folder = new File(resultsFolder, "different");
}
if (folder.mkdirs()) {
log.debug(folder + " created!");
}
FileUtils.writeByteArrayToFile(new File(folder, result.getBsn() + ".json"),
objectMapper.writerWithDefaultPrettyPrinter()
.writeValueAsString(getFilteredResult(result, writeAllValues))
.getBytes());
}
}
private TestPersonResult getFilteredResult(TestPersonResult result, boolean writeAllValues) {
return new TestPersonResult()
.setBsn(result.getBsn())
.setException(result.getException())
.setDifferentValues(result.getDifferentValues())
.setDataList(result.getDataList().stream()
.filter(data -> writeAllValues || !data.isEquals)
.collect(Collectors.toList()));
}
@Data
@Accessors(chain = true)
public static class TestPersonResult {
private String bsn;
private boolean skipped;
private String exception;
private List<String> differentValues = new ArrayList<>();
private List<ComparedData> dataList = new ArrayList<>();
private IngeschrevenPersoonHal procuraPerson;
private IngeschrevenPersoonHal vngPerson;
public boolean matchesAll() {
return dataList.stream().filter(data -> !data.isEquals()).findFirst().isEmpty();
}
}
@Getter
@Accessors(chain = true)
public static class ComparedData {
private final String name;
private final Object procura;
private final Object vng;
private final boolean isEquals;
public ComparedData(String name, Object procura, Object vng) {
this.name = name;
this.procura = procura == null ? "null" : procura;
this.vng = vng == null ? "null" : vng;
if (procura instanceof String && vng instanceof String) {
this.isEquals = Objects.equals(((String) procura).trim(), ((String) vng).trim());
} else {
this.isEquals = Objects.equals(procura, vng);
}
}
}
}
|
211668_1 | package nl.procura.haalcentraal.brp.bevragen.resources.bipV1_3;
import static java.util.Collections.singletonList;
import java.io.File;
import java.io.IOException;
import java.io.InputStream;
import java.nio.charset.StandardCharsets;
import java.util.*;
import java.util.function.Function;
import java.util.stream.Collectors;
import java.util.zip.ZipEntry;
import java.util.zip.ZipInputStream;
import org.apache.commons.io.FileUtils;
import org.junit.jupiter.api.Disabled;
import org.junit.jupiter.api.Test;
import nl.procura.burgerzaken.gba.numbers.Bsn;
import nl.procura.gbaws.testdata.Testdata;
import nl.vng.realisatie.haalcentraal.rest.generated.model.bipv1_3.*;
import lombok.Data;
import lombok.Getter;
import lombok.SneakyThrows;
import lombok.experimental.Accessors;
import lombok.extern.slf4j.Slf4j;
import spring.PersonRecordSource;
@Slf4j
public class WebserviceCompareTest extends IngeschrevenPersonenResourceTest {
@Test
@Disabled
@SneakyThrows
public void mustCompareMultiplePeople() {
int numberOfBsns = 700;
writeResults(getBsns(numberOfBsns).stream().map(this::getResult).collect(Collectors.toList()), false);
}
@Test
@Disabled
@SneakyThrows
public void mustCompareSinglePerson() {
writeResults(singletonList(getResult(999990019L)), false);
}
private List<Long> getBsns(int max) {
Set<Long> bsns = Testdata.getGbaVBsns();
return new ArrayList<>(bsns).subList(0, Math.min(max, bsns.size()));
}
private TestPersonResult getResult(Long bsn) {
TestPersonResult result = new TestPersonResult();
result.setBsn(new Bsn(bsn).toString());
try {
IngeschrevenPersoonHal procura;
IngeschrevenPersoonHal vng;
try {
PersonRecordSource.emptyQueue();
procura = getIngeschrevenPersoon(bsn);
vng = getVngIngeschrevenPersoon(bsn);
result.setProcuraPerson(procura);
result.setVngPerson(vng);
} catch (Exception e) {
result.setSkipped(true);
return result;
}
add(result, "bsn", IngeschrevenPersoon::getBurgerservicenummer);
// add(result, "a-nummer", IngeschrevenPersoon::getaNummer); // Niet in VNG data
add(result, "geheimhoudingpersoonsgegevens", IngeschrevenPersoon::getGeheimhoudingPersoonsgegevens);
add(result, "geslachtsaanduiding", IngeschrevenPersoon::getGeslachtsaanduiding);
add(result, "leeftijd", IngeschrevenPersoon::getLeeftijd);
// add(result, "datum inschrijving gba", IngeschrevenPersoon::getDatumEersteInschrijvingGBA); // Niet in VNG data
compareNaamPersoon(result);
compareGeboorte(result);
compareVerblijfplaats(result);
if (add(result, "links", person -> person.getLinks() != null)) {
if (add(result, "links.kinderen", person -> person.getLinks().getKinderen() != null)) {
if (procura.getLinks().getKinderen() != null) {
add(result, "links.kinderen.count", person -> person.getLinks().getKinderen().size());
}
}
if (add(result, "links.kinderen", person -> person.getLinks().getKinderen() != null)) {
if (procura.getLinks().getKinderen() != null) {
add(result, "links.kinderen.count", person -> person.getLinks().getKinderen().size());
}
}
if (add(result, "links.partners", person -> person.getLinks().getPartners() != null)) {
if (procura.getLinks().getPartners() != null) {
add(result, "links.partners.count", person -> person.getLinks().getPartners().size());
}
}
}
add(result, "kiesrecht", person -> person.getKiesrecht() != null);
add(result, "inOnderzoek", IngeschrevenPersoon::getInOnderzoek);
add(result, "opschorting", person -> person.getOpschortingBijhouding() != null);
add(result, "overlijden", person -> person.getOverlijden() != null);
add(result, "gezagsverhouding", person -> person.getGezagsverhouding() != null);
// add(result, "nationaliteiten", person -> person.getNationaliteiten() != null); // Nog niet geimplementeerd
// add(result, "verblijfstitel", person -> person.getVerblijfstitel() != null); // Nog niet geimplementeerd
// add(result, "reisdocumentnummer", person -> person.getReisdocumentnummers() != null); // Nog niet geimplementeerd
if (isNotNull(result, IngeschrevenPersoonHal::getOverlijden)) {
compareOverlijden(result, IngeschrevenPersoon::getOverlijden);
}
if (isNotNull(result, IngeschrevenPersoonHal::getOpschortingBijhouding)) {
compareOpschorting(result, IngeschrevenPersoon::getOpschortingBijhouding);
}
if (isNotNull(result, IngeschrevenPersoonHal::getGezagsverhouding)) {
compareGezag(result, IngeschrevenPersoon::getGezagsverhouding);
}
if (isNotNull(result, IngeschrevenPersoonHal::getEmbedded)) {
add(result, "kinderen", person -> person.getEmbedded().getKinderen() != null);
add(result, "ouders", person -> person.getEmbedded().getOuders() != null);
add(result, "partners", person -> person.getEmbedded().getPartners() != null);
if (isNotNull(result, person -> person.getEmbedded().getKinderen())) {
compareKind(result, person -> person.getEmbedded().getKinderen()
.stream().min(Comparator.comparing(a -> a.getNaam().getVoornamen()))
.orElse(null));
}
if (isNotNull(result, person -> person.getEmbedded().getOuders())) {
compareNaam(result, "ouder", person -> person.getEmbedded()
.getOuders().get(0).getNaam());
}
if (isNotNull(result, person -> person.getEmbedded().getPartners())) {
compareNaam(result, "partner", person -> person.getEmbedded()
.getPartners().get(0).getNaam());
}
}
result.setDifferentValues(result.getDataList()
.stream()
.filter(info -> !info.isEquals)
.map(ComparedData::getName)
.collect(Collectors.toList()));
} catch (Exception e) {
e.printStackTrace();
result.setException(e.getMessage());
}
return result;
}
private void compareOverlijden(TestPersonResult result, Function<IngeschrevenPersoonHal, Overlijden> function) {
add(result, "overlijden.indicatie", person -> function.apply(person).getIndicatieOverleden());
add(result, "overlijden.datum", person -> function.apply(person).getDatum());
add(result, "overlijden.plaats", person -> function.apply(person).getPlaats());
add(result, "overlijden.land", person -> function.apply(person).getLand());
add(result, "overlijden.onderzoek", person -> function.apply(person).getInOnderzoek());
}
private void compareOpschorting(TestPersonResult result,
Function<IngeschrevenPersoonHal, OpschortingBijhouding> function) {
add(result, "opschorting.datum", person -> function.apply(person).getDatum());
add(result, "opschorting.reden", person -> function.apply(person).getReden());
}
private void compareGezag(TestPersonResult result,
Function<IngeschrevenPersoonHal, Gezagsverhouding> function) {
add(result, "gezag.minderjarige", person -> function.apply(person).getIndicatieGezagMinderjarige());
add(result, "gezag.curatele", person -> function.apply(person).getIndicatieCurateleRegister());
add(result, "gezag.onderzoek", person -> function.apply(person).getInOnderzoek());
}
private void compareKind(TestPersonResult result, Function<IngeschrevenPersoonHal, KindHalBasis> function) {
add(result, "kind.leeftijd", person -> function.apply(person).getLeeftijd());
add(result, "kind.geheimhouding", person -> function.apply(person).getGeheimhoudingPersoonsgegevens());
add(result, "kind.bsn", person -> function.apply(person).getBurgerservicenummer());
add(result, "kind.onderzoek", person -> function.apply(person).getInOnderzoek());
compareNaam(result, "kind", person -> person.getEmbedded().getKinderen()
.stream().min(Comparator.comparing(a -> a.getNaam().getVoornamen()))
.map(Kind::getNaam)
.orElse(null));
}
private void compareNaam(TestPersonResult result, String type, Function<IngeschrevenPersoonHal, Naam> function) {
add(result, type + ".naam.geslachtsnaam", person -> function.apply(person).getGeslachtsnaam());
add(result, type + ".naam.titelPredikaat", person -> function.apply(person).getAdellijkeTitelPredikaat());
add(result, type + ".naam.voorletters", person -> function.apply(person).getVoorletters());
add(result, type + ".naam.voornamen", person -> function.apply(person).getVoornamen());
add(result, type + ".naam.voorvoegsel", person -> function.apply(person).getVoorvoegsel());
add(result, type + ".naam.inOnderzoek", person -> function.apply(person).getInOnderzoek());
}
private void compareNaamPersoon(TestPersonResult result) {
add(result, "naam.aanhef",
person -> person.getNaam().getAanhef());
add(result, "naam.aanschrijfwijze",
person -> person.getNaam().getAanschrijfwijze());
add(result, "naam.regelVoorafgaandAanAanschrijfwijze",
person -> person.getNaam().getRegelVoorafgaandAanAanschrijfwijze());
add(result, "naam.gebruikInLopendeTekst",
person -> person.getNaam().getGebruikInLopendeTekst());
add(result, "naam.aanduidingNaamgebruik",
person -> person.getNaam().getAanduidingNaamgebruik());
add(result, "naam.inOnderzoek",
person -> person.getNaam().getInOnderzoek());
add(result, "naam.geslachtsnaam",
person -> person.getNaam().getGeslachtsnaam());
add(result, "naam.voorletters",
person -> person.getNaam().getVoorletters());
add(result, "naam.voornamen",
person -> person.getNaam().getVoornamen());
add(result, "naam.voorvoegsel",
person -> person.getNaam().getVoorvoegsel());
add(result, "naam.adellijkeTitelPredikaat",
person -> person.getNaam().getAdellijkeTitelPredikaat());
}
private void compareGeboorte(TestPersonResult testInfo) {
add(testInfo, "geboorte.datum",
person -> person.getGeboorte().getDatum());
add(testInfo, "geboorte.plaats",
person -> person.getGeboorte().getPlaats());
add(testInfo, "geboorte.datum",
person -> person.getGeboorte().getDatum());
add(testInfo, "geboorte.inonderzoek",
person -> person.getGeboorte().getInOnderzoek());
}
private void compareVerblijfplaats(TestPersonResult testInfo) {
add(testInfo, "verblijfplaats.adresseerbaarObjectIdentificatie",
person -> person.getVerblijfplaats().getAdresseerbaarObjectIdentificatie());
add(testInfo, "verblijfplaats.aanduidingBijHuisnummer",
person -> person.getVerblijfplaats().getAanduidingBijHuisnummer());
add(testInfo, "verblijfplaats.nummeraanduidingIdentificatie",
person -> person.getVerblijfplaats().getNummeraanduidingIdentificatie());
add(testInfo, "verblijfplaats.functieAdres",
person -> person.getVerblijfplaats().getFunctieAdres());
add(testInfo, "verblijfplaats.indicatieVestigingVanuitBuitenland",
person -> person.getVerblijfplaats().getIndicatieVestigingVanuitBuitenland());
add(testInfo, "verblijfplaats.locatiebeschrijving",
person -> person.getVerblijfplaats().getLocatiebeschrijving());
add(testInfo, "verblijfplaats.korteNaam",
person -> person.getVerblijfplaats().getKorteNaam());
add(testInfo, "verblijfplaats.vanuitVertrokkenOnbekendWaarheen",
person -> person.getVerblijfplaats().getVanuitVertrokkenOnbekendWaarheen());
add(testInfo, "verblijfplaats.datumAanvangAdreshouding",
person -> person.getVerblijfplaats().getDatumAanvangAdreshouding());
add(testInfo, "verblijfplaats.datumIngangGeldigheid",
person -> person.getVerblijfplaats().getDatumIngangGeldigheid());
add(testInfo, "verblijfplaats.datumInschrijvingInGemeente",
person -> person.getVerblijfplaats().getDatumInschrijvingInGemeente());
add(testInfo, "verblijfplaats.datumVestigingInNederland",
person -> person.getVerblijfplaats().getDatumVestigingInNederland());
add(testInfo, "verblijfplaats.gemeenteVanInschrijving",
person -> person.getVerblijfplaats().getGemeenteVanInschrijving());
add(testInfo, "verblijfplaats.landVanwaarIngeschreven",
person -> person.getVerblijfplaats().getLandVanwaarIngeschreven());
add(testInfo, "verblijfplaats.adresregel1",
person -> person.getVerblijfplaats().getAdresregel1());
add(testInfo, "verblijfplaats.adresregel3",
person -> person.getVerblijfplaats().getAdresregel2());
add(testInfo, "verblijfplaats.vertrokkenOnbekendWaarheen",
person -> person.getVerblijfplaats().getAdresregel3());
add(testInfo, "verblijfplaats.vertrokkenOnbekendWaarheen",
person -> person.getVerblijfplaats().getVertrokkenOnbekendWaarheen());
add(testInfo, "verblijfplaats.land",
person -> person.getVerblijfplaats().getLand());
add(testInfo, "verblijfplaats.inOnderzoek",
person -> person.getVerblijfplaats().getInOnderzoek());
add(testInfo, "verblijfplaats.straat",
person -> person.getVerblijfplaats().getStraat());
add(testInfo, "verblijfplaats.huisnummer",
person -> person.getVerblijfplaats().getHuisnummer());
add(testInfo, "verblijfplaats.huisletter",
person -> person.getVerblijfplaats().getHuisletter());
add(testInfo, "verblijfplaats.huisnummertoevoeging",
person -> person.getVerblijfplaats().getHuisnummertoevoeging());
add(testInfo, "verblijfplaats.postcode",
person -> person.getVerblijfplaats().getPostcode());
add(testInfo, "verblijfplaats.woonplaats",
person -> person.getVerblijfplaats().getWoonplaats());
}
private boolean isNotNull(TestPersonResult testInfo, Function<IngeschrevenPersoonHal, Object> function) {
Object procuraValue = function.apply(testInfo.getProcuraPerson());
Object vngValue = function.apply(testInfo.getVngPerson());
return procuraValue != null && vngValue != null;
}
private boolean add(TestPersonResult testInfo, String value, Function<IngeschrevenPersoonHal, Object> function) {
Object procuraValue = function.apply(testInfo.getProcuraPerson());
Object vngValue = function.apply(testInfo.getVngPerson());
ComparedData data = new ComparedData(value, procuraValue, vngValue);
testInfo.getDataList().add(data);
return data.isEquals();
}
private IngeschrevenPersoonHal getVngIngeschrevenPersoon(long bsn) throws IOException {
InputStream resource = Testdata.class.getClassLoader().getResourceAsStream("vng-api-data.zip");
assert resource != null;
ZipInputStream zipInputStream = new ZipInputStream(resource, StandardCharsets.UTF_8);
ZipEntry nextEntry;
while ((nextEntry = zipInputStream.getNextEntry()) != null) {
boolean isBsn = nextEntry.getName().equals(new Bsn(bsn) + ".json");
if (isBsn) {
return objectMapper.readValue(zipInputStream, IngeschrevenPersoonHal.class);
}
}
throw new IllegalStateException("Personal data of " + bsn + " has not been found");
}
private void writeResults(List<TestPersonResult> results, boolean writeAllValues) throws IOException {
File resultsFolder = new File("target/comparison-data");
FileUtils.deleteDirectory(resultsFolder);
for (TestPersonResult result : results) {
File folder;
if (result.isSkipped()) {
folder = new File(resultsFolder, "skipped");
} else if (result.getException() != null) {
folder = new File(resultsFolder, "exception");
} else if (result.matchesAll()) {
folder = new File(resultsFolder, "matches");
} else {
folder = new File(resultsFolder, "different");
}
if (folder.mkdirs()) {
log.debug(folder + " created!");
}
FileUtils.writeByteArrayToFile(new File(folder, result.getBsn() + ".json"),
objectMapper.writerWithDefaultPrettyPrinter()
.writeValueAsString(getFilteredResult(result, writeAllValues))
.getBytes());
}
}
private TestPersonResult getFilteredResult(TestPersonResult result, boolean writeAllValues) {
return new TestPersonResult()
.setBsn(result.getBsn())
.setException(result.getException())
.setDifferentValues(result.getDifferentValues())
.setDataList(result.getDataList().stream()
.filter(data -> writeAllValues || !data.isEquals)
.collect(Collectors.toList()));
}
@Data
@Accessors(chain = true)
public static class TestPersonResult {
private String bsn;
private boolean skipped;
private String exception;
private List<String> differentValues = new ArrayList<>();
private List<ComparedData> dataList = new ArrayList<>();
private IngeschrevenPersoonHal procuraPerson;
private IngeschrevenPersoonHal vngPerson;
public boolean matchesAll() {
return dataList.stream().filter(data -> !data.isEquals()).findFirst().isEmpty();
}
}
@Getter
@Accessors(chain = true)
public static class ComparedData {
private final String name;
private final Object procura;
private final Object vng;
private final boolean isEquals;
public ComparedData(String name, Object procura, Object vng) {
this.name = name;
this.procura = procura == null ? "null" : procura;
this.vng = vng == null ? "null" : vng;
if (procura instanceof String && vng instanceof String) {
this.isEquals = Objects.equals(((String) procura).trim(), ((String) vng).trim());
} else {
this.isEquals = Objects.equals(procura, vng);
}
}
}
}
| vrijBRP/vrijBRP-Haal-Centraal-BRP-bevragen | application/src/test/java/nl/procura/haalcentraal/brp/bevragen/resources/bipV1_3/WebserviceCompareTest.java | 4,996 | // add(result, "datum inschrijving gba", IngeschrevenPersoon::getDatumEersteInschrijvingGBA); // Niet in VNG data | line_comment | nl | package nl.procura.haalcentraal.brp.bevragen.resources.bipV1_3;
import static java.util.Collections.singletonList;
import java.io.File;
import java.io.IOException;
import java.io.InputStream;
import java.nio.charset.StandardCharsets;
import java.util.*;
import java.util.function.Function;
import java.util.stream.Collectors;
import java.util.zip.ZipEntry;
import java.util.zip.ZipInputStream;
import org.apache.commons.io.FileUtils;
import org.junit.jupiter.api.Disabled;
import org.junit.jupiter.api.Test;
import nl.procura.burgerzaken.gba.numbers.Bsn;
import nl.procura.gbaws.testdata.Testdata;
import nl.vng.realisatie.haalcentraal.rest.generated.model.bipv1_3.*;
import lombok.Data;
import lombok.Getter;
import lombok.SneakyThrows;
import lombok.experimental.Accessors;
import lombok.extern.slf4j.Slf4j;
import spring.PersonRecordSource;
@Slf4j
public class WebserviceCompareTest extends IngeschrevenPersonenResourceTest {
@Test
@Disabled
@SneakyThrows
public void mustCompareMultiplePeople() {
int numberOfBsns = 700;
writeResults(getBsns(numberOfBsns).stream().map(this::getResult).collect(Collectors.toList()), false);
}
@Test
@Disabled
@SneakyThrows
public void mustCompareSinglePerson() {
writeResults(singletonList(getResult(999990019L)), false);
}
private List<Long> getBsns(int max) {
Set<Long> bsns = Testdata.getGbaVBsns();
return new ArrayList<>(bsns).subList(0, Math.min(max, bsns.size()));
}
private TestPersonResult getResult(Long bsn) {
TestPersonResult result = new TestPersonResult();
result.setBsn(new Bsn(bsn).toString());
try {
IngeschrevenPersoonHal procura;
IngeschrevenPersoonHal vng;
try {
PersonRecordSource.emptyQueue();
procura = getIngeschrevenPersoon(bsn);
vng = getVngIngeschrevenPersoon(bsn);
result.setProcuraPerson(procura);
result.setVngPerson(vng);
} catch (Exception e) {
result.setSkipped(true);
return result;
}
add(result, "bsn", IngeschrevenPersoon::getBurgerservicenummer);
// add(result, "a-nummer", IngeschrevenPersoon::getaNummer); // Niet in VNG data
add(result, "geheimhoudingpersoonsgegevens", IngeschrevenPersoon::getGeheimhoudingPersoonsgegevens);
add(result, "geslachtsaanduiding", IngeschrevenPersoon::getGeslachtsaanduiding);
add(result, "leeftijd", IngeschrevenPersoon::getLeeftijd);
// add(result, "datum<SUF>
compareNaamPersoon(result);
compareGeboorte(result);
compareVerblijfplaats(result);
if (add(result, "links", person -> person.getLinks() != null)) {
if (add(result, "links.kinderen", person -> person.getLinks().getKinderen() != null)) {
if (procura.getLinks().getKinderen() != null) {
add(result, "links.kinderen.count", person -> person.getLinks().getKinderen().size());
}
}
if (add(result, "links.kinderen", person -> person.getLinks().getKinderen() != null)) {
if (procura.getLinks().getKinderen() != null) {
add(result, "links.kinderen.count", person -> person.getLinks().getKinderen().size());
}
}
if (add(result, "links.partners", person -> person.getLinks().getPartners() != null)) {
if (procura.getLinks().getPartners() != null) {
add(result, "links.partners.count", person -> person.getLinks().getPartners().size());
}
}
}
add(result, "kiesrecht", person -> person.getKiesrecht() != null);
add(result, "inOnderzoek", IngeschrevenPersoon::getInOnderzoek);
add(result, "opschorting", person -> person.getOpschortingBijhouding() != null);
add(result, "overlijden", person -> person.getOverlijden() != null);
add(result, "gezagsverhouding", person -> person.getGezagsverhouding() != null);
// add(result, "nationaliteiten", person -> person.getNationaliteiten() != null); // Nog niet geimplementeerd
// add(result, "verblijfstitel", person -> person.getVerblijfstitel() != null); // Nog niet geimplementeerd
// add(result, "reisdocumentnummer", person -> person.getReisdocumentnummers() != null); // Nog niet geimplementeerd
if (isNotNull(result, IngeschrevenPersoonHal::getOverlijden)) {
compareOverlijden(result, IngeschrevenPersoon::getOverlijden);
}
if (isNotNull(result, IngeschrevenPersoonHal::getOpschortingBijhouding)) {
compareOpschorting(result, IngeschrevenPersoon::getOpschortingBijhouding);
}
if (isNotNull(result, IngeschrevenPersoonHal::getGezagsverhouding)) {
compareGezag(result, IngeschrevenPersoon::getGezagsverhouding);
}
if (isNotNull(result, IngeschrevenPersoonHal::getEmbedded)) {
add(result, "kinderen", person -> person.getEmbedded().getKinderen() != null);
add(result, "ouders", person -> person.getEmbedded().getOuders() != null);
add(result, "partners", person -> person.getEmbedded().getPartners() != null);
if (isNotNull(result, person -> person.getEmbedded().getKinderen())) {
compareKind(result, person -> person.getEmbedded().getKinderen()
.stream().min(Comparator.comparing(a -> a.getNaam().getVoornamen()))
.orElse(null));
}
if (isNotNull(result, person -> person.getEmbedded().getOuders())) {
compareNaam(result, "ouder", person -> person.getEmbedded()
.getOuders().get(0).getNaam());
}
if (isNotNull(result, person -> person.getEmbedded().getPartners())) {
compareNaam(result, "partner", person -> person.getEmbedded()
.getPartners().get(0).getNaam());
}
}
result.setDifferentValues(result.getDataList()
.stream()
.filter(info -> !info.isEquals)
.map(ComparedData::getName)
.collect(Collectors.toList()));
} catch (Exception e) {
e.printStackTrace();
result.setException(e.getMessage());
}
return result;
}
private void compareOverlijden(TestPersonResult result, Function<IngeschrevenPersoonHal, Overlijden> function) {
add(result, "overlijden.indicatie", person -> function.apply(person).getIndicatieOverleden());
add(result, "overlijden.datum", person -> function.apply(person).getDatum());
add(result, "overlijden.plaats", person -> function.apply(person).getPlaats());
add(result, "overlijden.land", person -> function.apply(person).getLand());
add(result, "overlijden.onderzoek", person -> function.apply(person).getInOnderzoek());
}
private void compareOpschorting(TestPersonResult result,
Function<IngeschrevenPersoonHal, OpschortingBijhouding> function) {
add(result, "opschorting.datum", person -> function.apply(person).getDatum());
add(result, "opschorting.reden", person -> function.apply(person).getReden());
}
private void compareGezag(TestPersonResult result,
Function<IngeschrevenPersoonHal, Gezagsverhouding> function) {
add(result, "gezag.minderjarige", person -> function.apply(person).getIndicatieGezagMinderjarige());
add(result, "gezag.curatele", person -> function.apply(person).getIndicatieCurateleRegister());
add(result, "gezag.onderzoek", person -> function.apply(person).getInOnderzoek());
}
private void compareKind(TestPersonResult result, Function<IngeschrevenPersoonHal, KindHalBasis> function) {
add(result, "kind.leeftijd", person -> function.apply(person).getLeeftijd());
add(result, "kind.geheimhouding", person -> function.apply(person).getGeheimhoudingPersoonsgegevens());
add(result, "kind.bsn", person -> function.apply(person).getBurgerservicenummer());
add(result, "kind.onderzoek", person -> function.apply(person).getInOnderzoek());
compareNaam(result, "kind", person -> person.getEmbedded().getKinderen()
.stream().min(Comparator.comparing(a -> a.getNaam().getVoornamen()))
.map(Kind::getNaam)
.orElse(null));
}
private void compareNaam(TestPersonResult result, String type, Function<IngeschrevenPersoonHal, Naam> function) {
add(result, type + ".naam.geslachtsnaam", person -> function.apply(person).getGeslachtsnaam());
add(result, type + ".naam.titelPredikaat", person -> function.apply(person).getAdellijkeTitelPredikaat());
add(result, type + ".naam.voorletters", person -> function.apply(person).getVoorletters());
add(result, type + ".naam.voornamen", person -> function.apply(person).getVoornamen());
add(result, type + ".naam.voorvoegsel", person -> function.apply(person).getVoorvoegsel());
add(result, type + ".naam.inOnderzoek", person -> function.apply(person).getInOnderzoek());
}
private void compareNaamPersoon(TestPersonResult result) {
add(result, "naam.aanhef",
person -> person.getNaam().getAanhef());
add(result, "naam.aanschrijfwijze",
person -> person.getNaam().getAanschrijfwijze());
add(result, "naam.regelVoorafgaandAanAanschrijfwijze",
person -> person.getNaam().getRegelVoorafgaandAanAanschrijfwijze());
add(result, "naam.gebruikInLopendeTekst",
person -> person.getNaam().getGebruikInLopendeTekst());
add(result, "naam.aanduidingNaamgebruik",
person -> person.getNaam().getAanduidingNaamgebruik());
add(result, "naam.inOnderzoek",
person -> person.getNaam().getInOnderzoek());
add(result, "naam.geslachtsnaam",
person -> person.getNaam().getGeslachtsnaam());
add(result, "naam.voorletters",
person -> person.getNaam().getVoorletters());
add(result, "naam.voornamen",
person -> person.getNaam().getVoornamen());
add(result, "naam.voorvoegsel",
person -> person.getNaam().getVoorvoegsel());
add(result, "naam.adellijkeTitelPredikaat",
person -> person.getNaam().getAdellijkeTitelPredikaat());
}
private void compareGeboorte(TestPersonResult testInfo) {
add(testInfo, "geboorte.datum",
person -> person.getGeboorte().getDatum());
add(testInfo, "geboorte.plaats",
person -> person.getGeboorte().getPlaats());
add(testInfo, "geboorte.datum",
person -> person.getGeboorte().getDatum());
add(testInfo, "geboorte.inonderzoek",
person -> person.getGeboorte().getInOnderzoek());
}
private void compareVerblijfplaats(TestPersonResult testInfo) {
add(testInfo, "verblijfplaats.adresseerbaarObjectIdentificatie",
person -> person.getVerblijfplaats().getAdresseerbaarObjectIdentificatie());
add(testInfo, "verblijfplaats.aanduidingBijHuisnummer",
person -> person.getVerblijfplaats().getAanduidingBijHuisnummer());
add(testInfo, "verblijfplaats.nummeraanduidingIdentificatie",
person -> person.getVerblijfplaats().getNummeraanduidingIdentificatie());
add(testInfo, "verblijfplaats.functieAdres",
person -> person.getVerblijfplaats().getFunctieAdres());
add(testInfo, "verblijfplaats.indicatieVestigingVanuitBuitenland",
person -> person.getVerblijfplaats().getIndicatieVestigingVanuitBuitenland());
add(testInfo, "verblijfplaats.locatiebeschrijving",
person -> person.getVerblijfplaats().getLocatiebeschrijving());
add(testInfo, "verblijfplaats.korteNaam",
person -> person.getVerblijfplaats().getKorteNaam());
add(testInfo, "verblijfplaats.vanuitVertrokkenOnbekendWaarheen",
person -> person.getVerblijfplaats().getVanuitVertrokkenOnbekendWaarheen());
add(testInfo, "verblijfplaats.datumAanvangAdreshouding",
person -> person.getVerblijfplaats().getDatumAanvangAdreshouding());
add(testInfo, "verblijfplaats.datumIngangGeldigheid",
person -> person.getVerblijfplaats().getDatumIngangGeldigheid());
add(testInfo, "verblijfplaats.datumInschrijvingInGemeente",
person -> person.getVerblijfplaats().getDatumInschrijvingInGemeente());
add(testInfo, "verblijfplaats.datumVestigingInNederland",
person -> person.getVerblijfplaats().getDatumVestigingInNederland());
add(testInfo, "verblijfplaats.gemeenteVanInschrijving",
person -> person.getVerblijfplaats().getGemeenteVanInschrijving());
add(testInfo, "verblijfplaats.landVanwaarIngeschreven",
person -> person.getVerblijfplaats().getLandVanwaarIngeschreven());
add(testInfo, "verblijfplaats.adresregel1",
person -> person.getVerblijfplaats().getAdresregel1());
add(testInfo, "verblijfplaats.adresregel3",
person -> person.getVerblijfplaats().getAdresregel2());
add(testInfo, "verblijfplaats.vertrokkenOnbekendWaarheen",
person -> person.getVerblijfplaats().getAdresregel3());
add(testInfo, "verblijfplaats.vertrokkenOnbekendWaarheen",
person -> person.getVerblijfplaats().getVertrokkenOnbekendWaarheen());
add(testInfo, "verblijfplaats.land",
person -> person.getVerblijfplaats().getLand());
add(testInfo, "verblijfplaats.inOnderzoek",
person -> person.getVerblijfplaats().getInOnderzoek());
add(testInfo, "verblijfplaats.straat",
person -> person.getVerblijfplaats().getStraat());
add(testInfo, "verblijfplaats.huisnummer",
person -> person.getVerblijfplaats().getHuisnummer());
add(testInfo, "verblijfplaats.huisletter",
person -> person.getVerblijfplaats().getHuisletter());
add(testInfo, "verblijfplaats.huisnummertoevoeging",
person -> person.getVerblijfplaats().getHuisnummertoevoeging());
add(testInfo, "verblijfplaats.postcode",
person -> person.getVerblijfplaats().getPostcode());
add(testInfo, "verblijfplaats.woonplaats",
person -> person.getVerblijfplaats().getWoonplaats());
}
private boolean isNotNull(TestPersonResult testInfo, Function<IngeschrevenPersoonHal, Object> function) {
Object procuraValue = function.apply(testInfo.getProcuraPerson());
Object vngValue = function.apply(testInfo.getVngPerson());
return procuraValue != null && vngValue != null;
}
private boolean add(TestPersonResult testInfo, String value, Function<IngeschrevenPersoonHal, Object> function) {
Object procuraValue = function.apply(testInfo.getProcuraPerson());
Object vngValue = function.apply(testInfo.getVngPerson());
ComparedData data = new ComparedData(value, procuraValue, vngValue);
testInfo.getDataList().add(data);
return data.isEquals();
}
private IngeschrevenPersoonHal getVngIngeschrevenPersoon(long bsn) throws IOException {
InputStream resource = Testdata.class.getClassLoader().getResourceAsStream("vng-api-data.zip");
assert resource != null;
ZipInputStream zipInputStream = new ZipInputStream(resource, StandardCharsets.UTF_8);
ZipEntry nextEntry;
while ((nextEntry = zipInputStream.getNextEntry()) != null) {
boolean isBsn = nextEntry.getName().equals(new Bsn(bsn) + ".json");
if (isBsn) {
return objectMapper.readValue(zipInputStream, IngeschrevenPersoonHal.class);
}
}
throw new IllegalStateException("Personal data of " + bsn + " has not been found");
}
private void writeResults(List<TestPersonResult> results, boolean writeAllValues) throws IOException {
File resultsFolder = new File("target/comparison-data");
FileUtils.deleteDirectory(resultsFolder);
for (TestPersonResult result : results) {
File folder;
if (result.isSkipped()) {
folder = new File(resultsFolder, "skipped");
} else if (result.getException() != null) {
folder = new File(resultsFolder, "exception");
} else if (result.matchesAll()) {
folder = new File(resultsFolder, "matches");
} else {
folder = new File(resultsFolder, "different");
}
if (folder.mkdirs()) {
log.debug(folder + " created!");
}
FileUtils.writeByteArrayToFile(new File(folder, result.getBsn() + ".json"),
objectMapper.writerWithDefaultPrettyPrinter()
.writeValueAsString(getFilteredResult(result, writeAllValues))
.getBytes());
}
}
private TestPersonResult getFilteredResult(TestPersonResult result, boolean writeAllValues) {
return new TestPersonResult()
.setBsn(result.getBsn())
.setException(result.getException())
.setDifferentValues(result.getDifferentValues())
.setDataList(result.getDataList().stream()
.filter(data -> writeAllValues || !data.isEquals)
.collect(Collectors.toList()));
}
@Data
@Accessors(chain = true)
public static class TestPersonResult {
private String bsn;
private boolean skipped;
private String exception;
private List<String> differentValues = new ArrayList<>();
private List<ComparedData> dataList = new ArrayList<>();
private IngeschrevenPersoonHal procuraPerson;
private IngeschrevenPersoonHal vngPerson;
public boolean matchesAll() {
return dataList.stream().filter(data -> !data.isEquals()).findFirst().isEmpty();
}
}
@Getter
@Accessors(chain = true)
public static class ComparedData {
private final String name;
private final Object procura;
private final Object vng;
private final boolean isEquals;
public ComparedData(String name, Object procura, Object vng) {
this.name = name;
this.procura = procura == null ? "null" : procura;
this.vng = vng == null ? "null" : vng;
if (procura instanceof String && vng instanceof String) {
this.isEquals = Objects.equals(((String) procura).trim(), ((String) vng).trim());
} else {
this.isEquals = Objects.equals(procura, vng);
}
}
}
}
|
211668_2 | package nl.procura.haalcentraal.brp.bevragen.resources.bipV1_3;
import static java.util.Collections.singletonList;
import java.io.File;
import java.io.IOException;
import java.io.InputStream;
import java.nio.charset.StandardCharsets;
import java.util.*;
import java.util.function.Function;
import java.util.stream.Collectors;
import java.util.zip.ZipEntry;
import java.util.zip.ZipInputStream;
import org.apache.commons.io.FileUtils;
import org.junit.jupiter.api.Disabled;
import org.junit.jupiter.api.Test;
import nl.procura.burgerzaken.gba.numbers.Bsn;
import nl.procura.gbaws.testdata.Testdata;
import nl.vng.realisatie.haalcentraal.rest.generated.model.bipv1_3.*;
import lombok.Data;
import lombok.Getter;
import lombok.SneakyThrows;
import lombok.experimental.Accessors;
import lombok.extern.slf4j.Slf4j;
import spring.PersonRecordSource;
@Slf4j
public class WebserviceCompareTest extends IngeschrevenPersonenResourceTest {
@Test
@Disabled
@SneakyThrows
public void mustCompareMultiplePeople() {
int numberOfBsns = 700;
writeResults(getBsns(numberOfBsns).stream().map(this::getResult).collect(Collectors.toList()), false);
}
@Test
@Disabled
@SneakyThrows
public void mustCompareSinglePerson() {
writeResults(singletonList(getResult(999990019L)), false);
}
private List<Long> getBsns(int max) {
Set<Long> bsns = Testdata.getGbaVBsns();
return new ArrayList<>(bsns).subList(0, Math.min(max, bsns.size()));
}
private TestPersonResult getResult(Long bsn) {
TestPersonResult result = new TestPersonResult();
result.setBsn(new Bsn(bsn).toString());
try {
IngeschrevenPersoonHal procura;
IngeschrevenPersoonHal vng;
try {
PersonRecordSource.emptyQueue();
procura = getIngeschrevenPersoon(bsn);
vng = getVngIngeschrevenPersoon(bsn);
result.setProcuraPerson(procura);
result.setVngPerson(vng);
} catch (Exception e) {
result.setSkipped(true);
return result;
}
add(result, "bsn", IngeschrevenPersoon::getBurgerservicenummer);
// add(result, "a-nummer", IngeschrevenPersoon::getaNummer); // Niet in VNG data
add(result, "geheimhoudingpersoonsgegevens", IngeschrevenPersoon::getGeheimhoudingPersoonsgegevens);
add(result, "geslachtsaanduiding", IngeschrevenPersoon::getGeslachtsaanduiding);
add(result, "leeftijd", IngeschrevenPersoon::getLeeftijd);
// add(result, "datum inschrijving gba", IngeschrevenPersoon::getDatumEersteInschrijvingGBA); // Niet in VNG data
compareNaamPersoon(result);
compareGeboorte(result);
compareVerblijfplaats(result);
if (add(result, "links", person -> person.getLinks() != null)) {
if (add(result, "links.kinderen", person -> person.getLinks().getKinderen() != null)) {
if (procura.getLinks().getKinderen() != null) {
add(result, "links.kinderen.count", person -> person.getLinks().getKinderen().size());
}
}
if (add(result, "links.kinderen", person -> person.getLinks().getKinderen() != null)) {
if (procura.getLinks().getKinderen() != null) {
add(result, "links.kinderen.count", person -> person.getLinks().getKinderen().size());
}
}
if (add(result, "links.partners", person -> person.getLinks().getPartners() != null)) {
if (procura.getLinks().getPartners() != null) {
add(result, "links.partners.count", person -> person.getLinks().getPartners().size());
}
}
}
add(result, "kiesrecht", person -> person.getKiesrecht() != null);
add(result, "inOnderzoek", IngeschrevenPersoon::getInOnderzoek);
add(result, "opschorting", person -> person.getOpschortingBijhouding() != null);
add(result, "overlijden", person -> person.getOverlijden() != null);
add(result, "gezagsverhouding", person -> person.getGezagsverhouding() != null);
// add(result, "nationaliteiten", person -> person.getNationaliteiten() != null); // Nog niet geimplementeerd
// add(result, "verblijfstitel", person -> person.getVerblijfstitel() != null); // Nog niet geimplementeerd
// add(result, "reisdocumentnummer", person -> person.getReisdocumentnummers() != null); // Nog niet geimplementeerd
if (isNotNull(result, IngeschrevenPersoonHal::getOverlijden)) {
compareOverlijden(result, IngeschrevenPersoon::getOverlijden);
}
if (isNotNull(result, IngeschrevenPersoonHal::getOpschortingBijhouding)) {
compareOpschorting(result, IngeschrevenPersoon::getOpschortingBijhouding);
}
if (isNotNull(result, IngeschrevenPersoonHal::getGezagsverhouding)) {
compareGezag(result, IngeschrevenPersoon::getGezagsverhouding);
}
if (isNotNull(result, IngeschrevenPersoonHal::getEmbedded)) {
add(result, "kinderen", person -> person.getEmbedded().getKinderen() != null);
add(result, "ouders", person -> person.getEmbedded().getOuders() != null);
add(result, "partners", person -> person.getEmbedded().getPartners() != null);
if (isNotNull(result, person -> person.getEmbedded().getKinderen())) {
compareKind(result, person -> person.getEmbedded().getKinderen()
.stream().min(Comparator.comparing(a -> a.getNaam().getVoornamen()))
.orElse(null));
}
if (isNotNull(result, person -> person.getEmbedded().getOuders())) {
compareNaam(result, "ouder", person -> person.getEmbedded()
.getOuders().get(0).getNaam());
}
if (isNotNull(result, person -> person.getEmbedded().getPartners())) {
compareNaam(result, "partner", person -> person.getEmbedded()
.getPartners().get(0).getNaam());
}
}
result.setDifferentValues(result.getDataList()
.stream()
.filter(info -> !info.isEquals)
.map(ComparedData::getName)
.collect(Collectors.toList()));
} catch (Exception e) {
e.printStackTrace();
result.setException(e.getMessage());
}
return result;
}
private void compareOverlijden(TestPersonResult result, Function<IngeschrevenPersoonHal, Overlijden> function) {
add(result, "overlijden.indicatie", person -> function.apply(person).getIndicatieOverleden());
add(result, "overlijden.datum", person -> function.apply(person).getDatum());
add(result, "overlijden.plaats", person -> function.apply(person).getPlaats());
add(result, "overlijden.land", person -> function.apply(person).getLand());
add(result, "overlijden.onderzoek", person -> function.apply(person).getInOnderzoek());
}
private void compareOpschorting(TestPersonResult result,
Function<IngeschrevenPersoonHal, OpschortingBijhouding> function) {
add(result, "opschorting.datum", person -> function.apply(person).getDatum());
add(result, "opschorting.reden", person -> function.apply(person).getReden());
}
private void compareGezag(TestPersonResult result,
Function<IngeschrevenPersoonHal, Gezagsverhouding> function) {
add(result, "gezag.minderjarige", person -> function.apply(person).getIndicatieGezagMinderjarige());
add(result, "gezag.curatele", person -> function.apply(person).getIndicatieCurateleRegister());
add(result, "gezag.onderzoek", person -> function.apply(person).getInOnderzoek());
}
private void compareKind(TestPersonResult result, Function<IngeschrevenPersoonHal, KindHalBasis> function) {
add(result, "kind.leeftijd", person -> function.apply(person).getLeeftijd());
add(result, "kind.geheimhouding", person -> function.apply(person).getGeheimhoudingPersoonsgegevens());
add(result, "kind.bsn", person -> function.apply(person).getBurgerservicenummer());
add(result, "kind.onderzoek", person -> function.apply(person).getInOnderzoek());
compareNaam(result, "kind", person -> person.getEmbedded().getKinderen()
.stream().min(Comparator.comparing(a -> a.getNaam().getVoornamen()))
.map(Kind::getNaam)
.orElse(null));
}
private void compareNaam(TestPersonResult result, String type, Function<IngeschrevenPersoonHal, Naam> function) {
add(result, type + ".naam.geslachtsnaam", person -> function.apply(person).getGeslachtsnaam());
add(result, type + ".naam.titelPredikaat", person -> function.apply(person).getAdellijkeTitelPredikaat());
add(result, type + ".naam.voorletters", person -> function.apply(person).getVoorletters());
add(result, type + ".naam.voornamen", person -> function.apply(person).getVoornamen());
add(result, type + ".naam.voorvoegsel", person -> function.apply(person).getVoorvoegsel());
add(result, type + ".naam.inOnderzoek", person -> function.apply(person).getInOnderzoek());
}
private void compareNaamPersoon(TestPersonResult result) {
add(result, "naam.aanhef",
person -> person.getNaam().getAanhef());
add(result, "naam.aanschrijfwijze",
person -> person.getNaam().getAanschrijfwijze());
add(result, "naam.regelVoorafgaandAanAanschrijfwijze",
person -> person.getNaam().getRegelVoorafgaandAanAanschrijfwijze());
add(result, "naam.gebruikInLopendeTekst",
person -> person.getNaam().getGebruikInLopendeTekst());
add(result, "naam.aanduidingNaamgebruik",
person -> person.getNaam().getAanduidingNaamgebruik());
add(result, "naam.inOnderzoek",
person -> person.getNaam().getInOnderzoek());
add(result, "naam.geslachtsnaam",
person -> person.getNaam().getGeslachtsnaam());
add(result, "naam.voorletters",
person -> person.getNaam().getVoorletters());
add(result, "naam.voornamen",
person -> person.getNaam().getVoornamen());
add(result, "naam.voorvoegsel",
person -> person.getNaam().getVoorvoegsel());
add(result, "naam.adellijkeTitelPredikaat",
person -> person.getNaam().getAdellijkeTitelPredikaat());
}
private void compareGeboorte(TestPersonResult testInfo) {
add(testInfo, "geboorte.datum",
person -> person.getGeboorte().getDatum());
add(testInfo, "geboorte.plaats",
person -> person.getGeboorte().getPlaats());
add(testInfo, "geboorte.datum",
person -> person.getGeboorte().getDatum());
add(testInfo, "geboorte.inonderzoek",
person -> person.getGeboorte().getInOnderzoek());
}
private void compareVerblijfplaats(TestPersonResult testInfo) {
add(testInfo, "verblijfplaats.adresseerbaarObjectIdentificatie",
person -> person.getVerblijfplaats().getAdresseerbaarObjectIdentificatie());
add(testInfo, "verblijfplaats.aanduidingBijHuisnummer",
person -> person.getVerblijfplaats().getAanduidingBijHuisnummer());
add(testInfo, "verblijfplaats.nummeraanduidingIdentificatie",
person -> person.getVerblijfplaats().getNummeraanduidingIdentificatie());
add(testInfo, "verblijfplaats.functieAdres",
person -> person.getVerblijfplaats().getFunctieAdres());
add(testInfo, "verblijfplaats.indicatieVestigingVanuitBuitenland",
person -> person.getVerblijfplaats().getIndicatieVestigingVanuitBuitenland());
add(testInfo, "verblijfplaats.locatiebeschrijving",
person -> person.getVerblijfplaats().getLocatiebeschrijving());
add(testInfo, "verblijfplaats.korteNaam",
person -> person.getVerblijfplaats().getKorteNaam());
add(testInfo, "verblijfplaats.vanuitVertrokkenOnbekendWaarheen",
person -> person.getVerblijfplaats().getVanuitVertrokkenOnbekendWaarheen());
add(testInfo, "verblijfplaats.datumAanvangAdreshouding",
person -> person.getVerblijfplaats().getDatumAanvangAdreshouding());
add(testInfo, "verblijfplaats.datumIngangGeldigheid",
person -> person.getVerblijfplaats().getDatumIngangGeldigheid());
add(testInfo, "verblijfplaats.datumInschrijvingInGemeente",
person -> person.getVerblijfplaats().getDatumInschrijvingInGemeente());
add(testInfo, "verblijfplaats.datumVestigingInNederland",
person -> person.getVerblijfplaats().getDatumVestigingInNederland());
add(testInfo, "verblijfplaats.gemeenteVanInschrijving",
person -> person.getVerblijfplaats().getGemeenteVanInschrijving());
add(testInfo, "verblijfplaats.landVanwaarIngeschreven",
person -> person.getVerblijfplaats().getLandVanwaarIngeschreven());
add(testInfo, "verblijfplaats.adresregel1",
person -> person.getVerblijfplaats().getAdresregel1());
add(testInfo, "verblijfplaats.adresregel3",
person -> person.getVerblijfplaats().getAdresregel2());
add(testInfo, "verblijfplaats.vertrokkenOnbekendWaarheen",
person -> person.getVerblijfplaats().getAdresregel3());
add(testInfo, "verblijfplaats.vertrokkenOnbekendWaarheen",
person -> person.getVerblijfplaats().getVertrokkenOnbekendWaarheen());
add(testInfo, "verblijfplaats.land",
person -> person.getVerblijfplaats().getLand());
add(testInfo, "verblijfplaats.inOnderzoek",
person -> person.getVerblijfplaats().getInOnderzoek());
add(testInfo, "verblijfplaats.straat",
person -> person.getVerblijfplaats().getStraat());
add(testInfo, "verblijfplaats.huisnummer",
person -> person.getVerblijfplaats().getHuisnummer());
add(testInfo, "verblijfplaats.huisletter",
person -> person.getVerblijfplaats().getHuisletter());
add(testInfo, "verblijfplaats.huisnummertoevoeging",
person -> person.getVerblijfplaats().getHuisnummertoevoeging());
add(testInfo, "verblijfplaats.postcode",
person -> person.getVerblijfplaats().getPostcode());
add(testInfo, "verblijfplaats.woonplaats",
person -> person.getVerblijfplaats().getWoonplaats());
}
private boolean isNotNull(TestPersonResult testInfo, Function<IngeschrevenPersoonHal, Object> function) {
Object procuraValue = function.apply(testInfo.getProcuraPerson());
Object vngValue = function.apply(testInfo.getVngPerson());
return procuraValue != null && vngValue != null;
}
private boolean add(TestPersonResult testInfo, String value, Function<IngeschrevenPersoonHal, Object> function) {
Object procuraValue = function.apply(testInfo.getProcuraPerson());
Object vngValue = function.apply(testInfo.getVngPerson());
ComparedData data = new ComparedData(value, procuraValue, vngValue);
testInfo.getDataList().add(data);
return data.isEquals();
}
private IngeschrevenPersoonHal getVngIngeschrevenPersoon(long bsn) throws IOException {
InputStream resource = Testdata.class.getClassLoader().getResourceAsStream("vng-api-data.zip");
assert resource != null;
ZipInputStream zipInputStream = new ZipInputStream(resource, StandardCharsets.UTF_8);
ZipEntry nextEntry;
while ((nextEntry = zipInputStream.getNextEntry()) != null) {
boolean isBsn = nextEntry.getName().equals(new Bsn(bsn) + ".json");
if (isBsn) {
return objectMapper.readValue(zipInputStream, IngeschrevenPersoonHal.class);
}
}
throw new IllegalStateException("Personal data of " + bsn + " has not been found");
}
private void writeResults(List<TestPersonResult> results, boolean writeAllValues) throws IOException {
File resultsFolder = new File("target/comparison-data");
FileUtils.deleteDirectory(resultsFolder);
for (TestPersonResult result : results) {
File folder;
if (result.isSkipped()) {
folder = new File(resultsFolder, "skipped");
} else if (result.getException() != null) {
folder = new File(resultsFolder, "exception");
} else if (result.matchesAll()) {
folder = new File(resultsFolder, "matches");
} else {
folder = new File(resultsFolder, "different");
}
if (folder.mkdirs()) {
log.debug(folder + " created!");
}
FileUtils.writeByteArrayToFile(new File(folder, result.getBsn() + ".json"),
objectMapper.writerWithDefaultPrettyPrinter()
.writeValueAsString(getFilteredResult(result, writeAllValues))
.getBytes());
}
}
private TestPersonResult getFilteredResult(TestPersonResult result, boolean writeAllValues) {
return new TestPersonResult()
.setBsn(result.getBsn())
.setException(result.getException())
.setDifferentValues(result.getDifferentValues())
.setDataList(result.getDataList().stream()
.filter(data -> writeAllValues || !data.isEquals)
.collect(Collectors.toList()));
}
@Data
@Accessors(chain = true)
public static class TestPersonResult {
private String bsn;
private boolean skipped;
private String exception;
private List<String> differentValues = new ArrayList<>();
private List<ComparedData> dataList = new ArrayList<>();
private IngeschrevenPersoonHal procuraPerson;
private IngeschrevenPersoonHal vngPerson;
public boolean matchesAll() {
return dataList.stream().filter(data -> !data.isEquals()).findFirst().isEmpty();
}
}
@Getter
@Accessors(chain = true)
public static class ComparedData {
private final String name;
private final Object procura;
private final Object vng;
private final boolean isEquals;
public ComparedData(String name, Object procura, Object vng) {
this.name = name;
this.procura = procura == null ? "null" : procura;
this.vng = vng == null ? "null" : vng;
if (procura instanceof String && vng instanceof String) {
this.isEquals = Objects.equals(((String) procura).trim(), ((String) vng).trim());
} else {
this.isEquals = Objects.equals(procura, vng);
}
}
}
}
| vrijBRP/vrijBRP-Haal-Centraal-BRP-bevragen | application/src/test/java/nl/procura/haalcentraal/brp/bevragen/resources/bipV1_3/WebserviceCompareTest.java | 4,996 | // add(result, "nationaliteiten", person -> person.getNationaliteiten() != null); // Nog niet geimplementeerd | line_comment | nl | package nl.procura.haalcentraal.brp.bevragen.resources.bipV1_3;
import static java.util.Collections.singletonList;
import java.io.File;
import java.io.IOException;
import java.io.InputStream;
import java.nio.charset.StandardCharsets;
import java.util.*;
import java.util.function.Function;
import java.util.stream.Collectors;
import java.util.zip.ZipEntry;
import java.util.zip.ZipInputStream;
import org.apache.commons.io.FileUtils;
import org.junit.jupiter.api.Disabled;
import org.junit.jupiter.api.Test;
import nl.procura.burgerzaken.gba.numbers.Bsn;
import nl.procura.gbaws.testdata.Testdata;
import nl.vng.realisatie.haalcentraal.rest.generated.model.bipv1_3.*;
import lombok.Data;
import lombok.Getter;
import lombok.SneakyThrows;
import lombok.experimental.Accessors;
import lombok.extern.slf4j.Slf4j;
import spring.PersonRecordSource;
@Slf4j
public class WebserviceCompareTest extends IngeschrevenPersonenResourceTest {
@Test
@Disabled
@SneakyThrows
public void mustCompareMultiplePeople() {
int numberOfBsns = 700;
writeResults(getBsns(numberOfBsns).stream().map(this::getResult).collect(Collectors.toList()), false);
}
@Test
@Disabled
@SneakyThrows
public void mustCompareSinglePerson() {
writeResults(singletonList(getResult(999990019L)), false);
}
private List<Long> getBsns(int max) {
Set<Long> bsns = Testdata.getGbaVBsns();
return new ArrayList<>(bsns).subList(0, Math.min(max, bsns.size()));
}
private TestPersonResult getResult(Long bsn) {
TestPersonResult result = new TestPersonResult();
result.setBsn(new Bsn(bsn).toString());
try {
IngeschrevenPersoonHal procura;
IngeschrevenPersoonHal vng;
try {
PersonRecordSource.emptyQueue();
procura = getIngeschrevenPersoon(bsn);
vng = getVngIngeschrevenPersoon(bsn);
result.setProcuraPerson(procura);
result.setVngPerson(vng);
} catch (Exception e) {
result.setSkipped(true);
return result;
}
add(result, "bsn", IngeschrevenPersoon::getBurgerservicenummer);
// add(result, "a-nummer", IngeschrevenPersoon::getaNummer); // Niet in VNG data
add(result, "geheimhoudingpersoonsgegevens", IngeschrevenPersoon::getGeheimhoudingPersoonsgegevens);
add(result, "geslachtsaanduiding", IngeschrevenPersoon::getGeslachtsaanduiding);
add(result, "leeftijd", IngeschrevenPersoon::getLeeftijd);
// add(result, "datum inschrijving gba", IngeschrevenPersoon::getDatumEersteInschrijvingGBA); // Niet in VNG data
compareNaamPersoon(result);
compareGeboorte(result);
compareVerblijfplaats(result);
if (add(result, "links", person -> person.getLinks() != null)) {
if (add(result, "links.kinderen", person -> person.getLinks().getKinderen() != null)) {
if (procura.getLinks().getKinderen() != null) {
add(result, "links.kinderen.count", person -> person.getLinks().getKinderen().size());
}
}
if (add(result, "links.kinderen", person -> person.getLinks().getKinderen() != null)) {
if (procura.getLinks().getKinderen() != null) {
add(result, "links.kinderen.count", person -> person.getLinks().getKinderen().size());
}
}
if (add(result, "links.partners", person -> person.getLinks().getPartners() != null)) {
if (procura.getLinks().getPartners() != null) {
add(result, "links.partners.count", person -> person.getLinks().getPartners().size());
}
}
}
add(result, "kiesrecht", person -> person.getKiesrecht() != null);
add(result, "inOnderzoek", IngeschrevenPersoon::getInOnderzoek);
add(result, "opschorting", person -> person.getOpschortingBijhouding() != null);
add(result, "overlijden", person -> person.getOverlijden() != null);
add(result, "gezagsverhouding", person -> person.getGezagsverhouding() != null);
// add(result, "nationaliteiten",<SUF>
// add(result, "verblijfstitel", person -> person.getVerblijfstitel() != null); // Nog niet geimplementeerd
// add(result, "reisdocumentnummer", person -> person.getReisdocumentnummers() != null); // Nog niet geimplementeerd
if (isNotNull(result, IngeschrevenPersoonHal::getOverlijden)) {
compareOverlijden(result, IngeschrevenPersoon::getOverlijden);
}
if (isNotNull(result, IngeschrevenPersoonHal::getOpschortingBijhouding)) {
compareOpschorting(result, IngeschrevenPersoon::getOpschortingBijhouding);
}
if (isNotNull(result, IngeschrevenPersoonHal::getGezagsverhouding)) {
compareGezag(result, IngeschrevenPersoon::getGezagsverhouding);
}
if (isNotNull(result, IngeschrevenPersoonHal::getEmbedded)) {
add(result, "kinderen", person -> person.getEmbedded().getKinderen() != null);
add(result, "ouders", person -> person.getEmbedded().getOuders() != null);
add(result, "partners", person -> person.getEmbedded().getPartners() != null);
if (isNotNull(result, person -> person.getEmbedded().getKinderen())) {
compareKind(result, person -> person.getEmbedded().getKinderen()
.stream().min(Comparator.comparing(a -> a.getNaam().getVoornamen()))
.orElse(null));
}
if (isNotNull(result, person -> person.getEmbedded().getOuders())) {
compareNaam(result, "ouder", person -> person.getEmbedded()
.getOuders().get(0).getNaam());
}
if (isNotNull(result, person -> person.getEmbedded().getPartners())) {
compareNaam(result, "partner", person -> person.getEmbedded()
.getPartners().get(0).getNaam());
}
}
result.setDifferentValues(result.getDataList()
.stream()
.filter(info -> !info.isEquals)
.map(ComparedData::getName)
.collect(Collectors.toList()));
} catch (Exception e) {
e.printStackTrace();
result.setException(e.getMessage());
}
return result;
}
private void compareOverlijden(TestPersonResult result, Function<IngeschrevenPersoonHal, Overlijden> function) {
add(result, "overlijden.indicatie", person -> function.apply(person).getIndicatieOverleden());
add(result, "overlijden.datum", person -> function.apply(person).getDatum());
add(result, "overlijden.plaats", person -> function.apply(person).getPlaats());
add(result, "overlijden.land", person -> function.apply(person).getLand());
add(result, "overlijden.onderzoek", person -> function.apply(person).getInOnderzoek());
}
private void compareOpschorting(TestPersonResult result,
Function<IngeschrevenPersoonHal, OpschortingBijhouding> function) {
add(result, "opschorting.datum", person -> function.apply(person).getDatum());
add(result, "opschorting.reden", person -> function.apply(person).getReden());
}
private void compareGezag(TestPersonResult result,
Function<IngeschrevenPersoonHal, Gezagsverhouding> function) {
add(result, "gezag.minderjarige", person -> function.apply(person).getIndicatieGezagMinderjarige());
add(result, "gezag.curatele", person -> function.apply(person).getIndicatieCurateleRegister());
add(result, "gezag.onderzoek", person -> function.apply(person).getInOnderzoek());
}
private void compareKind(TestPersonResult result, Function<IngeschrevenPersoonHal, KindHalBasis> function) {
add(result, "kind.leeftijd", person -> function.apply(person).getLeeftijd());
add(result, "kind.geheimhouding", person -> function.apply(person).getGeheimhoudingPersoonsgegevens());
add(result, "kind.bsn", person -> function.apply(person).getBurgerservicenummer());
add(result, "kind.onderzoek", person -> function.apply(person).getInOnderzoek());
compareNaam(result, "kind", person -> person.getEmbedded().getKinderen()
.stream().min(Comparator.comparing(a -> a.getNaam().getVoornamen()))
.map(Kind::getNaam)
.orElse(null));
}
private void compareNaam(TestPersonResult result, String type, Function<IngeschrevenPersoonHal, Naam> function) {
add(result, type + ".naam.geslachtsnaam", person -> function.apply(person).getGeslachtsnaam());
add(result, type + ".naam.titelPredikaat", person -> function.apply(person).getAdellijkeTitelPredikaat());
add(result, type + ".naam.voorletters", person -> function.apply(person).getVoorletters());
add(result, type + ".naam.voornamen", person -> function.apply(person).getVoornamen());
add(result, type + ".naam.voorvoegsel", person -> function.apply(person).getVoorvoegsel());
add(result, type + ".naam.inOnderzoek", person -> function.apply(person).getInOnderzoek());
}
private void compareNaamPersoon(TestPersonResult result) {
add(result, "naam.aanhef",
person -> person.getNaam().getAanhef());
add(result, "naam.aanschrijfwijze",
person -> person.getNaam().getAanschrijfwijze());
add(result, "naam.regelVoorafgaandAanAanschrijfwijze",
person -> person.getNaam().getRegelVoorafgaandAanAanschrijfwijze());
add(result, "naam.gebruikInLopendeTekst",
person -> person.getNaam().getGebruikInLopendeTekst());
add(result, "naam.aanduidingNaamgebruik",
person -> person.getNaam().getAanduidingNaamgebruik());
add(result, "naam.inOnderzoek",
person -> person.getNaam().getInOnderzoek());
add(result, "naam.geslachtsnaam",
person -> person.getNaam().getGeslachtsnaam());
add(result, "naam.voorletters",
person -> person.getNaam().getVoorletters());
add(result, "naam.voornamen",
person -> person.getNaam().getVoornamen());
add(result, "naam.voorvoegsel",
person -> person.getNaam().getVoorvoegsel());
add(result, "naam.adellijkeTitelPredikaat",
person -> person.getNaam().getAdellijkeTitelPredikaat());
}
private void compareGeboorte(TestPersonResult testInfo) {
add(testInfo, "geboorte.datum",
person -> person.getGeboorte().getDatum());
add(testInfo, "geboorte.plaats",
person -> person.getGeboorte().getPlaats());
add(testInfo, "geboorte.datum",
person -> person.getGeboorte().getDatum());
add(testInfo, "geboorte.inonderzoek",
person -> person.getGeboorte().getInOnderzoek());
}
private void compareVerblijfplaats(TestPersonResult testInfo) {
add(testInfo, "verblijfplaats.adresseerbaarObjectIdentificatie",
person -> person.getVerblijfplaats().getAdresseerbaarObjectIdentificatie());
add(testInfo, "verblijfplaats.aanduidingBijHuisnummer",
person -> person.getVerblijfplaats().getAanduidingBijHuisnummer());
add(testInfo, "verblijfplaats.nummeraanduidingIdentificatie",
person -> person.getVerblijfplaats().getNummeraanduidingIdentificatie());
add(testInfo, "verblijfplaats.functieAdres",
person -> person.getVerblijfplaats().getFunctieAdres());
add(testInfo, "verblijfplaats.indicatieVestigingVanuitBuitenland",
person -> person.getVerblijfplaats().getIndicatieVestigingVanuitBuitenland());
add(testInfo, "verblijfplaats.locatiebeschrijving",
person -> person.getVerblijfplaats().getLocatiebeschrijving());
add(testInfo, "verblijfplaats.korteNaam",
person -> person.getVerblijfplaats().getKorteNaam());
add(testInfo, "verblijfplaats.vanuitVertrokkenOnbekendWaarheen",
person -> person.getVerblijfplaats().getVanuitVertrokkenOnbekendWaarheen());
add(testInfo, "verblijfplaats.datumAanvangAdreshouding",
person -> person.getVerblijfplaats().getDatumAanvangAdreshouding());
add(testInfo, "verblijfplaats.datumIngangGeldigheid",
person -> person.getVerblijfplaats().getDatumIngangGeldigheid());
add(testInfo, "verblijfplaats.datumInschrijvingInGemeente",
person -> person.getVerblijfplaats().getDatumInschrijvingInGemeente());
add(testInfo, "verblijfplaats.datumVestigingInNederland",
person -> person.getVerblijfplaats().getDatumVestigingInNederland());
add(testInfo, "verblijfplaats.gemeenteVanInschrijving",
person -> person.getVerblijfplaats().getGemeenteVanInschrijving());
add(testInfo, "verblijfplaats.landVanwaarIngeschreven",
person -> person.getVerblijfplaats().getLandVanwaarIngeschreven());
add(testInfo, "verblijfplaats.adresregel1",
person -> person.getVerblijfplaats().getAdresregel1());
add(testInfo, "verblijfplaats.adresregel3",
person -> person.getVerblijfplaats().getAdresregel2());
add(testInfo, "verblijfplaats.vertrokkenOnbekendWaarheen",
person -> person.getVerblijfplaats().getAdresregel3());
add(testInfo, "verblijfplaats.vertrokkenOnbekendWaarheen",
person -> person.getVerblijfplaats().getVertrokkenOnbekendWaarheen());
add(testInfo, "verblijfplaats.land",
person -> person.getVerblijfplaats().getLand());
add(testInfo, "verblijfplaats.inOnderzoek",
person -> person.getVerblijfplaats().getInOnderzoek());
add(testInfo, "verblijfplaats.straat",
person -> person.getVerblijfplaats().getStraat());
add(testInfo, "verblijfplaats.huisnummer",
person -> person.getVerblijfplaats().getHuisnummer());
add(testInfo, "verblijfplaats.huisletter",
person -> person.getVerblijfplaats().getHuisletter());
add(testInfo, "verblijfplaats.huisnummertoevoeging",
person -> person.getVerblijfplaats().getHuisnummertoevoeging());
add(testInfo, "verblijfplaats.postcode",
person -> person.getVerblijfplaats().getPostcode());
add(testInfo, "verblijfplaats.woonplaats",
person -> person.getVerblijfplaats().getWoonplaats());
}
private boolean isNotNull(TestPersonResult testInfo, Function<IngeschrevenPersoonHal, Object> function) {
Object procuraValue = function.apply(testInfo.getProcuraPerson());
Object vngValue = function.apply(testInfo.getVngPerson());
return procuraValue != null && vngValue != null;
}
private boolean add(TestPersonResult testInfo, String value, Function<IngeschrevenPersoonHal, Object> function) {
Object procuraValue = function.apply(testInfo.getProcuraPerson());
Object vngValue = function.apply(testInfo.getVngPerson());
ComparedData data = new ComparedData(value, procuraValue, vngValue);
testInfo.getDataList().add(data);
return data.isEquals();
}
private IngeschrevenPersoonHal getVngIngeschrevenPersoon(long bsn) throws IOException {
InputStream resource = Testdata.class.getClassLoader().getResourceAsStream("vng-api-data.zip");
assert resource != null;
ZipInputStream zipInputStream = new ZipInputStream(resource, StandardCharsets.UTF_8);
ZipEntry nextEntry;
while ((nextEntry = zipInputStream.getNextEntry()) != null) {
boolean isBsn = nextEntry.getName().equals(new Bsn(bsn) + ".json");
if (isBsn) {
return objectMapper.readValue(zipInputStream, IngeschrevenPersoonHal.class);
}
}
throw new IllegalStateException("Personal data of " + bsn + " has not been found");
}
private void writeResults(List<TestPersonResult> results, boolean writeAllValues) throws IOException {
File resultsFolder = new File("target/comparison-data");
FileUtils.deleteDirectory(resultsFolder);
for (TestPersonResult result : results) {
File folder;
if (result.isSkipped()) {
folder = new File(resultsFolder, "skipped");
} else if (result.getException() != null) {
folder = new File(resultsFolder, "exception");
} else if (result.matchesAll()) {
folder = new File(resultsFolder, "matches");
} else {
folder = new File(resultsFolder, "different");
}
if (folder.mkdirs()) {
log.debug(folder + " created!");
}
FileUtils.writeByteArrayToFile(new File(folder, result.getBsn() + ".json"),
objectMapper.writerWithDefaultPrettyPrinter()
.writeValueAsString(getFilteredResult(result, writeAllValues))
.getBytes());
}
}
private TestPersonResult getFilteredResult(TestPersonResult result, boolean writeAllValues) {
return new TestPersonResult()
.setBsn(result.getBsn())
.setException(result.getException())
.setDifferentValues(result.getDifferentValues())
.setDataList(result.getDataList().stream()
.filter(data -> writeAllValues || !data.isEquals)
.collect(Collectors.toList()));
}
@Data
@Accessors(chain = true)
public static class TestPersonResult {
private String bsn;
private boolean skipped;
private String exception;
private List<String> differentValues = new ArrayList<>();
private List<ComparedData> dataList = new ArrayList<>();
private IngeschrevenPersoonHal procuraPerson;
private IngeschrevenPersoonHal vngPerson;
public boolean matchesAll() {
return dataList.stream().filter(data -> !data.isEquals()).findFirst().isEmpty();
}
}
@Getter
@Accessors(chain = true)
public static class ComparedData {
private final String name;
private final Object procura;
private final Object vng;
private final boolean isEquals;
public ComparedData(String name, Object procura, Object vng) {
this.name = name;
this.procura = procura == null ? "null" : procura;
this.vng = vng == null ? "null" : vng;
if (procura instanceof String && vng instanceof String) {
this.isEquals = Objects.equals(((String) procura).trim(), ((String) vng).trim());
} else {
this.isEquals = Objects.equals(procura, vng);
}
}
}
}
|
211668_3 | package nl.procura.haalcentraal.brp.bevragen.resources.bipV1_3;
import static java.util.Collections.singletonList;
import java.io.File;
import java.io.IOException;
import java.io.InputStream;
import java.nio.charset.StandardCharsets;
import java.util.*;
import java.util.function.Function;
import java.util.stream.Collectors;
import java.util.zip.ZipEntry;
import java.util.zip.ZipInputStream;
import org.apache.commons.io.FileUtils;
import org.junit.jupiter.api.Disabled;
import org.junit.jupiter.api.Test;
import nl.procura.burgerzaken.gba.numbers.Bsn;
import nl.procura.gbaws.testdata.Testdata;
import nl.vng.realisatie.haalcentraal.rest.generated.model.bipv1_3.*;
import lombok.Data;
import lombok.Getter;
import lombok.SneakyThrows;
import lombok.experimental.Accessors;
import lombok.extern.slf4j.Slf4j;
import spring.PersonRecordSource;
@Slf4j
public class WebserviceCompareTest extends IngeschrevenPersonenResourceTest {
@Test
@Disabled
@SneakyThrows
public void mustCompareMultiplePeople() {
int numberOfBsns = 700;
writeResults(getBsns(numberOfBsns).stream().map(this::getResult).collect(Collectors.toList()), false);
}
@Test
@Disabled
@SneakyThrows
public void mustCompareSinglePerson() {
writeResults(singletonList(getResult(999990019L)), false);
}
private List<Long> getBsns(int max) {
Set<Long> bsns = Testdata.getGbaVBsns();
return new ArrayList<>(bsns).subList(0, Math.min(max, bsns.size()));
}
private TestPersonResult getResult(Long bsn) {
TestPersonResult result = new TestPersonResult();
result.setBsn(new Bsn(bsn).toString());
try {
IngeschrevenPersoonHal procura;
IngeschrevenPersoonHal vng;
try {
PersonRecordSource.emptyQueue();
procura = getIngeschrevenPersoon(bsn);
vng = getVngIngeschrevenPersoon(bsn);
result.setProcuraPerson(procura);
result.setVngPerson(vng);
} catch (Exception e) {
result.setSkipped(true);
return result;
}
add(result, "bsn", IngeschrevenPersoon::getBurgerservicenummer);
// add(result, "a-nummer", IngeschrevenPersoon::getaNummer); // Niet in VNG data
add(result, "geheimhoudingpersoonsgegevens", IngeschrevenPersoon::getGeheimhoudingPersoonsgegevens);
add(result, "geslachtsaanduiding", IngeschrevenPersoon::getGeslachtsaanduiding);
add(result, "leeftijd", IngeschrevenPersoon::getLeeftijd);
// add(result, "datum inschrijving gba", IngeschrevenPersoon::getDatumEersteInschrijvingGBA); // Niet in VNG data
compareNaamPersoon(result);
compareGeboorte(result);
compareVerblijfplaats(result);
if (add(result, "links", person -> person.getLinks() != null)) {
if (add(result, "links.kinderen", person -> person.getLinks().getKinderen() != null)) {
if (procura.getLinks().getKinderen() != null) {
add(result, "links.kinderen.count", person -> person.getLinks().getKinderen().size());
}
}
if (add(result, "links.kinderen", person -> person.getLinks().getKinderen() != null)) {
if (procura.getLinks().getKinderen() != null) {
add(result, "links.kinderen.count", person -> person.getLinks().getKinderen().size());
}
}
if (add(result, "links.partners", person -> person.getLinks().getPartners() != null)) {
if (procura.getLinks().getPartners() != null) {
add(result, "links.partners.count", person -> person.getLinks().getPartners().size());
}
}
}
add(result, "kiesrecht", person -> person.getKiesrecht() != null);
add(result, "inOnderzoek", IngeschrevenPersoon::getInOnderzoek);
add(result, "opschorting", person -> person.getOpschortingBijhouding() != null);
add(result, "overlijden", person -> person.getOverlijden() != null);
add(result, "gezagsverhouding", person -> person.getGezagsverhouding() != null);
// add(result, "nationaliteiten", person -> person.getNationaliteiten() != null); // Nog niet geimplementeerd
// add(result, "verblijfstitel", person -> person.getVerblijfstitel() != null); // Nog niet geimplementeerd
// add(result, "reisdocumentnummer", person -> person.getReisdocumentnummers() != null); // Nog niet geimplementeerd
if (isNotNull(result, IngeschrevenPersoonHal::getOverlijden)) {
compareOverlijden(result, IngeschrevenPersoon::getOverlijden);
}
if (isNotNull(result, IngeschrevenPersoonHal::getOpschortingBijhouding)) {
compareOpschorting(result, IngeschrevenPersoon::getOpschortingBijhouding);
}
if (isNotNull(result, IngeschrevenPersoonHal::getGezagsverhouding)) {
compareGezag(result, IngeschrevenPersoon::getGezagsverhouding);
}
if (isNotNull(result, IngeschrevenPersoonHal::getEmbedded)) {
add(result, "kinderen", person -> person.getEmbedded().getKinderen() != null);
add(result, "ouders", person -> person.getEmbedded().getOuders() != null);
add(result, "partners", person -> person.getEmbedded().getPartners() != null);
if (isNotNull(result, person -> person.getEmbedded().getKinderen())) {
compareKind(result, person -> person.getEmbedded().getKinderen()
.stream().min(Comparator.comparing(a -> a.getNaam().getVoornamen()))
.orElse(null));
}
if (isNotNull(result, person -> person.getEmbedded().getOuders())) {
compareNaam(result, "ouder", person -> person.getEmbedded()
.getOuders().get(0).getNaam());
}
if (isNotNull(result, person -> person.getEmbedded().getPartners())) {
compareNaam(result, "partner", person -> person.getEmbedded()
.getPartners().get(0).getNaam());
}
}
result.setDifferentValues(result.getDataList()
.stream()
.filter(info -> !info.isEquals)
.map(ComparedData::getName)
.collect(Collectors.toList()));
} catch (Exception e) {
e.printStackTrace();
result.setException(e.getMessage());
}
return result;
}
private void compareOverlijden(TestPersonResult result, Function<IngeschrevenPersoonHal, Overlijden> function) {
add(result, "overlijden.indicatie", person -> function.apply(person).getIndicatieOverleden());
add(result, "overlijden.datum", person -> function.apply(person).getDatum());
add(result, "overlijden.plaats", person -> function.apply(person).getPlaats());
add(result, "overlijden.land", person -> function.apply(person).getLand());
add(result, "overlijden.onderzoek", person -> function.apply(person).getInOnderzoek());
}
private void compareOpschorting(TestPersonResult result,
Function<IngeschrevenPersoonHal, OpschortingBijhouding> function) {
add(result, "opschorting.datum", person -> function.apply(person).getDatum());
add(result, "opschorting.reden", person -> function.apply(person).getReden());
}
private void compareGezag(TestPersonResult result,
Function<IngeschrevenPersoonHal, Gezagsverhouding> function) {
add(result, "gezag.minderjarige", person -> function.apply(person).getIndicatieGezagMinderjarige());
add(result, "gezag.curatele", person -> function.apply(person).getIndicatieCurateleRegister());
add(result, "gezag.onderzoek", person -> function.apply(person).getInOnderzoek());
}
private void compareKind(TestPersonResult result, Function<IngeschrevenPersoonHal, KindHalBasis> function) {
add(result, "kind.leeftijd", person -> function.apply(person).getLeeftijd());
add(result, "kind.geheimhouding", person -> function.apply(person).getGeheimhoudingPersoonsgegevens());
add(result, "kind.bsn", person -> function.apply(person).getBurgerservicenummer());
add(result, "kind.onderzoek", person -> function.apply(person).getInOnderzoek());
compareNaam(result, "kind", person -> person.getEmbedded().getKinderen()
.stream().min(Comparator.comparing(a -> a.getNaam().getVoornamen()))
.map(Kind::getNaam)
.orElse(null));
}
private void compareNaam(TestPersonResult result, String type, Function<IngeschrevenPersoonHal, Naam> function) {
add(result, type + ".naam.geslachtsnaam", person -> function.apply(person).getGeslachtsnaam());
add(result, type + ".naam.titelPredikaat", person -> function.apply(person).getAdellijkeTitelPredikaat());
add(result, type + ".naam.voorletters", person -> function.apply(person).getVoorletters());
add(result, type + ".naam.voornamen", person -> function.apply(person).getVoornamen());
add(result, type + ".naam.voorvoegsel", person -> function.apply(person).getVoorvoegsel());
add(result, type + ".naam.inOnderzoek", person -> function.apply(person).getInOnderzoek());
}
private void compareNaamPersoon(TestPersonResult result) {
add(result, "naam.aanhef",
person -> person.getNaam().getAanhef());
add(result, "naam.aanschrijfwijze",
person -> person.getNaam().getAanschrijfwijze());
add(result, "naam.regelVoorafgaandAanAanschrijfwijze",
person -> person.getNaam().getRegelVoorafgaandAanAanschrijfwijze());
add(result, "naam.gebruikInLopendeTekst",
person -> person.getNaam().getGebruikInLopendeTekst());
add(result, "naam.aanduidingNaamgebruik",
person -> person.getNaam().getAanduidingNaamgebruik());
add(result, "naam.inOnderzoek",
person -> person.getNaam().getInOnderzoek());
add(result, "naam.geslachtsnaam",
person -> person.getNaam().getGeslachtsnaam());
add(result, "naam.voorletters",
person -> person.getNaam().getVoorletters());
add(result, "naam.voornamen",
person -> person.getNaam().getVoornamen());
add(result, "naam.voorvoegsel",
person -> person.getNaam().getVoorvoegsel());
add(result, "naam.adellijkeTitelPredikaat",
person -> person.getNaam().getAdellijkeTitelPredikaat());
}
private void compareGeboorte(TestPersonResult testInfo) {
add(testInfo, "geboorte.datum",
person -> person.getGeboorte().getDatum());
add(testInfo, "geboorte.plaats",
person -> person.getGeboorte().getPlaats());
add(testInfo, "geboorte.datum",
person -> person.getGeboorte().getDatum());
add(testInfo, "geboorte.inonderzoek",
person -> person.getGeboorte().getInOnderzoek());
}
private void compareVerblijfplaats(TestPersonResult testInfo) {
add(testInfo, "verblijfplaats.adresseerbaarObjectIdentificatie",
person -> person.getVerblijfplaats().getAdresseerbaarObjectIdentificatie());
add(testInfo, "verblijfplaats.aanduidingBijHuisnummer",
person -> person.getVerblijfplaats().getAanduidingBijHuisnummer());
add(testInfo, "verblijfplaats.nummeraanduidingIdentificatie",
person -> person.getVerblijfplaats().getNummeraanduidingIdentificatie());
add(testInfo, "verblijfplaats.functieAdres",
person -> person.getVerblijfplaats().getFunctieAdres());
add(testInfo, "verblijfplaats.indicatieVestigingVanuitBuitenland",
person -> person.getVerblijfplaats().getIndicatieVestigingVanuitBuitenland());
add(testInfo, "verblijfplaats.locatiebeschrijving",
person -> person.getVerblijfplaats().getLocatiebeschrijving());
add(testInfo, "verblijfplaats.korteNaam",
person -> person.getVerblijfplaats().getKorteNaam());
add(testInfo, "verblijfplaats.vanuitVertrokkenOnbekendWaarheen",
person -> person.getVerblijfplaats().getVanuitVertrokkenOnbekendWaarheen());
add(testInfo, "verblijfplaats.datumAanvangAdreshouding",
person -> person.getVerblijfplaats().getDatumAanvangAdreshouding());
add(testInfo, "verblijfplaats.datumIngangGeldigheid",
person -> person.getVerblijfplaats().getDatumIngangGeldigheid());
add(testInfo, "verblijfplaats.datumInschrijvingInGemeente",
person -> person.getVerblijfplaats().getDatumInschrijvingInGemeente());
add(testInfo, "verblijfplaats.datumVestigingInNederland",
person -> person.getVerblijfplaats().getDatumVestigingInNederland());
add(testInfo, "verblijfplaats.gemeenteVanInschrijving",
person -> person.getVerblijfplaats().getGemeenteVanInschrijving());
add(testInfo, "verblijfplaats.landVanwaarIngeschreven",
person -> person.getVerblijfplaats().getLandVanwaarIngeschreven());
add(testInfo, "verblijfplaats.adresregel1",
person -> person.getVerblijfplaats().getAdresregel1());
add(testInfo, "verblijfplaats.adresregel3",
person -> person.getVerblijfplaats().getAdresregel2());
add(testInfo, "verblijfplaats.vertrokkenOnbekendWaarheen",
person -> person.getVerblijfplaats().getAdresregel3());
add(testInfo, "verblijfplaats.vertrokkenOnbekendWaarheen",
person -> person.getVerblijfplaats().getVertrokkenOnbekendWaarheen());
add(testInfo, "verblijfplaats.land",
person -> person.getVerblijfplaats().getLand());
add(testInfo, "verblijfplaats.inOnderzoek",
person -> person.getVerblijfplaats().getInOnderzoek());
add(testInfo, "verblijfplaats.straat",
person -> person.getVerblijfplaats().getStraat());
add(testInfo, "verblijfplaats.huisnummer",
person -> person.getVerblijfplaats().getHuisnummer());
add(testInfo, "verblijfplaats.huisletter",
person -> person.getVerblijfplaats().getHuisletter());
add(testInfo, "verblijfplaats.huisnummertoevoeging",
person -> person.getVerblijfplaats().getHuisnummertoevoeging());
add(testInfo, "verblijfplaats.postcode",
person -> person.getVerblijfplaats().getPostcode());
add(testInfo, "verblijfplaats.woonplaats",
person -> person.getVerblijfplaats().getWoonplaats());
}
private boolean isNotNull(TestPersonResult testInfo, Function<IngeschrevenPersoonHal, Object> function) {
Object procuraValue = function.apply(testInfo.getProcuraPerson());
Object vngValue = function.apply(testInfo.getVngPerson());
return procuraValue != null && vngValue != null;
}
private boolean add(TestPersonResult testInfo, String value, Function<IngeschrevenPersoonHal, Object> function) {
Object procuraValue = function.apply(testInfo.getProcuraPerson());
Object vngValue = function.apply(testInfo.getVngPerson());
ComparedData data = new ComparedData(value, procuraValue, vngValue);
testInfo.getDataList().add(data);
return data.isEquals();
}
private IngeschrevenPersoonHal getVngIngeschrevenPersoon(long bsn) throws IOException {
InputStream resource = Testdata.class.getClassLoader().getResourceAsStream("vng-api-data.zip");
assert resource != null;
ZipInputStream zipInputStream = new ZipInputStream(resource, StandardCharsets.UTF_8);
ZipEntry nextEntry;
while ((nextEntry = zipInputStream.getNextEntry()) != null) {
boolean isBsn = nextEntry.getName().equals(new Bsn(bsn) + ".json");
if (isBsn) {
return objectMapper.readValue(zipInputStream, IngeschrevenPersoonHal.class);
}
}
throw new IllegalStateException("Personal data of " + bsn + " has not been found");
}
private void writeResults(List<TestPersonResult> results, boolean writeAllValues) throws IOException {
File resultsFolder = new File("target/comparison-data");
FileUtils.deleteDirectory(resultsFolder);
for (TestPersonResult result : results) {
File folder;
if (result.isSkipped()) {
folder = new File(resultsFolder, "skipped");
} else if (result.getException() != null) {
folder = new File(resultsFolder, "exception");
} else if (result.matchesAll()) {
folder = new File(resultsFolder, "matches");
} else {
folder = new File(resultsFolder, "different");
}
if (folder.mkdirs()) {
log.debug(folder + " created!");
}
FileUtils.writeByteArrayToFile(new File(folder, result.getBsn() + ".json"),
objectMapper.writerWithDefaultPrettyPrinter()
.writeValueAsString(getFilteredResult(result, writeAllValues))
.getBytes());
}
}
private TestPersonResult getFilteredResult(TestPersonResult result, boolean writeAllValues) {
return new TestPersonResult()
.setBsn(result.getBsn())
.setException(result.getException())
.setDifferentValues(result.getDifferentValues())
.setDataList(result.getDataList().stream()
.filter(data -> writeAllValues || !data.isEquals)
.collect(Collectors.toList()));
}
@Data
@Accessors(chain = true)
public static class TestPersonResult {
private String bsn;
private boolean skipped;
private String exception;
private List<String> differentValues = new ArrayList<>();
private List<ComparedData> dataList = new ArrayList<>();
private IngeschrevenPersoonHal procuraPerson;
private IngeschrevenPersoonHal vngPerson;
public boolean matchesAll() {
return dataList.stream().filter(data -> !data.isEquals()).findFirst().isEmpty();
}
}
@Getter
@Accessors(chain = true)
public static class ComparedData {
private final String name;
private final Object procura;
private final Object vng;
private final boolean isEquals;
public ComparedData(String name, Object procura, Object vng) {
this.name = name;
this.procura = procura == null ? "null" : procura;
this.vng = vng == null ? "null" : vng;
if (procura instanceof String && vng instanceof String) {
this.isEquals = Objects.equals(((String) procura).trim(), ((String) vng).trim());
} else {
this.isEquals = Objects.equals(procura, vng);
}
}
}
}
| vrijBRP/vrijBRP-Haal-Centraal-BRP-bevragen | application/src/test/java/nl/procura/haalcentraal/brp/bevragen/resources/bipV1_3/WebserviceCompareTest.java | 4,996 | // add(result, "verblijfstitel", person -> person.getVerblijfstitel() != null); // Nog niet geimplementeerd | line_comment | nl | package nl.procura.haalcentraal.brp.bevragen.resources.bipV1_3;
import static java.util.Collections.singletonList;
import java.io.File;
import java.io.IOException;
import java.io.InputStream;
import java.nio.charset.StandardCharsets;
import java.util.*;
import java.util.function.Function;
import java.util.stream.Collectors;
import java.util.zip.ZipEntry;
import java.util.zip.ZipInputStream;
import org.apache.commons.io.FileUtils;
import org.junit.jupiter.api.Disabled;
import org.junit.jupiter.api.Test;
import nl.procura.burgerzaken.gba.numbers.Bsn;
import nl.procura.gbaws.testdata.Testdata;
import nl.vng.realisatie.haalcentraal.rest.generated.model.bipv1_3.*;
import lombok.Data;
import lombok.Getter;
import lombok.SneakyThrows;
import lombok.experimental.Accessors;
import lombok.extern.slf4j.Slf4j;
import spring.PersonRecordSource;
@Slf4j
public class WebserviceCompareTest extends IngeschrevenPersonenResourceTest {
@Test
@Disabled
@SneakyThrows
public void mustCompareMultiplePeople() {
int numberOfBsns = 700;
writeResults(getBsns(numberOfBsns).stream().map(this::getResult).collect(Collectors.toList()), false);
}
@Test
@Disabled
@SneakyThrows
public void mustCompareSinglePerson() {
writeResults(singletonList(getResult(999990019L)), false);
}
private List<Long> getBsns(int max) {
Set<Long> bsns = Testdata.getGbaVBsns();
return new ArrayList<>(bsns).subList(0, Math.min(max, bsns.size()));
}
private TestPersonResult getResult(Long bsn) {
TestPersonResult result = new TestPersonResult();
result.setBsn(new Bsn(bsn).toString());
try {
IngeschrevenPersoonHal procura;
IngeschrevenPersoonHal vng;
try {
PersonRecordSource.emptyQueue();
procura = getIngeschrevenPersoon(bsn);
vng = getVngIngeschrevenPersoon(bsn);
result.setProcuraPerson(procura);
result.setVngPerson(vng);
} catch (Exception e) {
result.setSkipped(true);
return result;
}
add(result, "bsn", IngeschrevenPersoon::getBurgerservicenummer);
// add(result, "a-nummer", IngeschrevenPersoon::getaNummer); // Niet in VNG data
add(result, "geheimhoudingpersoonsgegevens", IngeschrevenPersoon::getGeheimhoudingPersoonsgegevens);
add(result, "geslachtsaanduiding", IngeschrevenPersoon::getGeslachtsaanduiding);
add(result, "leeftijd", IngeschrevenPersoon::getLeeftijd);
// add(result, "datum inschrijving gba", IngeschrevenPersoon::getDatumEersteInschrijvingGBA); // Niet in VNG data
compareNaamPersoon(result);
compareGeboorte(result);
compareVerblijfplaats(result);
if (add(result, "links", person -> person.getLinks() != null)) {
if (add(result, "links.kinderen", person -> person.getLinks().getKinderen() != null)) {
if (procura.getLinks().getKinderen() != null) {
add(result, "links.kinderen.count", person -> person.getLinks().getKinderen().size());
}
}
if (add(result, "links.kinderen", person -> person.getLinks().getKinderen() != null)) {
if (procura.getLinks().getKinderen() != null) {
add(result, "links.kinderen.count", person -> person.getLinks().getKinderen().size());
}
}
if (add(result, "links.partners", person -> person.getLinks().getPartners() != null)) {
if (procura.getLinks().getPartners() != null) {
add(result, "links.partners.count", person -> person.getLinks().getPartners().size());
}
}
}
add(result, "kiesrecht", person -> person.getKiesrecht() != null);
add(result, "inOnderzoek", IngeschrevenPersoon::getInOnderzoek);
add(result, "opschorting", person -> person.getOpschortingBijhouding() != null);
add(result, "overlijden", person -> person.getOverlijden() != null);
add(result, "gezagsverhouding", person -> person.getGezagsverhouding() != null);
// add(result, "nationaliteiten", person -> person.getNationaliteiten() != null); // Nog niet geimplementeerd
// add(result, "verblijfstitel",<SUF>
// add(result, "reisdocumentnummer", person -> person.getReisdocumentnummers() != null); // Nog niet geimplementeerd
if (isNotNull(result, IngeschrevenPersoonHal::getOverlijden)) {
compareOverlijden(result, IngeschrevenPersoon::getOverlijden);
}
if (isNotNull(result, IngeschrevenPersoonHal::getOpschortingBijhouding)) {
compareOpschorting(result, IngeschrevenPersoon::getOpschortingBijhouding);
}
if (isNotNull(result, IngeschrevenPersoonHal::getGezagsverhouding)) {
compareGezag(result, IngeschrevenPersoon::getGezagsverhouding);
}
if (isNotNull(result, IngeschrevenPersoonHal::getEmbedded)) {
add(result, "kinderen", person -> person.getEmbedded().getKinderen() != null);
add(result, "ouders", person -> person.getEmbedded().getOuders() != null);
add(result, "partners", person -> person.getEmbedded().getPartners() != null);
if (isNotNull(result, person -> person.getEmbedded().getKinderen())) {
compareKind(result, person -> person.getEmbedded().getKinderen()
.stream().min(Comparator.comparing(a -> a.getNaam().getVoornamen()))
.orElse(null));
}
if (isNotNull(result, person -> person.getEmbedded().getOuders())) {
compareNaam(result, "ouder", person -> person.getEmbedded()
.getOuders().get(0).getNaam());
}
if (isNotNull(result, person -> person.getEmbedded().getPartners())) {
compareNaam(result, "partner", person -> person.getEmbedded()
.getPartners().get(0).getNaam());
}
}
result.setDifferentValues(result.getDataList()
.stream()
.filter(info -> !info.isEquals)
.map(ComparedData::getName)
.collect(Collectors.toList()));
} catch (Exception e) {
e.printStackTrace();
result.setException(e.getMessage());
}
return result;
}
private void compareOverlijden(TestPersonResult result, Function<IngeschrevenPersoonHal, Overlijden> function) {
add(result, "overlijden.indicatie", person -> function.apply(person).getIndicatieOverleden());
add(result, "overlijden.datum", person -> function.apply(person).getDatum());
add(result, "overlijden.plaats", person -> function.apply(person).getPlaats());
add(result, "overlijden.land", person -> function.apply(person).getLand());
add(result, "overlijden.onderzoek", person -> function.apply(person).getInOnderzoek());
}
private void compareOpschorting(TestPersonResult result,
Function<IngeschrevenPersoonHal, OpschortingBijhouding> function) {
add(result, "opschorting.datum", person -> function.apply(person).getDatum());
add(result, "opschorting.reden", person -> function.apply(person).getReden());
}
private void compareGezag(TestPersonResult result,
Function<IngeschrevenPersoonHal, Gezagsverhouding> function) {
add(result, "gezag.minderjarige", person -> function.apply(person).getIndicatieGezagMinderjarige());
add(result, "gezag.curatele", person -> function.apply(person).getIndicatieCurateleRegister());
add(result, "gezag.onderzoek", person -> function.apply(person).getInOnderzoek());
}
private void compareKind(TestPersonResult result, Function<IngeschrevenPersoonHal, KindHalBasis> function) {
add(result, "kind.leeftijd", person -> function.apply(person).getLeeftijd());
add(result, "kind.geheimhouding", person -> function.apply(person).getGeheimhoudingPersoonsgegevens());
add(result, "kind.bsn", person -> function.apply(person).getBurgerservicenummer());
add(result, "kind.onderzoek", person -> function.apply(person).getInOnderzoek());
compareNaam(result, "kind", person -> person.getEmbedded().getKinderen()
.stream().min(Comparator.comparing(a -> a.getNaam().getVoornamen()))
.map(Kind::getNaam)
.orElse(null));
}
private void compareNaam(TestPersonResult result, String type, Function<IngeschrevenPersoonHal, Naam> function) {
add(result, type + ".naam.geslachtsnaam", person -> function.apply(person).getGeslachtsnaam());
add(result, type + ".naam.titelPredikaat", person -> function.apply(person).getAdellijkeTitelPredikaat());
add(result, type + ".naam.voorletters", person -> function.apply(person).getVoorletters());
add(result, type + ".naam.voornamen", person -> function.apply(person).getVoornamen());
add(result, type + ".naam.voorvoegsel", person -> function.apply(person).getVoorvoegsel());
add(result, type + ".naam.inOnderzoek", person -> function.apply(person).getInOnderzoek());
}
private void compareNaamPersoon(TestPersonResult result) {
add(result, "naam.aanhef",
person -> person.getNaam().getAanhef());
add(result, "naam.aanschrijfwijze",
person -> person.getNaam().getAanschrijfwijze());
add(result, "naam.regelVoorafgaandAanAanschrijfwijze",
person -> person.getNaam().getRegelVoorafgaandAanAanschrijfwijze());
add(result, "naam.gebruikInLopendeTekst",
person -> person.getNaam().getGebruikInLopendeTekst());
add(result, "naam.aanduidingNaamgebruik",
person -> person.getNaam().getAanduidingNaamgebruik());
add(result, "naam.inOnderzoek",
person -> person.getNaam().getInOnderzoek());
add(result, "naam.geslachtsnaam",
person -> person.getNaam().getGeslachtsnaam());
add(result, "naam.voorletters",
person -> person.getNaam().getVoorletters());
add(result, "naam.voornamen",
person -> person.getNaam().getVoornamen());
add(result, "naam.voorvoegsel",
person -> person.getNaam().getVoorvoegsel());
add(result, "naam.adellijkeTitelPredikaat",
person -> person.getNaam().getAdellijkeTitelPredikaat());
}
private void compareGeboorte(TestPersonResult testInfo) {
add(testInfo, "geboorte.datum",
person -> person.getGeboorte().getDatum());
add(testInfo, "geboorte.plaats",
person -> person.getGeboorte().getPlaats());
add(testInfo, "geboorte.datum",
person -> person.getGeboorte().getDatum());
add(testInfo, "geboorte.inonderzoek",
person -> person.getGeboorte().getInOnderzoek());
}
private void compareVerblijfplaats(TestPersonResult testInfo) {
add(testInfo, "verblijfplaats.adresseerbaarObjectIdentificatie",
person -> person.getVerblijfplaats().getAdresseerbaarObjectIdentificatie());
add(testInfo, "verblijfplaats.aanduidingBijHuisnummer",
person -> person.getVerblijfplaats().getAanduidingBijHuisnummer());
add(testInfo, "verblijfplaats.nummeraanduidingIdentificatie",
person -> person.getVerblijfplaats().getNummeraanduidingIdentificatie());
add(testInfo, "verblijfplaats.functieAdres",
person -> person.getVerblijfplaats().getFunctieAdres());
add(testInfo, "verblijfplaats.indicatieVestigingVanuitBuitenland",
person -> person.getVerblijfplaats().getIndicatieVestigingVanuitBuitenland());
add(testInfo, "verblijfplaats.locatiebeschrijving",
person -> person.getVerblijfplaats().getLocatiebeschrijving());
add(testInfo, "verblijfplaats.korteNaam",
person -> person.getVerblijfplaats().getKorteNaam());
add(testInfo, "verblijfplaats.vanuitVertrokkenOnbekendWaarheen",
person -> person.getVerblijfplaats().getVanuitVertrokkenOnbekendWaarheen());
add(testInfo, "verblijfplaats.datumAanvangAdreshouding",
person -> person.getVerblijfplaats().getDatumAanvangAdreshouding());
add(testInfo, "verblijfplaats.datumIngangGeldigheid",
person -> person.getVerblijfplaats().getDatumIngangGeldigheid());
add(testInfo, "verblijfplaats.datumInschrijvingInGemeente",
person -> person.getVerblijfplaats().getDatumInschrijvingInGemeente());
add(testInfo, "verblijfplaats.datumVestigingInNederland",
person -> person.getVerblijfplaats().getDatumVestigingInNederland());
add(testInfo, "verblijfplaats.gemeenteVanInschrijving",
person -> person.getVerblijfplaats().getGemeenteVanInschrijving());
add(testInfo, "verblijfplaats.landVanwaarIngeschreven",
person -> person.getVerblijfplaats().getLandVanwaarIngeschreven());
add(testInfo, "verblijfplaats.adresregel1",
person -> person.getVerblijfplaats().getAdresregel1());
add(testInfo, "verblijfplaats.adresregel3",
person -> person.getVerblijfplaats().getAdresregel2());
add(testInfo, "verblijfplaats.vertrokkenOnbekendWaarheen",
person -> person.getVerblijfplaats().getAdresregel3());
add(testInfo, "verblijfplaats.vertrokkenOnbekendWaarheen",
person -> person.getVerblijfplaats().getVertrokkenOnbekendWaarheen());
add(testInfo, "verblijfplaats.land",
person -> person.getVerblijfplaats().getLand());
add(testInfo, "verblijfplaats.inOnderzoek",
person -> person.getVerblijfplaats().getInOnderzoek());
add(testInfo, "verblijfplaats.straat",
person -> person.getVerblijfplaats().getStraat());
add(testInfo, "verblijfplaats.huisnummer",
person -> person.getVerblijfplaats().getHuisnummer());
add(testInfo, "verblijfplaats.huisletter",
person -> person.getVerblijfplaats().getHuisletter());
add(testInfo, "verblijfplaats.huisnummertoevoeging",
person -> person.getVerblijfplaats().getHuisnummertoevoeging());
add(testInfo, "verblijfplaats.postcode",
person -> person.getVerblijfplaats().getPostcode());
add(testInfo, "verblijfplaats.woonplaats",
person -> person.getVerblijfplaats().getWoonplaats());
}
private boolean isNotNull(TestPersonResult testInfo, Function<IngeschrevenPersoonHal, Object> function) {
Object procuraValue = function.apply(testInfo.getProcuraPerson());
Object vngValue = function.apply(testInfo.getVngPerson());
return procuraValue != null && vngValue != null;
}
private boolean add(TestPersonResult testInfo, String value, Function<IngeschrevenPersoonHal, Object> function) {
Object procuraValue = function.apply(testInfo.getProcuraPerson());
Object vngValue = function.apply(testInfo.getVngPerson());
ComparedData data = new ComparedData(value, procuraValue, vngValue);
testInfo.getDataList().add(data);
return data.isEquals();
}
private IngeschrevenPersoonHal getVngIngeschrevenPersoon(long bsn) throws IOException {
InputStream resource = Testdata.class.getClassLoader().getResourceAsStream("vng-api-data.zip");
assert resource != null;
ZipInputStream zipInputStream = new ZipInputStream(resource, StandardCharsets.UTF_8);
ZipEntry nextEntry;
while ((nextEntry = zipInputStream.getNextEntry()) != null) {
boolean isBsn = nextEntry.getName().equals(new Bsn(bsn) + ".json");
if (isBsn) {
return objectMapper.readValue(zipInputStream, IngeschrevenPersoonHal.class);
}
}
throw new IllegalStateException("Personal data of " + bsn + " has not been found");
}
private void writeResults(List<TestPersonResult> results, boolean writeAllValues) throws IOException {
File resultsFolder = new File("target/comparison-data");
FileUtils.deleteDirectory(resultsFolder);
for (TestPersonResult result : results) {
File folder;
if (result.isSkipped()) {
folder = new File(resultsFolder, "skipped");
} else if (result.getException() != null) {
folder = new File(resultsFolder, "exception");
} else if (result.matchesAll()) {
folder = new File(resultsFolder, "matches");
} else {
folder = new File(resultsFolder, "different");
}
if (folder.mkdirs()) {
log.debug(folder + " created!");
}
FileUtils.writeByteArrayToFile(new File(folder, result.getBsn() + ".json"),
objectMapper.writerWithDefaultPrettyPrinter()
.writeValueAsString(getFilteredResult(result, writeAllValues))
.getBytes());
}
}
private TestPersonResult getFilteredResult(TestPersonResult result, boolean writeAllValues) {
return new TestPersonResult()
.setBsn(result.getBsn())
.setException(result.getException())
.setDifferentValues(result.getDifferentValues())
.setDataList(result.getDataList().stream()
.filter(data -> writeAllValues || !data.isEquals)
.collect(Collectors.toList()));
}
@Data
@Accessors(chain = true)
public static class TestPersonResult {
private String bsn;
private boolean skipped;
private String exception;
private List<String> differentValues = new ArrayList<>();
private List<ComparedData> dataList = new ArrayList<>();
private IngeschrevenPersoonHal procuraPerson;
private IngeschrevenPersoonHal vngPerson;
public boolean matchesAll() {
return dataList.stream().filter(data -> !data.isEquals()).findFirst().isEmpty();
}
}
@Getter
@Accessors(chain = true)
public static class ComparedData {
private final String name;
private final Object procura;
private final Object vng;
private final boolean isEquals;
public ComparedData(String name, Object procura, Object vng) {
this.name = name;
this.procura = procura == null ? "null" : procura;
this.vng = vng == null ? "null" : vng;
if (procura instanceof String && vng instanceof String) {
this.isEquals = Objects.equals(((String) procura).trim(), ((String) vng).trim());
} else {
this.isEquals = Objects.equals(procura, vng);
}
}
}
}
|
211668_4 | package nl.procura.haalcentraal.brp.bevragen.resources.bipV1_3;
import static java.util.Collections.singletonList;
import java.io.File;
import java.io.IOException;
import java.io.InputStream;
import java.nio.charset.StandardCharsets;
import java.util.*;
import java.util.function.Function;
import java.util.stream.Collectors;
import java.util.zip.ZipEntry;
import java.util.zip.ZipInputStream;
import org.apache.commons.io.FileUtils;
import org.junit.jupiter.api.Disabled;
import org.junit.jupiter.api.Test;
import nl.procura.burgerzaken.gba.numbers.Bsn;
import nl.procura.gbaws.testdata.Testdata;
import nl.vng.realisatie.haalcentraal.rest.generated.model.bipv1_3.*;
import lombok.Data;
import lombok.Getter;
import lombok.SneakyThrows;
import lombok.experimental.Accessors;
import lombok.extern.slf4j.Slf4j;
import spring.PersonRecordSource;
@Slf4j
public class WebserviceCompareTest extends IngeschrevenPersonenResourceTest {
@Test
@Disabled
@SneakyThrows
public void mustCompareMultiplePeople() {
int numberOfBsns = 700;
writeResults(getBsns(numberOfBsns).stream().map(this::getResult).collect(Collectors.toList()), false);
}
@Test
@Disabled
@SneakyThrows
public void mustCompareSinglePerson() {
writeResults(singletonList(getResult(999990019L)), false);
}
private List<Long> getBsns(int max) {
Set<Long> bsns = Testdata.getGbaVBsns();
return new ArrayList<>(bsns).subList(0, Math.min(max, bsns.size()));
}
private TestPersonResult getResult(Long bsn) {
TestPersonResult result = new TestPersonResult();
result.setBsn(new Bsn(bsn).toString());
try {
IngeschrevenPersoonHal procura;
IngeschrevenPersoonHal vng;
try {
PersonRecordSource.emptyQueue();
procura = getIngeschrevenPersoon(bsn);
vng = getVngIngeschrevenPersoon(bsn);
result.setProcuraPerson(procura);
result.setVngPerson(vng);
} catch (Exception e) {
result.setSkipped(true);
return result;
}
add(result, "bsn", IngeschrevenPersoon::getBurgerservicenummer);
// add(result, "a-nummer", IngeschrevenPersoon::getaNummer); // Niet in VNG data
add(result, "geheimhoudingpersoonsgegevens", IngeschrevenPersoon::getGeheimhoudingPersoonsgegevens);
add(result, "geslachtsaanduiding", IngeschrevenPersoon::getGeslachtsaanduiding);
add(result, "leeftijd", IngeschrevenPersoon::getLeeftijd);
// add(result, "datum inschrijving gba", IngeschrevenPersoon::getDatumEersteInschrijvingGBA); // Niet in VNG data
compareNaamPersoon(result);
compareGeboorte(result);
compareVerblijfplaats(result);
if (add(result, "links", person -> person.getLinks() != null)) {
if (add(result, "links.kinderen", person -> person.getLinks().getKinderen() != null)) {
if (procura.getLinks().getKinderen() != null) {
add(result, "links.kinderen.count", person -> person.getLinks().getKinderen().size());
}
}
if (add(result, "links.kinderen", person -> person.getLinks().getKinderen() != null)) {
if (procura.getLinks().getKinderen() != null) {
add(result, "links.kinderen.count", person -> person.getLinks().getKinderen().size());
}
}
if (add(result, "links.partners", person -> person.getLinks().getPartners() != null)) {
if (procura.getLinks().getPartners() != null) {
add(result, "links.partners.count", person -> person.getLinks().getPartners().size());
}
}
}
add(result, "kiesrecht", person -> person.getKiesrecht() != null);
add(result, "inOnderzoek", IngeschrevenPersoon::getInOnderzoek);
add(result, "opschorting", person -> person.getOpschortingBijhouding() != null);
add(result, "overlijden", person -> person.getOverlijden() != null);
add(result, "gezagsverhouding", person -> person.getGezagsverhouding() != null);
// add(result, "nationaliteiten", person -> person.getNationaliteiten() != null); // Nog niet geimplementeerd
// add(result, "verblijfstitel", person -> person.getVerblijfstitel() != null); // Nog niet geimplementeerd
// add(result, "reisdocumentnummer", person -> person.getReisdocumentnummers() != null); // Nog niet geimplementeerd
if (isNotNull(result, IngeschrevenPersoonHal::getOverlijden)) {
compareOverlijden(result, IngeschrevenPersoon::getOverlijden);
}
if (isNotNull(result, IngeschrevenPersoonHal::getOpschortingBijhouding)) {
compareOpschorting(result, IngeschrevenPersoon::getOpschortingBijhouding);
}
if (isNotNull(result, IngeschrevenPersoonHal::getGezagsverhouding)) {
compareGezag(result, IngeschrevenPersoon::getGezagsverhouding);
}
if (isNotNull(result, IngeschrevenPersoonHal::getEmbedded)) {
add(result, "kinderen", person -> person.getEmbedded().getKinderen() != null);
add(result, "ouders", person -> person.getEmbedded().getOuders() != null);
add(result, "partners", person -> person.getEmbedded().getPartners() != null);
if (isNotNull(result, person -> person.getEmbedded().getKinderen())) {
compareKind(result, person -> person.getEmbedded().getKinderen()
.stream().min(Comparator.comparing(a -> a.getNaam().getVoornamen()))
.orElse(null));
}
if (isNotNull(result, person -> person.getEmbedded().getOuders())) {
compareNaam(result, "ouder", person -> person.getEmbedded()
.getOuders().get(0).getNaam());
}
if (isNotNull(result, person -> person.getEmbedded().getPartners())) {
compareNaam(result, "partner", person -> person.getEmbedded()
.getPartners().get(0).getNaam());
}
}
result.setDifferentValues(result.getDataList()
.stream()
.filter(info -> !info.isEquals)
.map(ComparedData::getName)
.collect(Collectors.toList()));
} catch (Exception e) {
e.printStackTrace();
result.setException(e.getMessage());
}
return result;
}
private void compareOverlijden(TestPersonResult result, Function<IngeschrevenPersoonHal, Overlijden> function) {
add(result, "overlijden.indicatie", person -> function.apply(person).getIndicatieOverleden());
add(result, "overlijden.datum", person -> function.apply(person).getDatum());
add(result, "overlijden.plaats", person -> function.apply(person).getPlaats());
add(result, "overlijden.land", person -> function.apply(person).getLand());
add(result, "overlijden.onderzoek", person -> function.apply(person).getInOnderzoek());
}
private void compareOpschorting(TestPersonResult result,
Function<IngeschrevenPersoonHal, OpschortingBijhouding> function) {
add(result, "opschorting.datum", person -> function.apply(person).getDatum());
add(result, "opschorting.reden", person -> function.apply(person).getReden());
}
private void compareGezag(TestPersonResult result,
Function<IngeschrevenPersoonHal, Gezagsverhouding> function) {
add(result, "gezag.minderjarige", person -> function.apply(person).getIndicatieGezagMinderjarige());
add(result, "gezag.curatele", person -> function.apply(person).getIndicatieCurateleRegister());
add(result, "gezag.onderzoek", person -> function.apply(person).getInOnderzoek());
}
private void compareKind(TestPersonResult result, Function<IngeschrevenPersoonHal, KindHalBasis> function) {
add(result, "kind.leeftijd", person -> function.apply(person).getLeeftijd());
add(result, "kind.geheimhouding", person -> function.apply(person).getGeheimhoudingPersoonsgegevens());
add(result, "kind.bsn", person -> function.apply(person).getBurgerservicenummer());
add(result, "kind.onderzoek", person -> function.apply(person).getInOnderzoek());
compareNaam(result, "kind", person -> person.getEmbedded().getKinderen()
.stream().min(Comparator.comparing(a -> a.getNaam().getVoornamen()))
.map(Kind::getNaam)
.orElse(null));
}
private void compareNaam(TestPersonResult result, String type, Function<IngeschrevenPersoonHal, Naam> function) {
add(result, type + ".naam.geslachtsnaam", person -> function.apply(person).getGeslachtsnaam());
add(result, type + ".naam.titelPredikaat", person -> function.apply(person).getAdellijkeTitelPredikaat());
add(result, type + ".naam.voorletters", person -> function.apply(person).getVoorletters());
add(result, type + ".naam.voornamen", person -> function.apply(person).getVoornamen());
add(result, type + ".naam.voorvoegsel", person -> function.apply(person).getVoorvoegsel());
add(result, type + ".naam.inOnderzoek", person -> function.apply(person).getInOnderzoek());
}
private void compareNaamPersoon(TestPersonResult result) {
add(result, "naam.aanhef",
person -> person.getNaam().getAanhef());
add(result, "naam.aanschrijfwijze",
person -> person.getNaam().getAanschrijfwijze());
add(result, "naam.regelVoorafgaandAanAanschrijfwijze",
person -> person.getNaam().getRegelVoorafgaandAanAanschrijfwijze());
add(result, "naam.gebruikInLopendeTekst",
person -> person.getNaam().getGebruikInLopendeTekst());
add(result, "naam.aanduidingNaamgebruik",
person -> person.getNaam().getAanduidingNaamgebruik());
add(result, "naam.inOnderzoek",
person -> person.getNaam().getInOnderzoek());
add(result, "naam.geslachtsnaam",
person -> person.getNaam().getGeslachtsnaam());
add(result, "naam.voorletters",
person -> person.getNaam().getVoorletters());
add(result, "naam.voornamen",
person -> person.getNaam().getVoornamen());
add(result, "naam.voorvoegsel",
person -> person.getNaam().getVoorvoegsel());
add(result, "naam.adellijkeTitelPredikaat",
person -> person.getNaam().getAdellijkeTitelPredikaat());
}
private void compareGeboorte(TestPersonResult testInfo) {
add(testInfo, "geboorte.datum",
person -> person.getGeboorte().getDatum());
add(testInfo, "geboorte.plaats",
person -> person.getGeboorte().getPlaats());
add(testInfo, "geboorte.datum",
person -> person.getGeboorte().getDatum());
add(testInfo, "geboorte.inonderzoek",
person -> person.getGeboorte().getInOnderzoek());
}
private void compareVerblijfplaats(TestPersonResult testInfo) {
add(testInfo, "verblijfplaats.adresseerbaarObjectIdentificatie",
person -> person.getVerblijfplaats().getAdresseerbaarObjectIdentificatie());
add(testInfo, "verblijfplaats.aanduidingBijHuisnummer",
person -> person.getVerblijfplaats().getAanduidingBijHuisnummer());
add(testInfo, "verblijfplaats.nummeraanduidingIdentificatie",
person -> person.getVerblijfplaats().getNummeraanduidingIdentificatie());
add(testInfo, "verblijfplaats.functieAdres",
person -> person.getVerblijfplaats().getFunctieAdres());
add(testInfo, "verblijfplaats.indicatieVestigingVanuitBuitenland",
person -> person.getVerblijfplaats().getIndicatieVestigingVanuitBuitenland());
add(testInfo, "verblijfplaats.locatiebeschrijving",
person -> person.getVerblijfplaats().getLocatiebeschrijving());
add(testInfo, "verblijfplaats.korteNaam",
person -> person.getVerblijfplaats().getKorteNaam());
add(testInfo, "verblijfplaats.vanuitVertrokkenOnbekendWaarheen",
person -> person.getVerblijfplaats().getVanuitVertrokkenOnbekendWaarheen());
add(testInfo, "verblijfplaats.datumAanvangAdreshouding",
person -> person.getVerblijfplaats().getDatumAanvangAdreshouding());
add(testInfo, "verblijfplaats.datumIngangGeldigheid",
person -> person.getVerblijfplaats().getDatumIngangGeldigheid());
add(testInfo, "verblijfplaats.datumInschrijvingInGemeente",
person -> person.getVerblijfplaats().getDatumInschrijvingInGemeente());
add(testInfo, "verblijfplaats.datumVestigingInNederland",
person -> person.getVerblijfplaats().getDatumVestigingInNederland());
add(testInfo, "verblijfplaats.gemeenteVanInschrijving",
person -> person.getVerblijfplaats().getGemeenteVanInschrijving());
add(testInfo, "verblijfplaats.landVanwaarIngeschreven",
person -> person.getVerblijfplaats().getLandVanwaarIngeschreven());
add(testInfo, "verblijfplaats.adresregel1",
person -> person.getVerblijfplaats().getAdresregel1());
add(testInfo, "verblijfplaats.adresregel3",
person -> person.getVerblijfplaats().getAdresregel2());
add(testInfo, "verblijfplaats.vertrokkenOnbekendWaarheen",
person -> person.getVerblijfplaats().getAdresregel3());
add(testInfo, "verblijfplaats.vertrokkenOnbekendWaarheen",
person -> person.getVerblijfplaats().getVertrokkenOnbekendWaarheen());
add(testInfo, "verblijfplaats.land",
person -> person.getVerblijfplaats().getLand());
add(testInfo, "verblijfplaats.inOnderzoek",
person -> person.getVerblijfplaats().getInOnderzoek());
add(testInfo, "verblijfplaats.straat",
person -> person.getVerblijfplaats().getStraat());
add(testInfo, "verblijfplaats.huisnummer",
person -> person.getVerblijfplaats().getHuisnummer());
add(testInfo, "verblijfplaats.huisletter",
person -> person.getVerblijfplaats().getHuisletter());
add(testInfo, "verblijfplaats.huisnummertoevoeging",
person -> person.getVerblijfplaats().getHuisnummertoevoeging());
add(testInfo, "verblijfplaats.postcode",
person -> person.getVerblijfplaats().getPostcode());
add(testInfo, "verblijfplaats.woonplaats",
person -> person.getVerblijfplaats().getWoonplaats());
}
private boolean isNotNull(TestPersonResult testInfo, Function<IngeschrevenPersoonHal, Object> function) {
Object procuraValue = function.apply(testInfo.getProcuraPerson());
Object vngValue = function.apply(testInfo.getVngPerson());
return procuraValue != null && vngValue != null;
}
private boolean add(TestPersonResult testInfo, String value, Function<IngeschrevenPersoonHal, Object> function) {
Object procuraValue = function.apply(testInfo.getProcuraPerson());
Object vngValue = function.apply(testInfo.getVngPerson());
ComparedData data = new ComparedData(value, procuraValue, vngValue);
testInfo.getDataList().add(data);
return data.isEquals();
}
private IngeschrevenPersoonHal getVngIngeschrevenPersoon(long bsn) throws IOException {
InputStream resource = Testdata.class.getClassLoader().getResourceAsStream("vng-api-data.zip");
assert resource != null;
ZipInputStream zipInputStream = new ZipInputStream(resource, StandardCharsets.UTF_8);
ZipEntry nextEntry;
while ((nextEntry = zipInputStream.getNextEntry()) != null) {
boolean isBsn = nextEntry.getName().equals(new Bsn(bsn) + ".json");
if (isBsn) {
return objectMapper.readValue(zipInputStream, IngeschrevenPersoonHal.class);
}
}
throw new IllegalStateException("Personal data of " + bsn + " has not been found");
}
private void writeResults(List<TestPersonResult> results, boolean writeAllValues) throws IOException {
File resultsFolder = new File("target/comparison-data");
FileUtils.deleteDirectory(resultsFolder);
for (TestPersonResult result : results) {
File folder;
if (result.isSkipped()) {
folder = new File(resultsFolder, "skipped");
} else if (result.getException() != null) {
folder = new File(resultsFolder, "exception");
} else if (result.matchesAll()) {
folder = new File(resultsFolder, "matches");
} else {
folder = new File(resultsFolder, "different");
}
if (folder.mkdirs()) {
log.debug(folder + " created!");
}
FileUtils.writeByteArrayToFile(new File(folder, result.getBsn() + ".json"),
objectMapper.writerWithDefaultPrettyPrinter()
.writeValueAsString(getFilteredResult(result, writeAllValues))
.getBytes());
}
}
private TestPersonResult getFilteredResult(TestPersonResult result, boolean writeAllValues) {
return new TestPersonResult()
.setBsn(result.getBsn())
.setException(result.getException())
.setDifferentValues(result.getDifferentValues())
.setDataList(result.getDataList().stream()
.filter(data -> writeAllValues || !data.isEquals)
.collect(Collectors.toList()));
}
@Data
@Accessors(chain = true)
public static class TestPersonResult {
private String bsn;
private boolean skipped;
private String exception;
private List<String> differentValues = new ArrayList<>();
private List<ComparedData> dataList = new ArrayList<>();
private IngeschrevenPersoonHal procuraPerson;
private IngeschrevenPersoonHal vngPerson;
public boolean matchesAll() {
return dataList.stream().filter(data -> !data.isEquals()).findFirst().isEmpty();
}
}
@Getter
@Accessors(chain = true)
public static class ComparedData {
private final String name;
private final Object procura;
private final Object vng;
private final boolean isEquals;
public ComparedData(String name, Object procura, Object vng) {
this.name = name;
this.procura = procura == null ? "null" : procura;
this.vng = vng == null ? "null" : vng;
if (procura instanceof String && vng instanceof String) {
this.isEquals = Objects.equals(((String) procura).trim(), ((String) vng).trim());
} else {
this.isEquals = Objects.equals(procura, vng);
}
}
}
}
| vrijBRP/vrijBRP-Haal-Centraal-BRP-bevragen | application/src/test/java/nl/procura/haalcentraal/brp/bevragen/resources/bipV1_3/WebserviceCompareTest.java | 4,996 | // add(result, "reisdocumentnummer", person -> person.getReisdocumentnummers() != null); // Nog niet geimplementeerd | line_comment | nl | package nl.procura.haalcentraal.brp.bevragen.resources.bipV1_3;
import static java.util.Collections.singletonList;
import java.io.File;
import java.io.IOException;
import java.io.InputStream;
import java.nio.charset.StandardCharsets;
import java.util.*;
import java.util.function.Function;
import java.util.stream.Collectors;
import java.util.zip.ZipEntry;
import java.util.zip.ZipInputStream;
import org.apache.commons.io.FileUtils;
import org.junit.jupiter.api.Disabled;
import org.junit.jupiter.api.Test;
import nl.procura.burgerzaken.gba.numbers.Bsn;
import nl.procura.gbaws.testdata.Testdata;
import nl.vng.realisatie.haalcentraal.rest.generated.model.bipv1_3.*;
import lombok.Data;
import lombok.Getter;
import lombok.SneakyThrows;
import lombok.experimental.Accessors;
import lombok.extern.slf4j.Slf4j;
import spring.PersonRecordSource;
@Slf4j
public class WebserviceCompareTest extends IngeschrevenPersonenResourceTest {
@Test
@Disabled
@SneakyThrows
public void mustCompareMultiplePeople() {
int numberOfBsns = 700;
writeResults(getBsns(numberOfBsns).stream().map(this::getResult).collect(Collectors.toList()), false);
}
@Test
@Disabled
@SneakyThrows
public void mustCompareSinglePerson() {
writeResults(singletonList(getResult(999990019L)), false);
}
private List<Long> getBsns(int max) {
Set<Long> bsns = Testdata.getGbaVBsns();
return new ArrayList<>(bsns).subList(0, Math.min(max, bsns.size()));
}
private TestPersonResult getResult(Long bsn) {
TestPersonResult result = new TestPersonResult();
result.setBsn(new Bsn(bsn).toString());
try {
IngeschrevenPersoonHal procura;
IngeschrevenPersoonHal vng;
try {
PersonRecordSource.emptyQueue();
procura = getIngeschrevenPersoon(bsn);
vng = getVngIngeschrevenPersoon(bsn);
result.setProcuraPerson(procura);
result.setVngPerson(vng);
} catch (Exception e) {
result.setSkipped(true);
return result;
}
add(result, "bsn", IngeschrevenPersoon::getBurgerservicenummer);
// add(result, "a-nummer", IngeschrevenPersoon::getaNummer); // Niet in VNG data
add(result, "geheimhoudingpersoonsgegevens", IngeschrevenPersoon::getGeheimhoudingPersoonsgegevens);
add(result, "geslachtsaanduiding", IngeschrevenPersoon::getGeslachtsaanduiding);
add(result, "leeftijd", IngeschrevenPersoon::getLeeftijd);
// add(result, "datum inschrijving gba", IngeschrevenPersoon::getDatumEersteInschrijvingGBA); // Niet in VNG data
compareNaamPersoon(result);
compareGeboorte(result);
compareVerblijfplaats(result);
if (add(result, "links", person -> person.getLinks() != null)) {
if (add(result, "links.kinderen", person -> person.getLinks().getKinderen() != null)) {
if (procura.getLinks().getKinderen() != null) {
add(result, "links.kinderen.count", person -> person.getLinks().getKinderen().size());
}
}
if (add(result, "links.kinderen", person -> person.getLinks().getKinderen() != null)) {
if (procura.getLinks().getKinderen() != null) {
add(result, "links.kinderen.count", person -> person.getLinks().getKinderen().size());
}
}
if (add(result, "links.partners", person -> person.getLinks().getPartners() != null)) {
if (procura.getLinks().getPartners() != null) {
add(result, "links.partners.count", person -> person.getLinks().getPartners().size());
}
}
}
add(result, "kiesrecht", person -> person.getKiesrecht() != null);
add(result, "inOnderzoek", IngeschrevenPersoon::getInOnderzoek);
add(result, "opschorting", person -> person.getOpschortingBijhouding() != null);
add(result, "overlijden", person -> person.getOverlijden() != null);
add(result, "gezagsverhouding", person -> person.getGezagsverhouding() != null);
// add(result, "nationaliteiten", person -> person.getNationaliteiten() != null); // Nog niet geimplementeerd
// add(result, "verblijfstitel", person -> person.getVerblijfstitel() != null); // Nog niet geimplementeerd
// add(result, "reisdocumentnummer",<SUF>
if (isNotNull(result, IngeschrevenPersoonHal::getOverlijden)) {
compareOverlijden(result, IngeschrevenPersoon::getOverlijden);
}
if (isNotNull(result, IngeschrevenPersoonHal::getOpschortingBijhouding)) {
compareOpschorting(result, IngeschrevenPersoon::getOpschortingBijhouding);
}
if (isNotNull(result, IngeschrevenPersoonHal::getGezagsverhouding)) {
compareGezag(result, IngeschrevenPersoon::getGezagsverhouding);
}
if (isNotNull(result, IngeschrevenPersoonHal::getEmbedded)) {
add(result, "kinderen", person -> person.getEmbedded().getKinderen() != null);
add(result, "ouders", person -> person.getEmbedded().getOuders() != null);
add(result, "partners", person -> person.getEmbedded().getPartners() != null);
if (isNotNull(result, person -> person.getEmbedded().getKinderen())) {
compareKind(result, person -> person.getEmbedded().getKinderen()
.stream().min(Comparator.comparing(a -> a.getNaam().getVoornamen()))
.orElse(null));
}
if (isNotNull(result, person -> person.getEmbedded().getOuders())) {
compareNaam(result, "ouder", person -> person.getEmbedded()
.getOuders().get(0).getNaam());
}
if (isNotNull(result, person -> person.getEmbedded().getPartners())) {
compareNaam(result, "partner", person -> person.getEmbedded()
.getPartners().get(0).getNaam());
}
}
result.setDifferentValues(result.getDataList()
.stream()
.filter(info -> !info.isEquals)
.map(ComparedData::getName)
.collect(Collectors.toList()));
} catch (Exception e) {
e.printStackTrace();
result.setException(e.getMessage());
}
return result;
}
private void compareOverlijden(TestPersonResult result, Function<IngeschrevenPersoonHal, Overlijden> function) {
add(result, "overlijden.indicatie", person -> function.apply(person).getIndicatieOverleden());
add(result, "overlijden.datum", person -> function.apply(person).getDatum());
add(result, "overlijden.plaats", person -> function.apply(person).getPlaats());
add(result, "overlijden.land", person -> function.apply(person).getLand());
add(result, "overlijden.onderzoek", person -> function.apply(person).getInOnderzoek());
}
private void compareOpschorting(TestPersonResult result,
Function<IngeschrevenPersoonHal, OpschortingBijhouding> function) {
add(result, "opschorting.datum", person -> function.apply(person).getDatum());
add(result, "opschorting.reden", person -> function.apply(person).getReden());
}
private void compareGezag(TestPersonResult result,
Function<IngeschrevenPersoonHal, Gezagsverhouding> function) {
add(result, "gezag.minderjarige", person -> function.apply(person).getIndicatieGezagMinderjarige());
add(result, "gezag.curatele", person -> function.apply(person).getIndicatieCurateleRegister());
add(result, "gezag.onderzoek", person -> function.apply(person).getInOnderzoek());
}
private void compareKind(TestPersonResult result, Function<IngeschrevenPersoonHal, KindHalBasis> function) {
add(result, "kind.leeftijd", person -> function.apply(person).getLeeftijd());
add(result, "kind.geheimhouding", person -> function.apply(person).getGeheimhoudingPersoonsgegevens());
add(result, "kind.bsn", person -> function.apply(person).getBurgerservicenummer());
add(result, "kind.onderzoek", person -> function.apply(person).getInOnderzoek());
compareNaam(result, "kind", person -> person.getEmbedded().getKinderen()
.stream().min(Comparator.comparing(a -> a.getNaam().getVoornamen()))
.map(Kind::getNaam)
.orElse(null));
}
private void compareNaam(TestPersonResult result, String type, Function<IngeschrevenPersoonHal, Naam> function) {
add(result, type + ".naam.geslachtsnaam", person -> function.apply(person).getGeslachtsnaam());
add(result, type + ".naam.titelPredikaat", person -> function.apply(person).getAdellijkeTitelPredikaat());
add(result, type + ".naam.voorletters", person -> function.apply(person).getVoorletters());
add(result, type + ".naam.voornamen", person -> function.apply(person).getVoornamen());
add(result, type + ".naam.voorvoegsel", person -> function.apply(person).getVoorvoegsel());
add(result, type + ".naam.inOnderzoek", person -> function.apply(person).getInOnderzoek());
}
private void compareNaamPersoon(TestPersonResult result) {
add(result, "naam.aanhef",
person -> person.getNaam().getAanhef());
add(result, "naam.aanschrijfwijze",
person -> person.getNaam().getAanschrijfwijze());
add(result, "naam.regelVoorafgaandAanAanschrijfwijze",
person -> person.getNaam().getRegelVoorafgaandAanAanschrijfwijze());
add(result, "naam.gebruikInLopendeTekst",
person -> person.getNaam().getGebruikInLopendeTekst());
add(result, "naam.aanduidingNaamgebruik",
person -> person.getNaam().getAanduidingNaamgebruik());
add(result, "naam.inOnderzoek",
person -> person.getNaam().getInOnderzoek());
add(result, "naam.geslachtsnaam",
person -> person.getNaam().getGeslachtsnaam());
add(result, "naam.voorletters",
person -> person.getNaam().getVoorletters());
add(result, "naam.voornamen",
person -> person.getNaam().getVoornamen());
add(result, "naam.voorvoegsel",
person -> person.getNaam().getVoorvoegsel());
add(result, "naam.adellijkeTitelPredikaat",
person -> person.getNaam().getAdellijkeTitelPredikaat());
}
private void compareGeboorte(TestPersonResult testInfo) {
add(testInfo, "geboorte.datum",
person -> person.getGeboorte().getDatum());
add(testInfo, "geboorte.plaats",
person -> person.getGeboorte().getPlaats());
add(testInfo, "geboorte.datum",
person -> person.getGeboorte().getDatum());
add(testInfo, "geboorte.inonderzoek",
person -> person.getGeboorte().getInOnderzoek());
}
private void compareVerblijfplaats(TestPersonResult testInfo) {
add(testInfo, "verblijfplaats.adresseerbaarObjectIdentificatie",
person -> person.getVerblijfplaats().getAdresseerbaarObjectIdentificatie());
add(testInfo, "verblijfplaats.aanduidingBijHuisnummer",
person -> person.getVerblijfplaats().getAanduidingBijHuisnummer());
add(testInfo, "verblijfplaats.nummeraanduidingIdentificatie",
person -> person.getVerblijfplaats().getNummeraanduidingIdentificatie());
add(testInfo, "verblijfplaats.functieAdres",
person -> person.getVerblijfplaats().getFunctieAdres());
add(testInfo, "verblijfplaats.indicatieVestigingVanuitBuitenland",
person -> person.getVerblijfplaats().getIndicatieVestigingVanuitBuitenland());
add(testInfo, "verblijfplaats.locatiebeschrijving",
person -> person.getVerblijfplaats().getLocatiebeschrijving());
add(testInfo, "verblijfplaats.korteNaam",
person -> person.getVerblijfplaats().getKorteNaam());
add(testInfo, "verblijfplaats.vanuitVertrokkenOnbekendWaarheen",
person -> person.getVerblijfplaats().getVanuitVertrokkenOnbekendWaarheen());
add(testInfo, "verblijfplaats.datumAanvangAdreshouding",
person -> person.getVerblijfplaats().getDatumAanvangAdreshouding());
add(testInfo, "verblijfplaats.datumIngangGeldigheid",
person -> person.getVerblijfplaats().getDatumIngangGeldigheid());
add(testInfo, "verblijfplaats.datumInschrijvingInGemeente",
person -> person.getVerblijfplaats().getDatumInschrijvingInGemeente());
add(testInfo, "verblijfplaats.datumVestigingInNederland",
person -> person.getVerblijfplaats().getDatumVestigingInNederland());
add(testInfo, "verblijfplaats.gemeenteVanInschrijving",
person -> person.getVerblijfplaats().getGemeenteVanInschrijving());
add(testInfo, "verblijfplaats.landVanwaarIngeschreven",
person -> person.getVerblijfplaats().getLandVanwaarIngeschreven());
add(testInfo, "verblijfplaats.adresregel1",
person -> person.getVerblijfplaats().getAdresregel1());
add(testInfo, "verblijfplaats.adresregel3",
person -> person.getVerblijfplaats().getAdresregel2());
add(testInfo, "verblijfplaats.vertrokkenOnbekendWaarheen",
person -> person.getVerblijfplaats().getAdresregel3());
add(testInfo, "verblijfplaats.vertrokkenOnbekendWaarheen",
person -> person.getVerblijfplaats().getVertrokkenOnbekendWaarheen());
add(testInfo, "verblijfplaats.land",
person -> person.getVerblijfplaats().getLand());
add(testInfo, "verblijfplaats.inOnderzoek",
person -> person.getVerblijfplaats().getInOnderzoek());
add(testInfo, "verblijfplaats.straat",
person -> person.getVerblijfplaats().getStraat());
add(testInfo, "verblijfplaats.huisnummer",
person -> person.getVerblijfplaats().getHuisnummer());
add(testInfo, "verblijfplaats.huisletter",
person -> person.getVerblijfplaats().getHuisletter());
add(testInfo, "verblijfplaats.huisnummertoevoeging",
person -> person.getVerblijfplaats().getHuisnummertoevoeging());
add(testInfo, "verblijfplaats.postcode",
person -> person.getVerblijfplaats().getPostcode());
add(testInfo, "verblijfplaats.woonplaats",
person -> person.getVerblijfplaats().getWoonplaats());
}
private boolean isNotNull(TestPersonResult testInfo, Function<IngeschrevenPersoonHal, Object> function) {
Object procuraValue = function.apply(testInfo.getProcuraPerson());
Object vngValue = function.apply(testInfo.getVngPerson());
return procuraValue != null && vngValue != null;
}
private boolean add(TestPersonResult testInfo, String value, Function<IngeschrevenPersoonHal, Object> function) {
Object procuraValue = function.apply(testInfo.getProcuraPerson());
Object vngValue = function.apply(testInfo.getVngPerson());
ComparedData data = new ComparedData(value, procuraValue, vngValue);
testInfo.getDataList().add(data);
return data.isEquals();
}
private IngeschrevenPersoonHal getVngIngeschrevenPersoon(long bsn) throws IOException {
InputStream resource = Testdata.class.getClassLoader().getResourceAsStream("vng-api-data.zip");
assert resource != null;
ZipInputStream zipInputStream = new ZipInputStream(resource, StandardCharsets.UTF_8);
ZipEntry nextEntry;
while ((nextEntry = zipInputStream.getNextEntry()) != null) {
boolean isBsn = nextEntry.getName().equals(new Bsn(bsn) + ".json");
if (isBsn) {
return objectMapper.readValue(zipInputStream, IngeschrevenPersoonHal.class);
}
}
throw new IllegalStateException("Personal data of " + bsn + " has not been found");
}
private void writeResults(List<TestPersonResult> results, boolean writeAllValues) throws IOException {
File resultsFolder = new File("target/comparison-data");
FileUtils.deleteDirectory(resultsFolder);
for (TestPersonResult result : results) {
File folder;
if (result.isSkipped()) {
folder = new File(resultsFolder, "skipped");
} else if (result.getException() != null) {
folder = new File(resultsFolder, "exception");
} else if (result.matchesAll()) {
folder = new File(resultsFolder, "matches");
} else {
folder = new File(resultsFolder, "different");
}
if (folder.mkdirs()) {
log.debug(folder + " created!");
}
FileUtils.writeByteArrayToFile(new File(folder, result.getBsn() + ".json"),
objectMapper.writerWithDefaultPrettyPrinter()
.writeValueAsString(getFilteredResult(result, writeAllValues))
.getBytes());
}
}
private TestPersonResult getFilteredResult(TestPersonResult result, boolean writeAllValues) {
return new TestPersonResult()
.setBsn(result.getBsn())
.setException(result.getException())
.setDifferentValues(result.getDifferentValues())
.setDataList(result.getDataList().stream()
.filter(data -> writeAllValues || !data.isEquals)
.collect(Collectors.toList()));
}
@Data
@Accessors(chain = true)
public static class TestPersonResult {
private String bsn;
private boolean skipped;
private String exception;
private List<String> differentValues = new ArrayList<>();
private List<ComparedData> dataList = new ArrayList<>();
private IngeschrevenPersoonHal procuraPerson;
private IngeschrevenPersoonHal vngPerson;
public boolean matchesAll() {
return dataList.stream().filter(data -> !data.isEquals()).findFirst().isEmpty();
}
}
@Getter
@Accessors(chain = true)
public static class ComparedData {
private final String name;
private final Object procura;
private final Object vng;
private final boolean isEquals;
public ComparedData(String name, Object procura, Object vng) {
this.name = name;
this.procura = procura == null ? "null" : procura;
this.vng = vng == null ? "null" : vng;
if (procura instanceof String && vng instanceof String) {
this.isEquals = Objects.equals(((String) procura).trim(), ((String) vng).trim());
} else {
this.isEquals = Objects.equals(procura, vng);
}
}
}
}
|
211670_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.perf.isc.environment;
import java.io.File;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.PrintWriter;
import java.text.DecimalFormat;
import java.text.SimpleDateFormat;
import java.util.Date;
import java.util.concurrent.TimeUnit;
import java.util.concurrent.atomic.AtomicInteger;
import javax.inject.Inject;
import javax.inject.Named;
import javax.jms.Destination;
import javax.jms.JMSException;
import javax.jms.Message;
import javax.jms.Session;
import javax.jms.TextMessage;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import nl.bzk.migratiebrp.bericht.model.JMSConstants;
import nl.bzk.migratiebrp.test.perf.isc.bericht.TestBericht;
import org.springframework.dao.DataAccessException;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jms.core.JmsTemplate;
import org.springframework.jms.core.MessageCreator;
/**
* Test omgeving (abstract).
*/
public final class TestEnvironment {
private static final int HONDERD_LOOPS = 100;
private static final long MILLIS = 3000L;
private static final long LOOP_WACHTTIJD = 10L;
private static final long LOOP_WACHTTIJD_IN_MILLIS = LOOP_WACHTTIJD * MILLIS;
private static final Logger LOG = LoggerFactory.getLogger();
private static final DecimalFormat EREF_FORMAT = new DecimalFormat("000000");
private static final SimpleDateFormat PREFIX_FORMAT = new SimpleDateFormat("HHmmss");
private static final String EREF_PREFIX = PREFIX_FORMAT.format(new Date());
/* TIMEOUT */
private static final int TIMEOUT = 500;
private static final AtomicInteger COUNTER = new AtomicInteger();
@Inject
private JmsTemplate jmsTemplate;
@Inject
@Named("voiscOntvangstQueue")
private Destination voiscOntvangst;
@Inject
private JdbcTemplate jdbcTemplate;
private Long initEndedProcessCount = 0L;
/**
* Genereer (max lengte 12) ID. Let op: enkel uniek binnen JVM (implementatie dmv AtomicInteger).
* @return id
*/
public String generateId() {
return EREF_PREFIX + EREF_FORMAT.format(COUNTER.getAndIncrement());
}
/**
* Verzend een bericht.
* @param testBericht testBericht
*/
public void verzendBericht(final TestBericht testBericht) {
jmsTemplate.send(voiscOntvangst, new MessageCreator() {
@Override
public Message createMessage(final Session session) throws JMSException {
final Message message = session.createTextMessage(testBericht.getInhoud());
final String messageId = generateId();
message.setStringProperty(JMSConstants.BERICHT_MS_SEQUENCE_NUMBER, messageId);
message.setStringProperty(JMSConstants.BERICHT_REFERENTIE, messageId);
message.setStringProperty(JMSConstants.BERICHT_ORIGINATOR, testBericht.getLo3Gemeente());
return message;
}
});
}
/**
* Voer stappen voor de testcase uit.
*/
public void beforeTestCase() {
// Clear queues
clearQueue(voiscOntvangst);
initEndedProcessCount = getEndedProcessCount();
}
private void clearQueue(final Destination destination) {
final long timeout = jmsTemplate.getReceiveTimeout();
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
while (jmsTemplate.receive(destination) != null) {
LOG.error("Message on queue before test case!!!!");
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
}
/**
* Dump voisc.ontvangst queue naar outputDirectory.
* @param outputDirectory De outputDirectory waarheen gedumpt wordt.
* @return true als er iets gedumpt is.
*/
public boolean dumpQueues(final File outputDirectory) {
return !dumpQueue(voiscOntvangst, outputDirectory, "9999-uit-voisc-");
}
/**
* Dump queue naar file.
* @param destination De JMX Destination waarvan we berichten lezen
* @param outputDirectory De outputDirectory waarheen gedumpt wordt.
* @param prefix De file prefix voor de dump.
* @return true als er niets te dumpen viel.
*/
private boolean dumpQueue(final Destination destination, final File outputDirectory, final String prefix) {
final long timeout = jmsTemplate.getReceiveTimeout();
long volgnummer = 0;
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
Message message;
while ((message = jmsTemplate.receive(destination)) != null) {
LOG.info("Onverwacht bericht op queue na testcase");
final File outputFile = new File(outputDirectory, prefix + volgnummer++ + ".txt");
outputFile.getParentFile().mkdirs();
try (FileOutputStream fis = new FileOutputStream(outputFile)) {
final PrintWriter writer = new PrintWriter(fis);
writer.print(((TextMessage) message).getText());
writer.close();
} catch (final IOException e) {
LOG.info("Probleem bij wegschrijven bericht.", e);
} catch (final JMSException e) {
LOG.info("Probleem bij versturen bericht.", e);
}
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
return volgnummer == 0;
}
/**
* Voer stappen na de testcase uit.
* @param wanted Aantal verwachte berichten.
* @param started Starttijd.
* @throws InterruptedException kan worden gegooid bij aanroepen van TimeUnit.MILLISECONDS.sleep().
*/
public void afterTestCase(final long wanted, final Date started) throws InterruptedException {
// Wanted number of messages
LOG.info(new Date() + "; Wanted: " + wanted);
LOG.info(started + "; Started");
long current = 0;
// give ten minute warmup initially
int loopsCurrentSame = -HONDERD_LOOPS;
while (current < wanted) {
final long processCount = getEndedProcessCount() - initEndedProcessCount;
LOG.info(new Date() + "; Processes ended so far: " + processCount);
if (current == processCount) {
loopsCurrentSame++;
} else {
current = processCount;
loopsCurrentSame = 0;
}
if (loopsCurrentSame >= HONDERD_LOOPS) {
LOG.info(new Date() + "; No processes ended (in ten minutes); breaking ...");
break;
}
// Check each 10 seconds
TimeUnit.MILLISECONDS.sleep(LOOP_WACHTTIJD_IN_MILLIS);
}
LOG.info(new Date() + "; Ending with: " + current);
}
/**
* Geef de waarde van ended process count.
* @return Het aantal beeindigde processen.
*/
public Long getEndedProcessCount() {
try {
final String sql = "select count(*) from mig_extractie_proces where proces_naam = 'uc202' and einddatum is not null";
return jdbcTemplate.queryForObject(sql, Long.class);
} catch (final DataAccessException e) {
throw new RuntimeException(e);
}
}
/**
* Controleer of het aantal beeindigde processen gelijk is aan het verwachte aantal.
* @param expectedAmount Het verwachte aantal.
* @return of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*/
public boolean verifyEndedProcesses(final long expectedAmount) {
boolean result;
if (expectedAmount == getEndedProcessCount() - initEndedProcessCount) {
LOG.info("Amount of ended processes is correct");
result = true;
} else {
LOG.info("Expected amount of ended processes: " + expectedAmount);
LOG.info("Initial amount of ended processes: " + initEndedProcessCount);
LOG.info("Current amount of ended processes: " + getEndedProcessCount());
LOG.info("Amount of ended processes during this test: " + (getEndedProcessCount() - initEndedProcessCount));
result = false;
}
return result;
}
}
| EdwinSmink/OperatieBRP | 02 Software/01 Broncode/operatiebrp-code-145.3/migratie/migr-test-perf-isc/src/main/java/nl/bzk/migratiebrp/test/perf/isc/environment/TestEnvironment.java | 2,159 | /**
* Genereer (max lengte 12) ID. Let op: enkel uniek binnen JVM (implementatie dmv AtomicInteger).
* @return id
*/ | 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.perf.isc.environment;
import java.io.File;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.PrintWriter;
import java.text.DecimalFormat;
import java.text.SimpleDateFormat;
import java.util.Date;
import java.util.concurrent.TimeUnit;
import java.util.concurrent.atomic.AtomicInteger;
import javax.inject.Inject;
import javax.inject.Named;
import javax.jms.Destination;
import javax.jms.JMSException;
import javax.jms.Message;
import javax.jms.Session;
import javax.jms.TextMessage;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import nl.bzk.migratiebrp.bericht.model.JMSConstants;
import nl.bzk.migratiebrp.test.perf.isc.bericht.TestBericht;
import org.springframework.dao.DataAccessException;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jms.core.JmsTemplate;
import org.springframework.jms.core.MessageCreator;
/**
* Test omgeving (abstract).
*/
public final class TestEnvironment {
private static final int HONDERD_LOOPS = 100;
private static final long MILLIS = 3000L;
private static final long LOOP_WACHTTIJD = 10L;
private static final long LOOP_WACHTTIJD_IN_MILLIS = LOOP_WACHTTIJD * MILLIS;
private static final Logger LOG = LoggerFactory.getLogger();
private static final DecimalFormat EREF_FORMAT = new DecimalFormat("000000");
private static final SimpleDateFormat PREFIX_FORMAT = new SimpleDateFormat("HHmmss");
private static final String EREF_PREFIX = PREFIX_FORMAT.format(new Date());
/* TIMEOUT */
private static final int TIMEOUT = 500;
private static final AtomicInteger COUNTER = new AtomicInteger();
@Inject
private JmsTemplate jmsTemplate;
@Inject
@Named("voiscOntvangstQueue")
private Destination voiscOntvangst;
@Inject
private JdbcTemplate jdbcTemplate;
private Long initEndedProcessCount = 0L;
/**
* Genereer (max lengte<SUF>*/
public String generateId() {
return EREF_PREFIX + EREF_FORMAT.format(COUNTER.getAndIncrement());
}
/**
* Verzend een bericht.
* @param testBericht testBericht
*/
public void verzendBericht(final TestBericht testBericht) {
jmsTemplate.send(voiscOntvangst, new MessageCreator() {
@Override
public Message createMessage(final Session session) throws JMSException {
final Message message = session.createTextMessage(testBericht.getInhoud());
final String messageId = generateId();
message.setStringProperty(JMSConstants.BERICHT_MS_SEQUENCE_NUMBER, messageId);
message.setStringProperty(JMSConstants.BERICHT_REFERENTIE, messageId);
message.setStringProperty(JMSConstants.BERICHT_ORIGINATOR, testBericht.getLo3Gemeente());
return message;
}
});
}
/**
* Voer stappen voor de testcase uit.
*/
public void beforeTestCase() {
// Clear queues
clearQueue(voiscOntvangst);
initEndedProcessCount = getEndedProcessCount();
}
private void clearQueue(final Destination destination) {
final long timeout = jmsTemplate.getReceiveTimeout();
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
while (jmsTemplate.receive(destination) != null) {
LOG.error("Message on queue before test case!!!!");
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
}
/**
* Dump voisc.ontvangst queue naar outputDirectory.
* @param outputDirectory De outputDirectory waarheen gedumpt wordt.
* @return true als er iets gedumpt is.
*/
public boolean dumpQueues(final File outputDirectory) {
return !dumpQueue(voiscOntvangst, outputDirectory, "9999-uit-voisc-");
}
/**
* Dump queue naar file.
* @param destination De JMX Destination waarvan we berichten lezen
* @param outputDirectory De outputDirectory waarheen gedumpt wordt.
* @param prefix De file prefix voor de dump.
* @return true als er niets te dumpen viel.
*/
private boolean dumpQueue(final Destination destination, final File outputDirectory, final String prefix) {
final long timeout = jmsTemplate.getReceiveTimeout();
long volgnummer = 0;
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
Message message;
while ((message = jmsTemplate.receive(destination)) != null) {
LOG.info("Onverwacht bericht op queue na testcase");
final File outputFile = new File(outputDirectory, prefix + volgnummer++ + ".txt");
outputFile.getParentFile().mkdirs();
try (FileOutputStream fis = new FileOutputStream(outputFile)) {
final PrintWriter writer = new PrintWriter(fis);
writer.print(((TextMessage) message).getText());
writer.close();
} catch (final IOException e) {
LOG.info("Probleem bij wegschrijven bericht.", e);
} catch (final JMSException e) {
LOG.info("Probleem bij versturen bericht.", e);
}
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
return volgnummer == 0;
}
/**
* Voer stappen na de testcase uit.
* @param wanted Aantal verwachte berichten.
* @param started Starttijd.
* @throws InterruptedException kan worden gegooid bij aanroepen van TimeUnit.MILLISECONDS.sleep().
*/
public void afterTestCase(final long wanted, final Date started) throws InterruptedException {
// Wanted number of messages
LOG.info(new Date() + "; Wanted: " + wanted);
LOG.info(started + "; Started");
long current = 0;
// give ten minute warmup initially
int loopsCurrentSame = -HONDERD_LOOPS;
while (current < wanted) {
final long processCount = getEndedProcessCount() - initEndedProcessCount;
LOG.info(new Date() + "; Processes ended so far: " + processCount);
if (current == processCount) {
loopsCurrentSame++;
} else {
current = processCount;
loopsCurrentSame = 0;
}
if (loopsCurrentSame >= HONDERD_LOOPS) {
LOG.info(new Date() + "; No processes ended (in ten minutes); breaking ...");
break;
}
// Check each 10 seconds
TimeUnit.MILLISECONDS.sleep(LOOP_WACHTTIJD_IN_MILLIS);
}
LOG.info(new Date() + "; Ending with: " + current);
}
/**
* Geef de waarde van ended process count.
* @return Het aantal beeindigde processen.
*/
public Long getEndedProcessCount() {
try {
final String sql = "select count(*) from mig_extractie_proces where proces_naam = 'uc202' and einddatum is not null";
return jdbcTemplate.queryForObject(sql, Long.class);
} catch (final DataAccessException e) {
throw new RuntimeException(e);
}
}
/**
* Controleer of het aantal beeindigde processen gelijk is aan het verwachte aantal.
* @param expectedAmount Het verwachte aantal.
* @return of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*/
public boolean verifyEndedProcesses(final long expectedAmount) {
boolean result;
if (expectedAmount == getEndedProcessCount() - initEndedProcessCount) {
LOG.info("Amount of ended processes is correct");
result = true;
} else {
LOG.info("Expected amount of ended processes: " + expectedAmount);
LOG.info("Initial amount of ended processes: " + initEndedProcessCount);
LOG.info("Current amount of ended processes: " + getEndedProcessCount());
LOG.info("Amount of ended processes during this test: " + (getEndedProcessCount() - initEndedProcessCount));
result = false;
}
return result;
}
}
|
211670_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.perf.isc.environment;
import java.io.File;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.PrintWriter;
import java.text.DecimalFormat;
import java.text.SimpleDateFormat;
import java.util.Date;
import java.util.concurrent.TimeUnit;
import java.util.concurrent.atomic.AtomicInteger;
import javax.inject.Inject;
import javax.inject.Named;
import javax.jms.Destination;
import javax.jms.JMSException;
import javax.jms.Message;
import javax.jms.Session;
import javax.jms.TextMessage;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import nl.bzk.migratiebrp.bericht.model.JMSConstants;
import nl.bzk.migratiebrp.test.perf.isc.bericht.TestBericht;
import org.springframework.dao.DataAccessException;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jms.core.JmsTemplate;
import org.springframework.jms.core.MessageCreator;
/**
* Test omgeving (abstract).
*/
public final class TestEnvironment {
private static final int HONDERD_LOOPS = 100;
private static final long MILLIS = 3000L;
private static final long LOOP_WACHTTIJD = 10L;
private static final long LOOP_WACHTTIJD_IN_MILLIS = LOOP_WACHTTIJD * MILLIS;
private static final Logger LOG = LoggerFactory.getLogger();
private static final DecimalFormat EREF_FORMAT = new DecimalFormat("000000");
private static final SimpleDateFormat PREFIX_FORMAT = new SimpleDateFormat("HHmmss");
private static final String EREF_PREFIX = PREFIX_FORMAT.format(new Date());
/* TIMEOUT */
private static final int TIMEOUT = 500;
private static final AtomicInteger COUNTER = new AtomicInteger();
@Inject
private JmsTemplate jmsTemplate;
@Inject
@Named("voiscOntvangstQueue")
private Destination voiscOntvangst;
@Inject
private JdbcTemplate jdbcTemplate;
private Long initEndedProcessCount = 0L;
/**
* Genereer (max lengte 12) ID. Let op: enkel uniek binnen JVM (implementatie dmv AtomicInteger).
* @return id
*/
public String generateId() {
return EREF_PREFIX + EREF_FORMAT.format(COUNTER.getAndIncrement());
}
/**
* Verzend een bericht.
* @param testBericht testBericht
*/
public void verzendBericht(final TestBericht testBericht) {
jmsTemplate.send(voiscOntvangst, new MessageCreator() {
@Override
public Message createMessage(final Session session) throws JMSException {
final Message message = session.createTextMessage(testBericht.getInhoud());
final String messageId = generateId();
message.setStringProperty(JMSConstants.BERICHT_MS_SEQUENCE_NUMBER, messageId);
message.setStringProperty(JMSConstants.BERICHT_REFERENTIE, messageId);
message.setStringProperty(JMSConstants.BERICHT_ORIGINATOR, testBericht.getLo3Gemeente());
return message;
}
});
}
/**
* Voer stappen voor de testcase uit.
*/
public void beforeTestCase() {
// Clear queues
clearQueue(voiscOntvangst);
initEndedProcessCount = getEndedProcessCount();
}
private void clearQueue(final Destination destination) {
final long timeout = jmsTemplate.getReceiveTimeout();
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
while (jmsTemplate.receive(destination) != null) {
LOG.error("Message on queue before test case!!!!");
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
}
/**
* Dump voisc.ontvangst queue naar outputDirectory.
* @param outputDirectory De outputDirectory waarheen gedumpt wordt.
* @return true als er iets gedumpt is.
*/
public boolean dumpQueues(final File outputDirectory) {
return !dumpQueue(voiscOntvangst, outputDirectory, "9999-uit-voisc-");
}
/**
* Dump queue naar file.
* @param destination De JMX Destination waarvan we berichten lezen
* @param outputDirectory De outputDirectory waarheen gedumpt wordt.
* @param prefix De file prefix voor de dump.
* @return true als er niets te dumpen viel.
*/
private boolean dumpQueue(final Destination destination, final File outputDirectory, final String prefix) {
final long timeout = jmsTemplate.getReceiveTimeout();
long volgnummer = 0;
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
Message message;
while ((message = jmsTemplate.receive(destination)) != null) {
LOG.info("Onverwacht bericht op queue na testcase");
final File outputFile = new File(outputDirectory, prefix + volgnummer++ + ".txt");
outputFile.getParentFile().mkdirs();
try (FileOutputStream fis = new FileOutputStream(outputFile)) {
final PrintWriter writer = new PrintWriter(fis);
writer.print(((TextMessage) message).getText());
writer.close();
} catch (final IOException e) {
LOG.info("Probleem bij wegschrijven bericht.", e);
} catch (final JMSException e) {
LOG.info("Probleem bij versturen bericht.", e);
}
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
return volgnummer == 0;
}
/**
* Voer stappen na de testcase uit.
* @param wanted Aantal verwachte berichten.
* @param started Starttijd.
* @throws InterruptedException kan worden gegooid bij aanroepen van TimeUnit.MILLISECONDS.sleep().
*/
public void afterTestCase(final long wanted, final Date started) throws InterruptedException {
// Wanted number of messages
LOG.info(new Date() + "; Wanted: " + wanted);
LOG.info(started + "; Started");
long current = 0;
// give ten minute warmup initially
int loopsCurrentSame = -HONDERD_LOOPS;
while (current < wanted) {
final long processCount = getEndedProcessCount() - initEndedProcessCount;
LOG.info(new Date() + "; Processes ended so far: " + processCount);
if (current == processCount) {
loopsCurrentSame++;
} else {
current = processCount;
loopsCurrentSame = 0;
}
if (loopsCurrentSame >= HONDERD_LOOPS) {
LOG.info(new Date() + "; No processes ended (in ten minutes); breaking ...");
break;
}
// Check each 10 seconds
TimeUnit.MILLISECONDS.sleep(LOOP_WACHTTIJD_IN_MILLIS);
}
LOG.info(new Date() + "; Ending with: " + current);
}
/**
* Geef de waarde van ended process count.
* @return Het aantal beeindigde processen.
*/
public Long getEndedProcessCount() {
try {
final String sql = "select count(*) from mig_extractie_proces where proces_naam = 'uc202' and einddatum is not null";
return jdbcTemplate.queryForObject(sql, Long.class);
} catch (final DataAccessException e) {
throw new RuntimeException(e);
}
}
/**
* Controleer of het aantal beeindigde processen gelijk is aan het verwachte aantal.
* @param expectedAmount Het verwachte aantal.
* @return of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*/
public boolean verifyEndedProcesses(final long expectedAmount) {
boolean result;
if (expectedAmount == getEndedProcessCount() - initEndedProcessCount) {
LOG.info("Amount of ended processes is correct");
result = true;
} else {
LOG.info("Expected amount of ended processes: " + expectedAmount);
LOG.info("Initial amount of ended processes: " + initEndedProcessCount);
LOG.info("Current amount of ended processes: " + getEndedProcessCount());
LOG.info("Amount of ended processes during this test: " + (getEndedProcessCount() - initEndedProcessCount));
result = false;
}
return result;
}
}
| EdwinSmink/OperatieBRP | 02 Software/01 Broncode/operatiebrp-code-145.3/migratie/migr-test-perf-isc/src/main/java/nl/bzk/migratiebrp/test/perf/isc/environment/TestEnvironment.java | 2,159 | /**
* Verzend een bericht.
* @param testBericht testBericht
*/ | 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.perf.isc.environment;
import java.io.File;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.PrintWriter;
import java.text.DecimalFormat;
import java.text.SimpleDateFormat;
import java.util.Date;
import java.util.concurrent.TimeUnit;
import java.util.concurrent.atomic.AtomicInteger;
import javax.inject.Inject;
import javax.inject.Named;
import javax.jms.Destination;
import javax.jms.JMSException;
import javax.jms.Message;
import javax.jms.Session;
import javax.jms.TextMessage;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import nl.bzk.migratiebrp.bericht.model.JMSConstants;
import nl.bzk.migratiebrp.test.perf.isc.bericht.TestBericht;
import org.springframework.dao.DataAccessException;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jms.core.JmsTemplate;
import org.springframework.jms.core.MessageCreator;
/**
* Test omgeving (abstract).
*/
public final class TestEnvironment {
private static final int HONDERD_LOOPS = 100;
private static final long MILLIS = 3000L;
private static final long LOOP_WACHTTIJD = 10L;
private static final long LOOP_WACHTTIJD_IN_MILLIS = LOOP_WACHTTIJD * MILLIS;
private static final Logger LOG = LoggerFactory.getLogger();
private static final DecimalFormat EREF_FORMAT = new DecimalFormat("000000");
private static final SimpleDateFormat PREFIX_FORMAT = new SimpleDateFormat("HHmmss");
private static final String EREF_PREFIX = PREFIX_FORMAT.format(new Date());
/* TIMEOUT */
private static final int TIMEOUT = 500;
private static final AtomicInteger COUNTER = new AtomicInteger();
@Inject
private JmsTemplate jmsTemplate;
@Inject
@Named("voiscOntvangstQueue")
private Destination voiscOntvangst;
@Inject
private JdbcTemplate jdbcTemplate;
private Long initEndedProcessCount = 0L;
/**
* Genereer (max lengte 12) ID. Let op: enkel uniek binnen JVM (implementatie dmv AtomicInteger).
* @return id
*/
public String generateId() {
return EREF_PREFIX + EREF_FORMAT.format(COUNTER.getAndIncrement());
}
/**
* Verzend een bericht.<SUF>*/
public void verzendBericht(final TestBericht testBericht) {
jmsTemplate.send(voiscOntvangst, new MessageCreator() {
@Override
public Message createMessage(final Session session) throws JMSException {
final Message message = session.createTextMessage(testBericht.getInhoud());
final String messageId = generateId();
message.setStringProperty(JMSConstants.BERICHT_MS_SEQUENCE_NUMBER, messageId);
message.setStringProperty(JMSConstants.BERICHT_REFERENTIE, messageId);
message.setStringProperty(JMSConstants.BERICHT_ORIGINATOR, testBericht.getLo3Gemeente());
return message;
}
});
}
/**
* Voer stappen voor de testcase uit.
*/
public void beforeTestCase() {
// Clear queues
clearQueue(voiscOntvangst);
initEndedProcessCount = getEndedProcessCount();
}
private void clearQueue(final Destination destination) {
final long timeout = jmsTemplate.getReceiveTimeout();
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
while (jmsTemplate.receive(destination) != null) {
LOG.error("Message on queue before test case!!!!");
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
}
/**
* Dump voisc.ontvangst queue naar outputDirectory.
* @param outputDirectory De outputDirectory waarheen gedumpt wordt.
* @return true als er iets gedumpt is.
*/
public boolean dumpQueues(final File outputDirectory) {
return !dumpQueue(voiscOntvangst, outputDirectory, "9999-uit-voisc-");
}
/**
* Dump queue naar file.
* @param destination De JMX Destination waarvan we berichten lezen
* @param outputDirectory De outputDirectory waarheen gedumpt wordt.
* @param prefix De file prefix voor de dump.
* @return true als er niets te dumpen viel.
*/
private boolean dumpQueue(final Destination destination, final File outputDirectory, final String prefix) {
final long timeout = jmsTemplate.getReceiveTimeout();
long volgnummer = 0;
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
Message message;
while ((message = jmsTemplate.receive(destination)) != null) {
LOG.info("Onverwacht bericht op queue na testcase");
final File outputFile = new File(outputDirectory, prefix + volgnummer++ + ".txt");
outputFile.getParentFile().mkdirs();
try (FileOutputStream fis = new FileOutputStream(outputFile)) {
final PrintWriter writer = new PrintWriter(fis);
writer.print(((TextMessage) message).getText());
writer.close();
} catch (final IOException e) {
LOG.info("Probleem bij wegschrijven bericht.", e);
} catch (final JMSException e) {
LOG.info("Probleem bij versturen bericht.", e);
}
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
return volgnummer == 0;
}
/**
* Voer stappen na de testcase uit.
* @param wanted Aantal verwachte berichten.
* @param started Starttijd.
* @throws InterruptedException kan worden gegooid bij aanroepen van TimeUnit.MILLISECONDS.sleep().
*/
public void afterTestCase(final long wanted, final Date started) throws InterruptedException {
// Wanted number of messages
LOG.info(new Date() + "; Wanted: " + wanted);
LOG.info(started + "; Started");
long current = 0;
// give ten minute warmup initially
int loopsCurrentSame = -HONDERD_LOOPS;
while (current < wanted) {
final long processCount = getEndedProcessCount() - initEndedProcessCount;
LOG.info(new Date() + "; Processes ended so far: " + processCount);
if (current == processCount) {
loopsCurrentSame++;
} else {
current = processCount;
loopsCurrentSame = 0;
}
if (loopsCurrentSame >= HONDERD_LOOPS) {
LOG.info(new Date() + "; No processes ended (in ten minutes); breaking ...");
break;
}
// Check each 10 seconds
TimeUnit.MILLISECONDS.sleep(LOOP_WACHTTIJD_IN_MILLIS);
}
LOG.info(new Date() + "; Ending with: " + current);
}
/**
* Geef de waarde van ended process count.
* @return Het aantal beeindigde processen.
*/
public Long getEndedProcessCount() {
try {
final String sql = "select count(*) from mig_extractie_proces where proces_naam = 'uc202' and einddatum is not null";
return jdbcTemplate.queryForObject(sql, Long.class);
} catch (final DataAccessException e) {
throw new RuntimeException(e);
}
}
/**
* Controleer of het aantal beeindigde processen gelijk is aan het verwachte aantal.
* @param expectedAmount Het verwachte aantal.
* @return of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*/
public boolean verifyEndedProcesses(final long expectedAmount) {
boolean result;
if (expectedAmount == getEndedProcessCount() - initEndedProcessCount) {
LOG.info("Amount of ended processes is correct");
result = true;
} else {
LOG.info("Expected amount of ended processes: " + expectedAmount);
LOG.info("Initial amount of ended processes: " + initEndedProcessCount);
LOG.info("Current amount of ended processes: " + getEndedProcessCount());
LOG.info("Amount of ended processes during this test: " + (getEndedProcessCount() - initEndedProcessCount));
result = false;
}
return result;
}
}
|
211670_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.test.perf.isc.environment;
import java.io.File;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.PrintWriter;
import java.text.DecimalFormat;
import java.text.SimpleDateFormat;
import java.util.Date;
import java.util.concurrent.TimeUnit;
import java.util.concurrent.atomic.AtomicInteger;
import javax.inject.Inject;
import javax.inject.Named;
import javax.jms.Destination;
import javax.jms.JMSException;
import javax.jms.Message;
import javax.jms.Session;
import javax.jms.TextMessage;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import nl.bzk.migratiebrp.bericht.model.JMSConstants;
import nl.bzk.migratiebrp.test.perf.isc.bericht.TestBericht;
import org.springframework.dao.DataAccessException;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jms.core.JmsTemplate;
import org.springframework.jms.core.MessageCreator;
/**
* Test omgeving (abstract).
*/
public final class TestEnvironment {
private static final int HONDERD_LOOPS = 100;
private static final long MILLIS = 3000L;
private static final long LOOP_WACHTTIJD = 10L;
private static final long LOOP_WACHTTIJD_IN_MILLIS = LOOP_WACHTTIJD * MILLIS;
private static final Logger LOG = LoggerFactory.getLogger();
private static final DecimalFormat EREF_FORMAT = new DecimalFormat("000000");
private static final SimpleDateFormat PREFIX_FORMAT = new SimpleDateFormat("HHmmss");
private static final String EREF_PREFIX = PREFIX_FORMAT.format(new Date());
/* TIMEOUT */
private static final int TIMEOUT = 500;
private static final AtomicInteger COUNTER = new AtomicInteger();
@Inject
private JmsTemplate jmsTemplate;
@Inject
@Named("voiscOntvangstQueue")
private Destination voiscOntvangst;
@Inject
private JdbcTemplate jdbcTemplate;
private Long initEndedProcessCount = 0L;
/**
* Genereer (max lengte 12) ID. Let op: enkel uniek binnen JVM (implementatie dmv AtomicInteger).
* @return id
*/
public String generateId() {
return EREF_PREFIX + EREF_FORMAT.format(COUNTER.getAndIncrement());
}
/**
* Verzend een bericht.
* @param testBericht testBericht
*/
public void verzendBericht(final TestBericht testBericht) {
jmsTemplate.send(voiscOntvangst, new MessageCreator() {
@Override
public Message createMessage(final Session session) throws JMSException {
final Message message = session.createTextMessage(testBericht.getInhoud());
final String messageId = generateId();
message.setStringProperty(JMSConstants.BERICHT_MS_SEQUENCE_NUMBER, messageId);
message.setStringProperty(JMSConstants.BERICHT_REFERENTIE, messageId);
message.setStringProperty(JMSConstants.BERICHT_ORIGINATOR, testBericht.getLo3Gemeente());
return message;
}
});
}
/**
* Voer stappen voor de testcase uit.
*/
public void beforeTestCase() {
// Clear queues
clearQueue(voiscOntvangst);
initEndedProcessCount = getEndedProcessCount();
}
private void clearQueue(final Destination destination) {
final long timeout = jmsTemplate.getReceiveTimeout();
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
while (jmsTemplate.receive(destination) != null) {
LOG.error("Message on queue before test case!!!!");
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
}
/**
* Dump voisc.ontvangst queue naar outputDirectory.
* @param outputDirectory De outputDirectory waarheen gedumpt wordt.
* @return true als er iets gedumpt is.
*/
public boolean dumpQueues(final File outputDirectory) {
return !dumpQueue(voiscOntvangst, outputDirectory, "9999-uit-voisc-");
}
/**
* Dump queue naar file.
* @param destination De JMX Destination waarvan we berichten lezen
* @param outputDirectory De outputDirectory waarheen gedumpt wordt.
* @param prefix De file prefix voor de dump.
* @return true als er niets te dumpen viel.
*/
private boolean dumpQueue(final Destination destination, final File outputDirectory, final String prefix) {
final long timeout = jmsTemplate.getReceiveTimeout();
long volgnummer = 0;
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
Message message;
while ((message = jmsTemplate.receive(destination)) != null) {
LOG.info("Onverwacht bericht op queue na testcase");
final File outputFile = new File(outputDirectory, prefix + volgnummer++ + ".txt");
outputFile.getParentFile().mkdirs();
try (FileOutputStream fis = new FileOutputStream(outputFile)) {
final PrintWriter writer = new PrintWriter(fis);
writer.print(((TextMessage) message).getText());
writer.close();
} catch (final IOException e) {
LOG.info("Probleem bij wegschrijven bericht.", e);
} catch (final JMSException e) {
LOG.info("Probleem bij versturen bericht.", e);
}
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
return volgnummer == 0;
}
/**
* Voer stappen na de testcase uit.
* @param wanted Aantal verwachte berichten.
* @param started Starttijd.
* @throws InterruptedException kan worden gegooid bij aanroepen van TimeUnit.MILLISECONDS.sleep().
*/
public void afterTestCase(final long wanted, final Date started) throws InterruptedException {
// Wanted number of messages
LOG.info(new Date() + "; Wanted: " + wanted);
LOG.info(started + "; Started");
long current = 0;
// give ten minute warmup initially
int loopsCurrentSame = -HONDERD_LOOPS;
while (current < wanted) {
final long processCount = getEndedProcessCount() - initEndedProcessCount;
LOG.info(new Date() + "; Processes ended so far: " + processCount);
if (current == processCount) {
loopsCurrentSame++;
} else {
current = processCount;
loopsCurrentSame = 0;
}
if (loopsCurrentSame >= HONDERD_LOOPS) {
LOG.info(new Date() + "; No processes ended (in ten minutes); breaking ...");
break;
}
// Check each 10 seconds
TimeUnit.MILLISECONDS.sleep(LOOP_WACHTTIJD_IN_MILLIS);
}
LOG.info(new Date() + "; Ending with: " + current);
}
/**
* Geef de waarde van ended process count.
* @return Het aantal beeindigde processen.
*/
public Long getEndedProcessCount() {
try {
final String sql = "select count(*) from mig_extractie_proces where proces_naam = 'uc202' and einddatum is not null";
return jdbcTemplate.queryForObject(sql, Long.class);
} catch (final DataAccessException e) {
throw new RuntimeException(e);
}
}
/**
* Controleer of het aantal beeindigde processen gelijk is aan het verwachte aantal.
* @param expectedAmount Het verwachte aantal.
* @return of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*/
public boolean verifyEndedProcesses(final long expectedAmount) {
boolean result;
if (expectedAmount == getEndedProcessCount() - initEndedProcessCount) {
LOG.info("Amount of ended processes is correct");
result = true;
} else {
LOG.info("Expected amount of ended processes: " + expectedAmount);
LOG.info("Initial amount of ended processes: " + initEndedProcessCount);
LOG.info("Current amount of ended processes: " + getEndedProcessCount());
LOG.info("Amount of ended processes during this test: " + (getEndedProcessCount() - initEndedProcessCount));
result = false;
}
return result;
}
}
| EdwinSmink/OperatieBRP | 02 Software/01 Broncode/operatiebrp-code-145.3/migratie/migr-test-perf-isc/src/main/java/nl/bzk/migratiebrp/test/perf/isc/environment/TestEnvironment.java | 2,159 | /**
* Voer stappen voor de testcase uit.
*/ | 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.perf.isc.environment;
import java.io.File;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.PrintWriter;
import java.text.DecimalFormat;
import java.text.SimpleDateFormat;
import java.util.Date;
import java.util.concurrent.TimeUnit;
import java.util.concurrent.atomic.AtomicInteger;
import javax.inject.Inject;
import javax.inject.Named;
import javax.jms.Destination;
import javax.jms.JMSException;
import javax.jms.Message;
import javax.jms.Session;
import javax.jms.TextMessage;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import nl.bzk.migratiebrp.bericht.model.JMSConstants;
import nl.bzk.migratiebrp.test.perf.isc.bericht.TestBericht;
import org.springframework.dao.DataAccessException;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jms.core.JmsTemplate;
import org.springframework.jms.core.MessageCreator;
/**
* Test omgeving (abstract).
*/
public final class TestEnvironment {
private static final int HONDERD_LOOPS = 100;
private static final long MILLIS = 3000L;
private static final long LOOP_WACHTTIJD = 10L;
private static final long LOOP_WACHTTIJD_IN_MILLIS = LOOP_WACHTTIJD * MILLIS;
private static final Logger LOG = LoggerFactory.getLogger();
private static final DecimalFormat EREF_FORMAT = new DecimalFormat("000000");
private static final SimpleDateFormat PREFIX_FORMAT = new SimpleDateFormat("HHmmss");
private static final String EREF_PREFIX = PREFIX_FORMAT.format(new Date());
/* TIMEOUT */
private static final int TIMEOUT = 500;
private static final AtomicInteger COUNTER = new AtomicInteger();
@Inject
private JmsTemplate jmsTemplate;
@Inject
@Named("voiscOntvangstQueue")
private Destination voiscOntvangst;
@Inject
private JdbcTemplate jdbcTemplate;
private Long initEndedProcessCount = 0L;
/**
* Genereer (max lengte 12) ID. Let op: enkel uniek binnen JVM (implementatie dmv AtomicInteger).
* @return id
*/
public String generateId() {
return EREF_PREFIX + EREF_FORMAT.format(COUNTER.getAndIncrement());
}
/**
* Verzend een bericht.
* @param testBericht testBericht
*/
public void verzendBericht(final TestBericht testBericht) {
jmsTemplate.send(voiscOntvangst, new MessageCreator() {
@Override
public Message createMessage(final Session session) throws JMSException {
final Message message = session.createTextMessage(testBericht.getInhoud());
final String messageId = generateId();
message.setStringProperty(JMSConstants.BERICHT_MS_SEQUENCE_NUMBER, messageId);
message.setStringProperty(JMSConstants.BERICHT_REFERENTIE, messageId);
message.setStringProperty(JMSConstants.BERICHT_ORIGINATOR, testBericht.getLo3Gemeente());
return message;
}
});
}
/**
* Voer stappen voor<SUF>*/
public void beforeTestCase() {
// Clear queues
clearQueue(voiscOntvangst);
initEndedProcessCount = getEndedProcessCount();
}
private void clearQueue(final Destination destination) {
final long timeout = jmsTemplate.getReceiveTimeout();
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
while (jmsTemplate.receive(destination) != null) {
LOG.error("Message on queue before test case!!!!");
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
}
/**
* Dump voisc.ontvangst queue naar outputDirectory.
* @param outputDirectory De outputDirectory waarheen gedumpt wordt.
* @return true als er iets gedumpt is.
*/
public boolean dumpQueues(final File outputDirectory) {
return !dumpQueue(voiscOntvangst, outputDirectory, "9999-uit-voisc-");
}
/**
* Dump queue naar file.
* @param destination De JMX Destination waarvan we berichten lezen
* @param outputDirectory De outputDirectory waarheen gedumpt wordt.
* @param prefix De file prefix voor de dump.
* @return true als er niets te dumpen viel.
*/
private boolean dumpQueue(final Destination destination, final File outputDirectory, final String prefix) {
final long timeout = jmsTemplate.getReceiveTimeout();
long volgnummer = 0;
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
Message message;
while ((message = jmsTemplate.receive(destination)) != null) {
LOG.info("Onverwacht bericht op queue na testcase");
final File outputFile = new File(outputDirectory, prefix + volgnummer++ + ".txt");
outputFile.getParentFile().mkdirs();
try (FileOutputStream fis = new FileOutputStream(outputFile)) {
final PrintWriter writer = new PrintWriter(fis);
writer.print(((TextMessage) message).getText());
writer.close();
} catch (final IOException e) {
LOG.info("Probleem bij wegschrijven bericht.", e);
} catch (final JMSException e) {
LOG.info("Probleem bij versturen bericht.", e);
}
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
return volgnummer == 0;
}
/**
* Voer stappen na de testcase uit.
* @param wanted Aantal verwachte berichten.
* @param started Starttijd.
* @throws InterruptedException kan worden gegooid bij aanroepen van TimeUnit.MILLISECONDS.sleep().
*/
public void afterTestCase(final long wanted, final Date started) throws InterruptedException {
// Wanted number of messages
LOG.info(new Date() + "; Wanted: " + wanted);
LOG.info(started + "; Started");
long current = 0;
// give ten minute warmup initially
int loopsCurrentSame = -HONDERD_LOOPS;
while (current < wanted) {
final long processCount = getEndedProcessCount() - initEndedProcessCount;
LOG.info(new Date() + "; Processes ended so far: " + processCount);
if (current == processCount) {
loopsCurrentSame++;
} else {
current = processCount;
loopsCurrentSame = 0;
}
if (loopsCurrentSame >= HONDERD_LOOPS) {
LOG.info(new Date() + "; No processes ended (in ten minutes); breaking ...");
break;
}
// Check each 10 seconds
TimeUnit.MILLISECONDS.sleep(LOOP_WACHTTIJD_IN_MILLIS);
}
LOG.info(new Date() + "; Ending with: " + current);
}
/**
* Geef de waarde van ended process count.
* @return Het aantal beeindigde processen.
*/
public Long getEndedProcessCount() {
try {
final String sql = "select count(*) from mig_extractie_proces where proces_naam = 'uc202' and einddatum is not null";
return jdbcTemplate.queryForObject(sql, Long.class);
} catch (final DataAccessException e) {
throw new RuntimeException(e);
}
}
/**
* Controleer of het aantal beeindigde processen gelijk is aan het verwachte aantal.
* @param expectedAmount Het verwachte aantal.
* @return of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*/
public boolean verifyEndedProcesses(final long expectedAmount) {
boolean result;
if (expectedAmount == getEndedProcessCount() - initEndedProcessCount) {
LOG.info("Amount of ended processes is correct");
result = true;
} else {
LOG.info("Expected amount of ended processes: " + expectedAmount);
LOG.info("Initial amount of ended processes: " + initEndedProcessCount);
LOG.info("Current amount of ended processes: " + getEndedProcessCount());
LOG.info("Amount of ended processes during this test: " + (getEndedProcessCount() - initEndedProcessCount));
result = false;
}
return result;
}
}
|
211670_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.test.perf.isc.environment;
import java.io.File;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.PrintWriter;
import java.text.DecimalFormat;
import java.text.SimpleDateFormat;
import java.util.Date;
import java.util.concurrent.TimeUnit;
import java.util.concurrent.atomic.AtomicInteger;
import javax.inject.Inject;
import javax.inject.Named;
import javax.jms.Destination;
import javax.jms.JMSException;
import javax.jms.Message;
import javax.jms.Session;
import javax.jms.TextMessage;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import nl.bzk.migratiebrp.bericht.model.JMSConstants;
import nl.bzk.migratiebrp.test.perf.isc.bericht.TestBericht;
import org.springframework.dao.DataAccessException;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jms.core.JmsTemplate;
import org.springframework.jms.core.MessageCreator;
/**
* Test omgeving (abstract).
*/
public final class TestEnvironment {
private static final int HONDERD_LOOPS = 100;
private static final long MILLIS = 3000L;
private static final long LOOP_WACHTTIJD = 10L;
private static final long LOOP_WACHTTIJD_IN_MILLIS = LOOP_WACHTTIJD * MILLIS;
private static final Logger LOG = LoggerFactory.getLogger();
private static final DecimalFormat EREF_FORMAT = new DecimalFormat("000000");
private static final SimpleDateFormat PREFIX_FORMAT = new SimpleDateFormat("HHmmss");
private static final String EREF_PREFIX = PREFIX_FORMAT.format(new Date());
/* TIMEOUT */
private static final int TIMEOUT = 500;
private static final AtomicInteger COUNTER = new AtomicInteger();
@Inject
private JmsTemplate jmsTemplate;
@Inject
@Named("voiscOntvangstQueue")
private Destination voiscOntvangst;
@Inject
private JdbcTemplate jdbcTemplate;
private Long initEndedProcessCount = 0L;
/**
* Genereer (max lengte 12) ID. Let op: enkel uniek binnen JVM (implementatie dmv AtomicInteger).
* @return id
*/
public String generateId() {
return EREF_PREFIX + EREF_FORMAT.format(COUNTER.getAndIncrement());
}
/**
* Verzend een bericht.
* @param testBericht testBericht
*/
public void verzendBericht(final TestBericht testBericht) {
jmsTemplate.send(voiscOntvangst, new MessageCreator() {
@Override
public Message createMessage(final Session session) throws JMSException {
final Message message = session.createTextMessage(testBericht.getInhoud());
final String messageId = generateId();
message.setStringProperty(JMSConstants.BERICHT_MS_SEQUENCE_NUMBER, messageId);
message.setStringProperty(JMSConstants.BERICHT_REFERENTIE, messageId);
message.setStringProperty(JMSConstants.BERICHT_ORIGINATOR, testBericht.getLo3Gemeente());
return message;
}
});
}
/**
* Voer stappen voor de testcase uit.
*/
public void beforeTestCase() {
// Clear queues
clearQueue(voiscOntvangst);
initEndedProcessCount = getEndedProcessCount();
}
private void clearQueue(final Destination destination) {
final long timeout = jmsTemplate.getReceiveTimeout();
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
while (jmsTemplate.receive(destination) != null) {
LOG.error("Message on queue before test case!!!!");
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
}
/**
* Dump voisc.ontvangst queue naar outputDirectory.
* @param outputDirectory De outputDirectory waarheen gedumpt wordt.
* @return true als er iets gedumpt is.
*/
public boolean dumpQueues(final File outputDirectory) {
return !dumpQueue(voiscOntvangst, outputDirectory, "9999-uit-voisc-");
}
/**
* Dump queue naar file.
* @param destination De JMX Destination waarvan we berichten lezen
* @param outputDirectory De outputDirectory waarheen gedumpt wordt.
* @param prefix De file prefix voor de dump.
* @return true als er niets te dumpen viel.
*/
private boolean dumpQueue(final Destination destination, final File outputDirectory, final String prefix) {
final long timeout = jmsTemplate.getReceiveTimeout();
long volgnummer = 0;
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
Message message;
while ((message = jmsTemplate.receive(destination)) != null) {
LOG.info("Onverwacht bericht op queue na testcase");
final File outputFile = new File(outputDirectory, prefix + volgnummer++ + ".txt");
outputFile.getParentFile().mkdirs();
try (FileOutputStream fis = new FileOutputStream(outputFile)) {
final PrintWriter writer = new PrintWriter(fis);
writer.print(((TextMessage) message).getText());
writer.close();
} catch (final IOException e) {
LOG.info("Probleem bij wegschrijven bericht.", e);
} catch (final JMSException e) {
LOG.info("Probleem bij versturen bericht.", e);
}
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
return volgnummer == 0;
}
/**
* Voer stappen na de testcase uit.
* @param wanted Aantal verwachte berichten.
* @param started Starttijd.
* @throws InterruptedException kan worden gegooid bij aanroepen van TimeUnit.MILLISECONDS.sleep().
*/
public void afterTestCase(final long wanted, final Date started) throws InterruptedException {
// Wanted number of messages
LOG.info(new Date() + "; Wanted: " + wanted);
LOG.info(started + "; Started");
long current = 0;
// give ten minute warmup initially
int loopsCurrentSame = -HONDERD_LOOPS;
while (current < wanted) {
final long processCount = getEndedProcessCount() - initEndedProcessCount;
LOG.info(new Date() + "; Processes ended so far: " + processCount);
if (current == processCount) {
loopsCurrentSame++;
} else {
current = processCount;
loopsCurrentSame = 0;
}
if (loopsCurrentSame >= HONDERD_LOOPS) {
LOG.info(new Date() + "; No processes ended (in ten minutes); breaking ...");
break;
}
// Check each 10 seconds
TimeUnit.MILLISECONDS.sleep(LOOP_WACHTTIJD_IN_MILLIS);
}
LOG.info(new Date() + "; Ending with: " + current);
}
/**
* Geef de waarde van ended process count.
* @return Het aantal beeindigde processen.
*/
public Long getEndedProcessCount() {
try {
final String sql = "select count(*) from mig_extractie_proces where proces_naam = 'uc202' and einddatum is not null";
return jdbcTemplate.queryForObject(sql, Long.class);
} catch (final DataAccessException e) {
throw new RuntimeException(e);
}
}
/**
* Controleer of het aantal beeindigde processen gelijk is aan het verwachte aantal.
* @param expectedAmount Het verwachte aantal.
* @return of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*/
public boolean verifyEndedProcesses(final long expectedAmount) {
boolean result;
if (expectedAmount == getEndedProcessCount() - initEndedProcessCount) {
LOG.info("Amount of ended processes is correct");
result = true;
} else {
LOG.info("Expected amount of ended processes: " + expectedAmount);
LOG.info("Initial amount of ended processes: " + initEndedProcessCount);
LOG.info("Current amount of ended processes: " + getEndedProcessCount());
LOG.info("Amount of ended processes during this test: " + (getEndedProcessCount() - initEndedProcessCount));
result = false;
}
return result;
}
}
| EdwinSmink/OperatieBRP | 02 Software/01 Broncode/operatiebrp-code-145.3/migratie/migr-test-perf-isc/src/main/java/nl/bzk/migratiebrp/test/perf/isc/environment/TestEnvironment.java | 2,159 | /**
* Dump queue naar file.
* @param destination De JMX Destination waarvan we berichten lezen
* @param outputDirectory De outputDirectory waarheen gedumpt wordt.
* @param prefix De file prefix voor de dump.
* @return true als er niets te dumpen viel.
*/ | 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.perf.isc.environment;
import java.io.File;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.PrintWriter;
import java.text.DecimalFormat;
import java.text.SimpleDateFormat;
import java.util.Date;
import java.util.concurrent.TimeUnit;
import java.util.concurrent.atomic.AtomicInteger;
import javax.inject.Inject;
import javax.inject.Named;
import javax.jms.Destination;
import javax.jms.JMSException;
import javax.jms.Message;
import javax.jms.Session;
import javax.jms.TextMessage;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import nl.bzk.migratiebrp.bericht.model.JMSConstants;
import nl.bzk.migratiebrp.test.perf.isc.bericht.TestBericht;
import org.springframework.dao.DataAccessException;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jms.core.JmsTemplate;
import org.springframework.jms.core.MessageCreator;
/**
* Test omgeving (abstract).
*/
public final class TestEnvironment {
private static final int HONDERD_LOOPS = 100;
private static final long MILLIS = 3000L;
private static final long LOOP_WACHTTIJD = 10L;
private static final long LOOP_WACHTTIJD_IN_MILLIS = LOOP_WACHTTIJD * MILLIS;
private static final Logger LOG = LoggerFactory.getLogger();
private static final DecimalFormat EREF_FORMAT = new DecimalFormat("000000");
private static final SimpleDateFormat PREFIX_FORMAT = new SimpleDateFormat("HHmmss");
private static final String EREF_PREFIX = PREFIX_FORMAT.format(new Date());
/* TIMEOUT */
private static final int TIMEOUT = 500;
private static final AtomicInteger COUNTER = new AtomicInteger();
@Inject
private JmsTemplate jmsTemplate;
@Inject
@Named("voiscOntvangstQueue")
private Destination voiscOntvangst;
@Inject
private JdbcTemplate jdbcTemplate;
private Long initEndedProcessCount = 0L;
/**
* Genereer (max lengte 12) ID. Let op: enkel uniek binnen JVM (implementatie dmv AtomicInteger).
* @return id
*/
public String generateId() {
return EREF_PREFIX + EREF_FORMAT.format(COUNTER.getAndIncrement());
}
/**
* Verzend een bericht.
* @param testBericht testBericht
*/
public void verzendBericht(final TestBericht testBericht) {
jmsTemplate.send(voiscOntvangst, new MessageCreator() {
@Override
public Message createMessage(final Session session) throws JMSException {
final Message message = session.createTextMessage(testBericht.getInhoud());
final String messageId = generateId();
message.setStringProperty(JMSConstants.BERICHT_MS_SEQUENCE_NUMBER, messageId);
message.setStringProperty(JMSConstants.BERICHT_REFERENTIE, messageId);
message.setStringProperty(JMSConstants.BERICHT_ORIGINATOR, testBericht.getLo3Gemeente());
return message;
}
});
}
/**
* Voer stappen voor de testcase uit.
*/
public void beforeTestCase() {
// Clear queues
clearQueue(voiscOntvangst);
initEndedProcessCount = getEndedProcessCount();
}
private void clearQueue(final Destination destination) {
final long timeout = jmsTemplate.getReceiveTimeout();
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
while (jmsTemplate.receive(destination) != null) {
LOG.error("Message on queue before test case!!!!");
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
}
/**
* Dump voisc.ontvangst queue naar outputDirectory.
* @param outputDirectory De outputDirectory waarheen gedumpt wordt.
* @return true als er iets gedumpt is.
*/
public boolean dumpQueues(final File outputDirectory) {
return !dumpQueue(voiscOntvangst, outputDirectory, "9999-uit-voisc-");
}
/**
* Dump queue naar<SUF>*/
private boolean dumpQueue(final Destination destination, final File outputDirectory, final String prefix) {
final long timeout = jmsTemplate.getReceiveTimeout();
long volgnummer = 0;
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
Message message;
while ((message = jmsTemplate.receive(destination)) != null) {
LOG.info("Onverwacht bericht op queue na testcase");
final File outputFile = new File(outputDirectory, prefix + volgnummer++ + ".txt");
outputFile.getParentFile().mkdirs();
try (FileOutputStream fis = new FileOutputStream(outputFile)) {
final PrintWriter writer = new PrintWriter(fis);
writer.print(((TextMessage) message).getText());
writer.close();
} catch (final IOException e) {
LOG.info("Probleem bij wegschrijven bericht.", e);
} catch (final JMSException e) {
LOG.info("Probleem bij versturen bericht.", e);
}
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
return volgnummer == 0;
}
/**
* Voer stappen na de testcase uit.
* @param wanted Aantal verwachte berichten.
* @param started Starttijd.
* @throws InterruptedException kan worden gegooid bij aanroepen van TimeUnit.MILLISECONDS.sleep().
*/
public void afterTestCase(final long wanted, final Date started) throws InterruptedException {
// Wanted number of messages
LOG.info(new Date() + "; Wanted: " + wanted);
LOG.info(started + "; Started");
long current = 0;
// give ten minute warmup initially
int loopsCurrentSame = -HONDERD_LOOPS;
while (current < wanted) {
final long processCount = getEndedProcessCount() - initEndedProcessCount;
LOG.info(new Date() + "; Processes ended so far: " + processCount);
if (current == processCount) {
loopsCurrentSame++;
} else {
current = processCount;
loopsCurrentSame = 0;
}
if (loopsCurrentSame >= HONDERD_LOOPS) {
LOG.info(new Date() + "; No processes ended (in ten minutes); breaking ...");
break;
}
// Check each 10 seconds
TimeUnit.MILLISECONDS.sleep(LOOP_WACHTTIJD_IN_MILLIS);
}
LOG.info(new Date() + "; Ending with: " + current);
}
/**
* Geef de waarde van ended process count.
* @return Het aantal beeindigde processen.
*/
public Long getEndedProcessCount() {
try {
final String sql = "select count(*) from mig_extractie_proces where proces_naam = 'uc202' and einddatum is not null";
return jdbcTemplate.queryForObject(sql, Long.class);
} catch (final DataAccessException e) {
throw new RuntimeException(e);
}
}
/**
* Controleer of het aantal beeindigde processen gelijk is aan het verwachte aantal.
* @param expectedAmount Het verwachte aantal.
* @return of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*/
public boolean verifyEndedProcesses(final long expectedAmount) {
boolean result;
if (expectedAmount == getEndedProcessCount() - initEndedProcessCount) {
LOG.info("Amount of ended processes is correct");
result = true;
} else {
LOG.info("Expected amount of ended processes: " + expectedAmount);
LOG.info("Initial amount of ended processes: " + initEndedProcessCount);
LOG.info("Current amount of ended processes: " + getEndedProcessCount());
LOG.info("Amount of ended processes during this test: " + (getEndedProcessCount() - initEndedProcessCount));
result = false;
}
return result;
}
}
|
211670_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.perf.isc.environment;
import java.io.File;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.PrintWriter;
import java.text.DecimalFormat;
import java.text.SimpleDateFormat;
import java.util.Date;
import java.util.concurrent.TimeUnit;
import java.util.concurrent.atomic.AtomicInteger;
import javax.inject.Inject;
import javax.inject.Named;
import javax.jms.Destination;
import javax.jms.JMSException;
import javax.jms.Message;
import javax.jms.Session;
import javax.jms.TextMessage;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import nl.bzk.migratiebrp.bericht.model.JMSConstants;
import nl.bzk.migratiebrp.test.perf.isc.bericht.TestBericht;
import org.springframework.dao.DataAccessException;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jms.core.JmsTemplate;
import org.springframework.jms.core.MessageCreator;
/**
* Test omgeving (abstract).
*/
public final class TestEnvironment {
private static final int HONDERD_LOOPS = 100;
private static final long MILLIS = 3000L;
private static final long LOOP_WACHTTIJD = 10L;
private static final long LOOP_WACHTTIJD_IN_MILLIS = LOOP_WACHTTIJD * MILLIS;
private static final Logger LOG = LoggerFactory.getLogger();
private static final DecimalFormat EREF_FORMAT = new DecimalFormat("000000");
private static final SimpleDateFormat PREFIX_FORMAT = new SimpleDateFormat("HHmmss");
private static final String EREF_PREFIX = PREFIX_FORMAT.format(new Date());
/* TIMEOUT */
private static final int TIMEOUT = 500;
private static final AtomicInteger COUNTER = new AtomicInteger();
@Inject
private JmsTemplate jmsTemplate;
@Inject
@Named("voiscOntvangstQueue")
private Destination voiscOntvangst;
@Inject
private JdbcTemplate jdbcTemplate;
private Long initEndedProcessCount = 0L;
/**
* Genereer (max lengte 12) ID. Let op: enkel uniek binnen JVM (implementatie dmv AtomicInteger).
* @return id
*/
public String generateId() {
return EREF_PREFIX + EREF_FORMAT.format(COUNTER.getAndIncrement());
}
/**
* Verzend een bericht.
* @param testBericht testBericht
*/
public void verzendBericht(final TestBericht testBericht) {
jmsTemplate.send(voiscOntvangst, new MessageCreator() {
@Override
public Message createMessage(final Session session) throws JMSException {
final Message message = session.createTextMessage(testBericht.getInhoud());
final String messageId = generateId();
message.setStringProperty(JMSConstants.BERICHT_MS_SEQUENCE_NUMBER, messageId);
message.setStringProperty(JMSConstants.BERICHT_REFERENTIE, messageId);
message.setStringProperty(JMSConstants.BERICHT_ORIGINATOR, testBericht.getLo3Gemeente());
return message;
}
});
}
/**
* Voer stappen voor de testcase uit.
*/
public void beforeTestCase() {
// Clear queues
clearQueue(voiscOntvangst);
initEndedProcessCount = getEndedProcessCount();
}
private void clearQueue(final Destination destination) {
final long timeout = jmsTemplate.getReceiveTimeout();
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
while (jmsTemplate.receive(destination) != null) {
LOG.error("Message on queue before test case!!!!");
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
}
/**
* Dump voisc.ontvangst queue naar outputDirectory.
* @param outputDirectory De outputDirectory waarheen gedumpt wordt.
* @return true als er iets gedumpt is.
*/
public boolean dumpQueues(final File outputDirectory) {
return !dumpQueue(voiscOntvangst, outputDirectory, "9999-uit-voisc-");
}
/**
* Dump queue naar file.
* @param destination De JMX Destination waarvan we berichten lezen
* @param outputDirectory De outputDirectory waarheen gedumpt wordt.
* @param prefix De file prefix voor de dump.
* @return true als er niets te dumpen viel.
*/
private boolean dumpQueue(final Destination destination, final File outputDirectory, final String prefix) {
final long timeout = jmsTemplate.getReceiveTimeout();
long volgnummer = 0;
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
Message message;
while ((message = jmsTemplate.receive(destination)) != null) {
LOG.info("Onverwacht bericht op queue na testcase");
final File outputFile = new File(outputDirectory, prefix + volgnummer++ + ".txt");
outputFile.getParentFile().mkdirs();
try (FileOutputStream fis = new FileOutputStream(outputFile)) {
final PrintWriter writer = new PrintWriter(fis);
writer.print(((TextMessage) message).getText());
writer.close();
} catch (final IOException e) {
LOG.info("Probleem bij wegschrijven bericht.", e);
} catch (final JMSException e) {
LOG.info("Probleem bij versturen bericht.", e);
}
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
return volgnummer == 0;
}
/**
* Voer stappen na de testcase uit.
* @param wanted Aantal verwachte berichten.
* @param started Starttijd.
* @throws InterruptedException kan worden gegooid bij aanroepen van TimeUnit.MILLISECONDS.sleep().
*/
public void afterTestCase(final long wanted, final Date started) throws InterruptedException {
// Wanted number of messages
LOG.info(new Date() + "; Wanted: " + wanted);
LOG.info(started + "; Started");
long current = 0;
// give ten minute warmup initially
int loopsCurrentSame = -HONDERD_LOOPS;
while (current < wanted) {
final long processCount = getEndedProcessCount() - initEndedProcessCount;
LOG.info(new Date() + "; Processes ended so far: " + processCount);
if (current == processCount) {
loopsCurrentSame++;
} else {
current = processCount;
loopsCurrentSame = 0;
}
if (loopsCurrentSame >= HONDERD_LOOPS) {
LOG.info(new Date() + "; No processes ended (in ten minutes); breaking ...");
break;
}
// Check each 10 seconds
TimeUnit.MILLISECONDS.sleep(LOOP_WACHTTIJD_IN_MILLIS);
}
LOG.info(new Date() + "; Ending with: " + current);
}
/**
* Geef de waarde van ended process count.
* @return Het aantal beeindigde processen.
*/
public Long getEndedProcessCount() {
try {
final String sql = "select count(*) from mig_extractie_proces where proces_naam = 'uc202' and einddatum is not null";
return jdbcTemplate.queryForObject(sql, Long.class);
} catch (final DataAccessException e) {
throw new RuntimeException(e);
}
}
/**
* Controleer of het aantal beeindigde processen gelijk is aan het verwachte aantal.
* @param expectedAmount Het verwachte aantal.
* @return of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*/
public boolean verifyEndedProcesses(final long expectedAmount) {
boolean result;
if (expectedAmount == getEndedProcessCount() - initEndedProcessCount) {
LOG.info("Amount of ended processes is correct");
result = true;
} else {
LOG.info("Expected amount of ended processes: " + expectedAmount);
LOG.info("Initial amount of ended processes: " + initEndedProcessCount);
LOG.info("Current amount of ended processes: " + getEndedProcessCount());
LOG.info("Amount of ended processes during this test: " + (getEndedProcessCount() - initEndedProcessCount));
result = false;
}
return result;
}
}
| EdwinSmink/OperatieBRP | 02 Software/01 Broncode/operatiebrp-code-145.3/migratie/migr-test-perf-isc/src/main/java/nl/bzk/migratiebrp/test/perf/isc/environment/TestEnvironment.java | 2,159 | /**
* Voer stappen na de testcase uit.
* @param wanted Aantal verwachte berichten.
* @param started Starttijd.
* @throws InterruptedException kan worden gegooid bij aanroepen van TimeUnit.MILLISECONDS.sleep().
*/ | 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.perf.isc.environment;
import java.io.File;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.PrintWriter;
import java.text.DecimalFormat;
import java.text.SimpleDateFormat;
import java.util.Date;
import java.util.concurrent.TimeUnit;
import java.util.concurrent.atomic.AtomicInteger;
import javax.inject.Inject;
import javax.inject.Named;
import javax.jms.Destination;
import javax.jms.JMSException;
import javax.jms.Message;
import javax.jms.Session;
import javax.jms.TextMessage;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import nl.bzk.migratiebrp.bericht.model.JMSConstants;
import nl.bzk.migratiebrp.test.perf.isc.bericht.TestBericht;
import org.springframework.dao.DataAccessException;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jms.core.JmsTemplate;
import org.springframework.jms.core.MessageCreator;
/**
* Test omgeving (abstract).
*/
public final class TestEnvironment {
private static final int HONDERD_LOOPS = 100;
private static final long MILLIS = 3000L;
private static final long LOOP_WACHTTIJD = 10L;
private static final long LOOP_WACHTTIJD_IN_MILLIS = LOOP_WACHTTIJD * MILLIS;
private static final Logger LOG = LoggerFactory.getLogger();
private static final DecimalFormat EREF_FORMAT = new DecimalFormat("000000");
private static final SimpleDateFormat PREFIX_FORMAT = new SimpleDateFormat("HHmmss");
private static final String EREF_PREFIX = PREFIX_FORMAT.format(new Date());
/* TIMEOUT */
private static final int TIMEOUT = 500;
private static final AtomicInteger COUNTER = new AtomicInteger();
@Inject
private JmsTemplate jmsTemplate;
@Inject
@Named("voiscOntvangstQueue")
private Destination voiscOntvangst;
@Inject
private JdbcTemplate jdbcTemplate;
private Long initEndedProcessCount = 0L;
/**
* Genereer (max lengte 12) ID. Let op: enkel uniek binnen JVM (implementatie dmv AtomicInteger).
* @return id
*/
public String generateId() {
return EREF_PREFIX + EREF_FORMAT.format(COUNTER.getAndIncrement());
}
/**
* Verzend een bericht.
* @param testBericht testBericht
*/
public void verzendBericht(final TestBericht testBericht) {
jmsTemplate.send(voiscOntvangst, new MessageCreator() {
@Override
public Message createMessage(final Session session) throws JMSException {
final Message message = session.createTextMessage(testBericht.getInhoud());
final String messageId = generateId();
message.setStringProperty(JMSConstants.BERICHT_MS_SEQUENCE_NUMBER, messageId);
message.setStringProperty(JMSConstants.BERICHT_REFERENTIE, messageId);
message.setStringProperty(JMSConstants.BERICHT_ORIGINATOR, testBericht.getLo3Gemeente());
return message;
}
});
}
/**
* Voer stappen voor de testcase uit.
*/
public void beforeTestCase() {
// Clear queues
clearQueue(voiscOntvangst);
initEndedProcessCount = getEndedProcessCount();
}
private void clearQueue(final Destination destination) {
final long timeout = jmsTemplate.getReceiveTimeout();
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
while (jmsTemplate.receive(destination) != null) {
LOG.error("Message on queue before test case!!!!");
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
}
/**
* Dump voisc.ontvangst queue naar outputDirectory.
* @param outputDirectory De outputDirectory waarheen gedumpt wordt.
* @return true als er iets gedumpt is.
*/
public boolean dumpQueues(final File outputDirectory) {
return !dumpQueue(voiscOntvangst, outputDirectory, "9999-uit-voisc-");
}
/**
* Dump queue naar file.
* @param destination De JMX Destination waarvan we berichten lezen
* @param outputDirectory De outputDirectory waarheen gedumpt wordt.
* @param prefix De file prefix voor de dump.
* @return true als er niets te dumpen viel.
*/
private boolean dumpQueue(final Destination destination, final File outputDirectory, final String prefix) {
final long timeout = jmsTemplate.getReceiveTimeout();
long volgnummer = 0;
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
Message message;
while ((message = jmsTemplate.receive(destination)) != null) {
LOG.info("Onverwacht bericht op queue na testcase");
final File outputFile = new File(outputDirectory, prefix + volgnummer++ + ".txt");
outputFile.getParentFile().mkdirs();
try (FileOutputStream fis = new FileOutputStream(outputFile)) {
final PrintWriter writer = new PrintWriter(fis);
writer.print(((TextMessage) message).getText());
writer.close();
} catch (final IOException e) {
LOG.info("Probleem bij wegschrijven bericht.", e);
} catch (final JMSException e) {
LOG.info("Probleem bij versturen bericht.", e);
}
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
return volgnummer == 0;
}
/**
* Voer stappen na<SUF>*/
public void afterTestCase(final long wanted, final Date started) throws InterruptedException {
// Wanted number of messages
LOG.info(new Date() + "; Wanted: " + wanted);
LOG.info(started + "; Started");
long current = 0;
// give ten minute warmup initially
int loopsCurrentSame = -HONDERD_LOOPS;
while (current < wanted) {
final long processCount = getEndedProcessCount() - initEndedProcessCount;
LOG.info(new Date() + "; Processes ended so far: " + processCount);
if (current == processCount) {
loopsCurrentSame++;
} else {
current = processCount;
loopsCurrentSame = 0;
}
if (loopsCurrentSame >= HONDERD_LOOPS) {
LOG.info(new Date() + "; No processes ended (in ten minutes); breaking ...");
break;
}
// Check each 10 seconds
TimeUnit.MILLISECONDS.sleep(LOOP_WACHTTIJD_IN_MILLIS);
}
LOG.info(new Date() + "; Ending with: " + current);
}
/**
* Geef de waarde van ended process count.
* @return Het aantal beeindigde processen.
*/
public Long getEndedProcessCount() {
try {
final String sql = "select count(*) from mig_extractie_proces where proces_naam = 'uc202' and einddatum is not null";
return jdbcTemplate.queryForObject(sql, Long.class);
} catch (final DataAccessException e) {
throw new RuntimeException(e);
}
}
/**
* Controleer of het aantal beeindigde processen gelijk is aan het verwachte aantal.
* @param expectedAmount Het verwachte aantal.
* @return of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*/
public boolean verifyEndedProcesses(final long expectedAmount) {
boolean result;
if (expectedAmount == getEndedProcessCount() - initEndedProcessCount) {
LOG.info("Amount of ended processes is correct");
result = true;
} else {
LOG.info("Expected amount of ended processes: " + expectedAmount);
LOG.info("Initial amount of ended processes: " + initEndedProcessCount);
LOG.info("Current amount of ended processes: " + getEndedProcessCount());
LOG.info("Amount of ended processes during this test: " + (getEndedProcessCount() - initEndedProcessCount));
result = false;
}
return result;
}
}
|
211670_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.migratiebrp.test.perf.isc.environment;
import java.io.File;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.PrintWriter;
import java.text.DecimalFormat;
import java.text.SimpleDateFormat;
import java.util.Date;
import java.util.concurrent.TimeUnit;
import java.util.concurrent.atomic.AtomicInteger;
import javax.inject.Inject;
import javax.inject.Named;
import javax.jms.Destination;
import javax.jms.JMSException;
import javax.jms.Message;
import javax.jms.Session;
import javax.jms.TextMessage;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import nl.bzk.migratiebrp.bericht.model.JMSConstants;
import nl.bzk.migratiebrp.test.perf.isc.bericht.TestBericht;
import org.springframework.dao.DataAccessException;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jms.core.JmsTemplate;
import org.springframework.jms.core.MessageCreator;
/**
* Test omgeving (abstract).
*/
public final class TestEnvironment {
private static final int HONDERD_LOOPS = 100;
private static final long MILLIS = 3000L;
private static final long LOOP_WACHTTIJD = 10L;
private static final long LOOP_WACHTTIJD_IN_MILLIS = LOOP_WACHTTIJD * MILLIS;
private static final Logger LOG = LoggerFactory.getLogger();
private static final DecimalFormat EREF_FORMAT = new DecimalFormat("000000");
private static final SimpleDateFormat PREFIX_FORMAT = new SimpleDateFormat("HHmmss");
private static final String EREF_PREFIX = PREFIX_FORMAT.format(new Date());
/* TIMEOUT */
private static final int TIMEOUT = 500;
private static final AtomicInteger COUNTER = new AtomicInteger();
@Inject
private JmsTemplate jmsTemplate;
@Inject
@Named("voiscOntvangstQueue")
private Destination voiscOntvangst;
@Inject
private JdbcTemplate jdbcTemplate;
private Long initEndedProcessCount = 0L;
/**
* Genereer (max lengte 12) ID. Let op: enkel uniek binnen JVM (implementatie dmv AtomicInteger).
* @return id
*/
public String generateId() {
return EREF_PREFIX + EREF_FORMAT.format(COUNTER.getAndIncrement());
}
/**
* Verzend een bericht.
* @param testBericht testBericht
*/
public void verzendBericht(final TestBericht testBericht) {
jmsTemplate.send(voiscOntvangst, new MessageCreator() {
@Override
public Message createMessage(final Session session) throws JMSException {
final Message message = session.createTextMessage(testBericht.getInhoud());
final String messageId = generateId();
message.setStringProperty(JMSConstants.BERICHT_MS_SEQUENCE_NUMBER, messageId);
message.setStringProperty(JMSConstants.BERICHT_REFERENTIE, messageId);
message.setStringProperty(JMSConstants.BERICHT_ORIGINATOR, testBericht.getLo3Gemeente());
return message;
}
});
}
/**
* Voer stappen voor de testcase uit.
*/
public void beforeTestCase() {
// Clear queues
clearQueue(voiscOntvangst);
initEndedProcessCount = getEndedProcessCount();
}
private void clearQueue(final Destination destination) {
final long timeout = jmsTemplate.getReceiveTimeout();
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
while (jmsTemplate.receive(destination) != null) {
LOG.error("Message on queue before test case!!!!");
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
}
/**
* Dump voisc.ontvangst queue naar outputDirectory.
* @param outputDirectory De outputDirectory waarheen gedumpt wordt.
* @return true als er iets gedumpt is.
*/
public boolean dumpQueues(final File outputDirectory) {
return !dumpQueue(voiscOntvangst, outputDirectory, "9999-uit-voisc-");
}
/**
* Dump queue naar file.
* @param destination De JMX Destination waarvan we berichten lezen
* @param outputDirectory De outputDirectory waarheen gedumpt wordt.
* @param prefix De file prefix voor de dump.
* @return true als er niets te dumpen viel.
*/
private boolean dumpQueue(final Destination destination, final File outputDirectory, final String prefix) {
final long timeout = jmsTemplate.getReceiveTimeout();
long volgnummer = 0;
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
Message message;
while ((message = jmsTemplate.receive(destination)) != null) {
LOG.info("Onverwacht bericht op queue na testcase");
final File outputFile = new File(outputDirectory, prefix + volgnummer++ + ".txt");
outputFile.getParentFile().mkdirs();
try (FileOutputStream fis = new FileOutputStream(outputFile)) {
final PrintWriter writer = new PrintWriter(fis);
writer.print(((TextMessage) message).getText());
writer.close();
} catch (final IOException e) {
LOG.info("Probleem bij wegschrijven bericht.", e);
} catch (final JMSException e) {
LOG.info("Probleem bij versturen bericht.", e);
}
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
return volgnummer == 0;
}
/**
* Voer stappen na de testcase uit.
* @param wanted Aantal verwachte berichten.
* @param started Starttijd.
* @throws InterruptedException kan worden gegooid bij aanroepen van TimeUnit.MILLISECONDS.sleep().
*/
public void afterTestCase(final long wanted, final Date started) throws InterruptedException {
// Wanted number of messages
LOG.info(new Date() + "; Wanted: " + wanted);
LOG.info(started + "; Started");
long current = 0;
// give ten minute warmup initially
int loopsCurrentSame = -HONDERD_LOOPS;
while (current < wanted) {
final long processCount = getEndedProcessCount() - initEndedProcessCount;
LOG.info(new Date() + "; Processes ended so far: " + processCount);
if (current == processCount) {
loopsCurrentSame++;
} else {
current = processCount;
loopsCurrentSame = 0;
}
if (loopsCurrentSame >= HONDERD_LOOPS) {
LOG.info(new Date() + "; No processes ended (in ten minutes); breaking ...");
break;
}
// Check each 10 seconds
TimeUnit.MILLISECONDS.sleep(LOOP_WACHTTIJD_IN_MILLIS);
}
LOG.info(new Date() + "; Ending with: " + current);
}
/**
* Geef de waarde van ended process count.
* @return Het aantal beeindigde processen.
*/
public Long getEndedProcessCount() {
try {
final String sql = "select count(*) from mig_extractie_proces where proces_naam = 'uc202' and einddatum is not null";
return jdbcTemplate.queryForObject(sql, Long.class);
} catch (final DataAccessException e) {
throw new RuntimeException(e);
}
}
/**
* Controleer of het aantal beeindigde processen gelijk is aan het verwachte aantal.
* @param expectedAmount Het verwachte aantal.
* @return of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*/
public boolean verifyEndedProcesses(final long expectedAmount) {
boolean result;
if (expectedAmount == getEndedProcessCount() - initEndedProcessCount) {
LOG.info("Amount of ended processes is correct");
result = true;
} else {
LOG.info("Expected amount of ended processes: " + expectedAmount);
LOG.info("Initial amount of ended processes: " + initEndedProcessCount);
LOG.info("Current amount of ended processes: " + getEndedProcessCount());
LOG.info("Amount of ended processes during this test: " + (getEndedProcessCount() - initEndedProcessCount));
result = false;
}
return result;
}
}
| EdwinSmink/OperatieBRP | 02 Software/01 Broncode/operatiebrp-code-145.3/migratie/migr-test-perf-isc/src/main/java/nl/bzk/migratiebrp/test/perf/isc/environment/TestEnvironment.java | 2,159 | /**
* Geef de waarde van ended process count.
* @return Het aantal beeindigde processen.
*/ | 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.perf.isc.environment;
import java.io.File;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.PrintWriter;
import java.text.DecimalFormat;
import java.text.SimpleDateFormat;
import java.util.Date;
import java.util.concurrent.TimeUnit;
import java.util.concurrent.atomic.AtomicInteger;
import javax.inject.Inject;
import javax.inject.Named;
import javax.jms.Destination;
import javax.jms.JMSException;
import javax.jms.Message;
import javax.jms.Session;
import javax.jms.TextMessage;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import nl.bzk.migratiebrp.bericht.model.JMSConstants;
import nl.bzk.migratiebrp.test.perf.isc.bericht.TestBericht;
import org.springframework.dao.DataAccessException;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jms.core.JmsTemplate;
import org.springframework.jms.core.MessageCreator;
/**
* Test omgeving (abstract).
*/
public final class TestEnvironment {
private static final int HONDERD_LOOPS = 100;
private static final long MILLIS = 3000L;
private static final long LOOP_WACHTTIJD = 10L;
private static final long LOOP_WACHTTIJD_IN_MILLIS = LOOP_WACHTTIJD * MILLIS;
private static final Logger LOG = LoggerFactory.getLogger();
private static final DecimalFormat EREF_FORMAT = new DecimalFormat("000000");
private static final SimpleDateFormat PREFIX_FORMAT = new SimpleDateFormat("HHmmss");
private static final String EREF_PREFIX = PREFIX_FORMAT.format(new Date());
/* TIMEOUT */
private static final int TIMEOUT = 500;
private static final AtomicInteger COUNTER = new AtomicInteger();
@Inject
private JmsTemplate jmsTemplate;
@Inject
@Named("voiscOntvangstQueue")
private Destination voiscOntvangst;
@Inject
private JdbcTemplate jdbcTemplate;
private Long initEndedProcessCount = 0L;
/**
* Genereer (max lengte 12) ID. Let op: enkel uniek binnen JVM (implementatie dmv AtomicInteger).
* @return id
*/
public String generateId() {
return EREF_PREFIX + EREF_FORMAT.format(COUNTER.getAndIncrement());
}
/**
* Verzend een bericht.
* @param testBericht testBericht
*/
public void verzendBericht(final TestBericht testBericht) {
jmsTemplate.send(voiscOntvangst, new MessageCreator() {
@Override
public Message createMessage(final Session session) throws JMSException {
final Message message = session.createTextMessage(testBericht.getInhoud());
final String messageId = generateId();
message.setStringProperty(JMSConstants.BERICHT_MS_SEQUENCE_NUMBER, messageId);
message.setStringProperty(JMSConstants.BERICHT_REFERENTIE, messageId);
message.setStringProperty(JMSConstants.BERICHT_ORIGINATOR, testBericht.getLo3Gemeente());
return message;
}
});
}
/**
* Voer stappen voor de testcase uit.
*/
public void beforeTestCase() {
// Clear queues
clearQueue(voiscOntvangst);
initEndedProcessCount = getEndedProcessCount();
}
private void clearQueue(final Destination destination) {
final long timeout = jmsTemplate.getReceiveTimeout();
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
while (jmsTemplate.receive(destination) != null) {
LOG.error("Message on queue before test case!!!!");
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
}
/**
* Dump voisc.ontvangst queue naar outputDirectory.
* @param outputDirectory De outputDirectory waarheen gedumpt wordt.
* @return true als er iets gedumpt is.
*/
public boolean dumpQueues(final File outputDirectory) {
return !dumpQueue(voiscOntvangst, outputDirectory, "9999-uit-voisc-");
}
/**
* Dump queue naar file.
* @param destination De JMX Destination waarvan we berichten lezen
* @param outputDirectory De outputDirectory waarheen gedumpt wordt.
* @param prefix De file prefix voor de dump.
* @return true als er niets te dumpen viel.
*/
private boolean dumpQueue(final Destination destination, final File outputDirectory, final String prefix) {
final long timeout = jmsTemplate.getReceiveTimeout();
long volgnummer = 0;
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
Message message;
while ((message = jmsTemplate.receive(destination)) != null) {
LOG.info("Onverwacht bericht op queue na testcase");
final File outputFile = new File(outputDirectory, prefix + volgnummer++ + ".txt");
outputFile.getParentFile().mkdirs();
try (FileOutputStream fis = new FileOutputStream(outputFile)) {
final PrintWriter writer = new PrintWriter(fis);
writer.print(((TextMessage) message).getText());
writer.close();
} catch (final IOException e) {
LOG.info("Probleem bij wegschrijven bericht.", e);
} catch (final JMSException e) {
LOG.info("Probleem bij versturen bericht.", e);
}
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
return volgnummer == 0;
}
/**
* Voer stappen na de testcase uit.
* @param wanted Aantal verwachte berichten.
* @param started Starttijd.
* @throws InterruptedException kan worden gegooid bij aanroepen van TimeUnit.MILLISECONDS.sleep().
*/
public void afterTestCase(final long wanted, final Date started) throws InterruptedException {
// Wanted number of messages
LOG.info(new Date() + "; Wanted: " + wanted);
LOG.info(started + "; Started");
long current = 0;
// give ten minute warmup initially
int loopsCurrentSame = -HONDERD_LOOPS;
while (current < wanted) {
final long processCount = getEndedProcessCount() - initEndedProcessCount;
LOG.info(new Date() + "; Processes ended so far: " + processCount);
if (current == processCount) {
loopsCurrentSame++;
} else {
current = processCount;
loopsCurrentSame = 0;
}
if (loopsCurrentSame >= HONDERD_LOOPS) {
LOG.info(new Date() + "; No processes ended (in ten minutes); breaking ...");
break;
}
// Check each 10 seconds
TimeUnit.MILLISECONDS.sleep(LOOP_WACHTTIJD_IN_MILLIS);
}
LOG.info(new Date() + "; Ending with: " + current);
}
/**
* Geef de waarde<SUF>*/
public Long getEndedProcessCount() {
try {
final String sql = "select count(*) from mig_extractie_proces where proces_naam = 'uc202' and einddatum is not null";
return jdbcTemplate.queryForObject(sql, Long.class);
} catch (final DataAccessException e) {
throw new RuntimeException(e);
}
}
/**
* Controleer of het aantal beeindigde processen gelijk is aan het verwachte aantal.
* @param expectedAmount Het verwachte aantal.
* @return of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*/
public boolean verifyEndedProcesses(final long expectedAmount) {
boolean result;
if (expectedAmount == getEndedProcessCount() - initEndedProcessCount) {
LOG.info("Amount of ended processes is correct");
result = true;
} else {
LOG.info("Expected amount of ended processes: " + expectedAmount);
LOG.info("Initial amount of ended processes: " + initEndedProcessCount);
LOG.info("Current amount of ended processes: " + getEndedProcessCount());
LOG.info("Amount of ended processes during this test: " + (getEndedProcessCount() - initEndedProcessCount));
result = false;
}
return result;
}
}
|
211670_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.perf.isc.environment;
import java.io.File;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.PrintWriter;
import java.text.DecimalFormat;
import java.text.SimpleDateFormat;
import java.util.Date;
import java.util.concurrent.TimeUnit;
import java.util.concurrent.atomic.AtomicInteger;
import javax.inject.Inject;
import javax.inject.Named;
import javax.jms.Destination;
import javax.jms.JMSException;
import javax.jms.Message;
import javax.jms.Session;
import javax.jms.TextMessage;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import nl.bzk.migratiebrp.bericht.model.JMSConstants;
import nl.bzk.migratiebrp.test.perf.isc.bericht.TestBericht;
import org.springframework.dao.DataAccessException;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jms.core.JmsTemplate;
import org.springframework.jms.core.MessageCreator;
/**
* Test omgeving (abstract).
*/
public final class TestEnvironment {
private static final int HONDERD_LOOPS = 100;
private static final long MILLIS = 3000L;
private static final long LOOP_WACHTTIJD = 10L;
private static final long LOOP_WACHTTIJD_IN_MILLIS = LOOP_WACHTTIJD * MILLIS;
private static final Logger LOG = LoggerFactory.getLogger();
private static final DecimalFormat EREF_FORMAT = new DecimalFormat("000000");
private static final SimpleDateFormat PREFIX_FORMAT = new SimpleDateFormat("HHmmss");
private static final String EREF_PREFIX = PREFIX_FORMAT.format(new Date());
/* TIMEOUT */
private static final int TIMEOUT = 500;
private static final AtomicInteger COUNTER = new AtomicInteger();
@Inject
private JmsTemplate jmsTemplate;
@Inject
@Named("voiscOntvangstQueue")
private Destination voiscOntvangst;
@Inject
private JdbcTemplate jdbcTemplate;
private Long initEndedProcessCount = 0L;
/**
* Genereer (max lengte 12) ID. Let op: enkel uniek binnen JVM (implementatie dmv AtomicInteger).
* @return id
*/
public String generateId() {
return EREF_PREFIX + EREF_FORMAT.format(COUNTER.getAndIncrement());
}
/**
* Verzend een bericht.
* @param testBericht testBericht
*/
public void verzendBericht(final TestBericht testBericht) {
jmsTemplate.send(voiscOntvangst, new MessageCreator() {
@Override
public Message createMessage(final Session session) throws JMSException {
final Message message = session.createTextMessage(testBericht.getInhoud());
final String messageId = generateId();
message.setStringProperty(JMSConstants.BERICHT_MS_SEQUENCE_NUMBER, messageId);
message.setStringProperty(JMSConstants.BERICHT_REFERENTIE, messageId);
message.setStringProperty(JMSConstants.BERICHT_ORIGINATOR, testBericht.getLo3Gemeente());
return message;
}
});
}
/**
* Voer stappen voor de testcase uit.
*/
public void beforeTestCase() {
// Clear queues
clearQueue(voiscOntvangst);
initEndedProcessCount = getEndedProcessCount();
}
private void clearQueue(final Destination destination) {
final long timeout = jmsTemplate.getReceiveTimeout();
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
while (jmsTemplate.receive(destination) != null) {
LOG.error("Message on queue before test case!!!!");
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
}
/**
* Dump voisc.ontvangst queue naar outputDirectory.
* @param outputDirectory De outputDirectory waarheen gedumpt wordt.
* @return true als er iets gedumpt is.
*/
public boolean dumpQueues(final File outputDirectory) {
return !dumpQueue(voiscOntvangst, outputDirectory, "9999-uit-voisc-");
}
/**
* Dump queue naar file.
* @param destination De JMX Destination waarvan we berichten lezen
* @param outputDirectory De outputDirectory waarheen gedumpt wordt.
* @param prefix De file prefix voor de dump.
* @return true als er niets te dumpen viel.
*/
private boolean dumpQueue(final Destination destination, final File outputDirectory, final String prefix) {
final long timeout = jmsTemplate.getReceiveTimeout();
long volgnummer = 0;
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
Message message;
while ((message = jmsTemplate.receive(destination)) != null) {
LOG.info("Onverwacht bericht op queue na testcase");
final File outputFile = new File(outputDirectory, prefix + volgnummer++ + ".txt");
outputFile.getParentFile().mkdirs();
try (FileOutputStream fis = new FileOutputStream(outputFile)) {
final PrintWriter writer = new PrintWriter(fis);
writer.print(((TextMessage) message).getText());
writer.close();
} catch (final IOException e) {
LOG.info("Probleem bij wegschrijven bericht.", e);
} catch (final JMSException e) {
LOG.info("Probleem bij versturen bericht.", e);
}
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
return volgnummer == 0;
}
/**
* Voer stappen na de testcase uit.
* @param wanted Aantal verwachte berichten.
* @param started Starttijd.
* @throws InterruptedException kan worden gegooid bij aanroepen van TimeUnit.MILLISECONDS.sleep().
*/
public void afterTestCase(final long wanted, final Date started) throws InterruptedException {
// Wanted number of messages
LOG.info(new Date() + "; Wanted: " + wanted);
LOG.info(started + "; Started");
long current = 0;
// give ten minute warmup initially
int loopsCurrentSame = -HONDERD_LOOPS;
while (current < wanted) {
final long processCount = getEndedProcessCount() - initEndedProcessCount;
LOG.info(new Date() + "; Processes ended so far: " + processCount);
if (current == processCount) {
loopsCurrentSame++;
} else {
current = processCount;
loopsCurrentSame = 0;
}
if (loopsCurrentSame >= HONDERD_LOOPS) {
LOG.info(new Date() + "; No processes ended (in ten minutes); breaking ...");
break;
}
// Check each 10 seconds
TimeUnit.MILLISECONDS.sleep(LOOP_WACHTTIJD_IN_MILLIS);
}
LOG.info(new Date() + "; Ending with: " + current);
}
/**
* Geef de waarde van ended process count.
* @return Het aantal beeindigde processen.
*/
public Long getEndedProcessCount() {
try {
final String sql = "select count(*) from mig_extractie_proces where proces_naam = 'uc202' and einddatum is not null";
return jdbcTemplate.queryForObject(sql, Long.class);
} catch (final DataAccessException e) {
throw new RuntimeException(e);
}
}
/**
* Controleer of het aantal beeindigde processen gelijk is aan het verwachte aantal.
* @param expectedAmount Het verwachte aantal.
* @return of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*/
public boolean verifyEndedProcesses(final long expectedAmount) {
boolean result;
if (expectedAmount == getEndedProcessCount() - initEndedProcessCount) {
LOG.info("Amount of ended processes is correct");
result = true;
} else {
LOG.info("Expected amount of ended processes: " + expectedAmount);
LOG.info("Initial amount of ended processes: " + initEndedProcessCount);
LOG.info("Current amount of ended processes: " + getEndedProcessCount());
LOG.info("Amount of ended processes during this test: " + (getEndedProcessCount() - initEndedProcessCount));
result = false;
}
return result;
}
}
| EdwinSmink/OperatieBRP | 02 Software/01 Broncode/operatiebrp-code-145.3/migratie/migr-test-perf-isc/src/main/java/nl/bzk/migratiebrp/test/perf/isc/environment/TestEnvironment.java | 2,159 | /**
* Controleer of het aantal beeindigde processen gelijk is aan het verwachte aantal.
* @param expectedAmount Het verwachte aantal.
* @return of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*/ | 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.perf.isc.environment;
import java.io.File;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.PrintWriter;
import java.text.DecimalFormat;
import java.text.SimpleDateFormat;
import java.util.Date;
import java.util.concurrent.TimeUnit;
import java.util.concurrent.atomic.AtomicInteger;
import javax.inject.Inject;
import javax.inject.Named;
import javax.jms.Destination;
import javax.jms.JMSException;
import javax.jms.Message;
import javax.jms.Session;
import javax.jms.TextMessage;
import nl.bzk.algemeenbrp.util.common.logging.Logger;
import nl.bzk.algemeenbrp.util.common.logging.LoggerFactory;
import nl.bzk.migratiebrp.bericht.model.JMSConstants;
import nl.bzk.migratiebrp.test.perf.isc.bericht.TestBericht;
import org.springframework.dao.DataAccessException;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jms.core.JmsTemplate;
import org.springframework.jms.core.MessageCreator;
/**
* Test omgeving (abstract).
*/
public final class TestEnvironment {
private static final int HONDERD_LOOPS = 100;
private static final long MILLIS = 3000L;
private static final long LOOP_WACHTTIJD = 10L;
private static final long LOOP_WACHTTIJD_IN_MILLIS = LOOP_WACHTTIJD * MILLIS;
private static final Logger LOG = LoggerFactory.getLogger();
private static final DecimalFormat EREF_FORMAT = new DecimalFormat("000000");
private static final SimpleDateFormat PREFIX_FORMAT = new SimpleDateFormat("HHmmss");
private static final String EREF_PREFIX = PREFIX_FORMAT.format(new Date());
/* TIMEOUT */
private static final int TIMEOUT = 500;
private static final AtomicInteger COUNTER = new AtomicInteger();
@Inject
private JmsTemplate jmsTemplate;
@Inject
@Named("voiscOntvangstQueue")
private Destination voiscOntvangst;
@Inject
private JdbcTemplate jdbcTemplate;
private Long initEndedProcessCount = 0L;
/**
* Genereer (max lengte 12) ID. Let op: enkel uniek binnen JVM (implementatie dmv AtomicInteger).
* @return id
*/
public String generateId() {
return EREF_PREFIX + EREF_FORMAT.format(COUNTER.getAndIncrement());
}
/**
* Verzend een bericht.
* @param testBericht testBericht
*/
public void verzendBericht(final TestBericht testBericht) {
jmsTemplate.send(voiscOntvangst, new MessageCreator() {
@Override
public Message createMessage(final Session session) throws JMSException {
final Message message = session.createTextMessage(testBericht.getInhoud());
final String messageId = generateId();
message.setStringProperty(JMSConstants.BERICHT_MS_SEQUENCE_NUMBER, messageId);
message.setStringProperty(JMSConstants.BERICHT_REFERENTIE, messageId);
message.setStringProperty(JMSConstants.BERICHT_ORIGINATOR, testBericht.getLo3Gemeente());
return message;
}
});
}
/**
* Voer stappen voor de testcase uit.
*/
public void beforeTestCase() {
// Clear queues
clearQueue(voiscOntvangst);
initEndedProcessCount = getEndedProcessCount();
}
private void clearQueue(final Destination destination) {
final long timeout = jmsTemplate.getReceiveTimeout();
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
while (jmsTemplate.receive(destination) != null) {
LOG.error("Message on queue before test case!!!!");
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
}
/**
* Dump voisc.ontvangst queue naar outputDirectory.
* @param outputDirectory De outputDirectory waarheen gedumpt wordt.
* @return true als er iets gedumpt is.
*/
public boolean dumpQueues(final File outputDirectory) {
return !dumpQueue(voiscOntvangst, outputDirectory, "9999-uit-voisc-");
}
/**
* Dump queue naar file.
* @param destination De JMX Destination waarvan we berichten lezen
* @param outputDirectory De outputDirectory waarheen gedumpt wordt.
* @param prefix De file prefix voor de dump.
* @return true als er niets te dumpen viel.
*/
private boolean dumpQueue(final Destination destination, final File outputDirectory, final String prefix) {
final long timeout = jmsTemplate.getReceiveTimeout();
long volgnummer = 0;
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
Message message;
while ((message = jmsTemplate.receive(destination)) != null) {
LOG.info("Onverwacht bericht op queue na testcase");
final File outputFile = new File(outputDirectory, prefix + volgnummer++ + ".txt");
outputFile.getParentFile().mkdirs();
try (FileOutputStream fis = new FileOutputStream(outputFile)) {
final PrintWriter writer = new PrintWriter(fis);
writer.print(((TextMessage) message).getText());
writer.close();
} catch (final IOException e) {
LOG.info("Probleem bij wegschrijven bericht.", e);
} catch (final JMSException e) {
LOG.info("Probleem bij versturen bericht.", e);
}
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
return volgnummer == 0;
}
/**
* Voer stappen na de testcase uit.
* @param wanted Aantal verwachte berichten.
* @param started Starttijd.
* @throws InterruptedException kan worden gegooid bij aanroepen van TimeUnit.MILLISECONDS.sleep().
*/
public void afterTestCase(final long wanted, final Date started) throws InterruptedException {
// Wanted number of messages
LOG.info(new Date() + "; Wanted: " + wanted);
LOG.info(started + "; Started");
long current = 0;
// give ten minute warmup initially
int loopsCurrentSame = -HONDERD_LOOPS;
while (current < wanted) {
final long processCount = getEndedProcessCount() - initEndedProcessCount;
LOG.info(new Date() + "; Processes ended so far: " + processCount);
if (current == processCount) {
loopsCurrentSame++;
} else {
current = processCount;
loopsCurrentSame = 0;
}
if (loopsCurrentSame >= HONDERD_LOOPS) {
LOG.info(new Date() + "; No processes ended (in ten minutes); breaking ...");
break;
}
// Check each 10 seconds
TimeUnit.MILLISECONDS.sleep(LOOP_WACHTTIJD_IN_MILLIS);
}
LOG.info(new Date() + "; Ending with: " + current);
}
/**
* Geef de waarde van ended process count.
* @return Het aantal beeindigde processen.
*/
public Long getEndedProcessCount() {
try {
final String sql = "select count(*) from mig_extractie_proces where proces_naam = 'uc202' and einddatum is not null";
return jdbcTemplate.queryForObject(sql, Long.class);
} catch (final DataAccessException e) {
throw new RuntimeException(e);
}
}
/**
* Controleer of het<SUF>*/
public boolean verifyEndedProcesses(final long expectedAmount) {
boolean result;
if (expectedAmount == getEndedProcessCount() - initEndedProcessCount) {
LOG.info("Amount of ended processes is correct");
result = true;
} else {
LOG.info("Expected amount of ended processes: " + expectedAmount);
LOG.info("Initial amount of ended processes: " + initEndedProcessCount);
LOG.info("Current amount of ended processes: " + getEndedProcessCount());
LOG.info("Amount of ended processes during this test: " + (getEndedProcessCount() - initEndedProcessCount));
result = false;
}
return result;
}
}
|
211672_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.bijhouding.business.regels.impl.gegevenset.persoon.bijhouding;
import nl.bzk.brp.bijhouding.business.regels.AbstractAfleidingsregel;
import nl.bzk.brp.bijhouding.business.regels.AfleidingResultaat;
import nl.bzk.brp.model.algemeen.attribuuttype.kern.NaamEnumeratiewaardeAttribuut;
import nl.bzk.brp.model.algemeen.attribuuttype.kern.PartijCodeAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Bijhoudingsaard;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.BijhoudingsaardAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.NadereBijhoudingsaard;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.NadereBijhoudingsaardAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Partij;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.PartijAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Regel;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortMigratie;
import nl.bzk.brp.model.hisvolledig.kern.PersoonHisVolledig;
import nl.bzk.brp.model.operationeel.kern.ActieBronModel;
import nl.bzk.brp.model.operationeel.kern.ActieModel;
import nl.bzk.brp.model.operationeel.kern.HisPersoonBijhoudingModel;
import nl.bzk.brp.model.operationeel.kern.HisPersoonMigratieModel;
/**
* VR00015b: Afgeleide registratie Bijhouding door Emigratie.
*
* Als voor een Persoon een actuele groep Migratie wordt geregistreerd van de Soort "Emigratie", terwijl er een actuele
* Bijhouding staat geregistreerd met Bijhoudingsaard="Ingezetene", dan wordt voor de Persoon de volgende Bijhouding
* afgeleid geregistreerd:
*
* Bijhoudingsaard := "Niet ingezetene"
*
* NadereBijhoudingsaard :=
* "Vertrokken onbekend waarheen" als Migratie.Land = Null, anders
* "Ministerieel besluit" als de inhoud van Migratie wordt verantwoord door een MinisterieelBesluit, anders
* "Emigratie"
*
* Bijhoudingspartij := "Minister"
*/
public class BijhoudingAfleidingDoorEmigratie extends AbstractAfleidingsregel<PersoonHisVolledig> {
/**
* Constructor.
*
* @param model het model
* @param actie de actie
*/
public BijhoudingAfleidingDoorEmigratie(final PersoonHisVolledig model,
final ActieModel actie)
{
super(model, actie);
}
@Override
public final Regel getRegel() {
return Regel.VR00015b;
}
@Override
public AfleidingResultaat leidAf() {
final PersoonHisVolledig persoonHisVolledig = getModel();
final HisPersoonBijhoudingModel actueleBijhouding =
persoonHisVolledig.getPersoonBijhoudingHistorie().getActueleRecord();
final HisPersoonMigratieModel actueleMigratie =
persoonHisVolledig.getPersoonMigratieHistorie().getActueleRecord();
// Als voor een Persoon een actuele groep Migratie wordt geregistreerd van de Soort "Emigratie", terwijl er een
// actuele Bijhouding staat geregistreerd met Bijhoudingsaard="Ingezetene",
if (actueleBijhouding.getBijhoudingsaard() != null
&& Bijhoudingsaard.INGEZETENE == actueleBijhouding.getBijhoudingsaard().getWaarde()
&& actueleMigratie.getSoortMigratie() != null
&& SoortMigratie.EMIGRATIE == actueleMigratie.getSoortMigratie().getWaarde())
{
final Partij minister = getReferentieDataRepository().vindPartijOpCode(PartijCodeAttribuut.MINISTER);
NadereBijhoudingsaard nadereBijhoudingsaard;
if (actueleMigratie.getLandGebiedMigratie() == null) {
nadereBijhoudingsaard = NadereBijhoudingsaard.VERTROKKEN_ONBEKEND_WAARHEEN;
} else if (actieWordtVerantwoordDoorMinisterieelBesluit()) {
nadereBijhoudingsaard = NadereBijhoudingsaard.MINISTERIEEL_BESLUIT;
} else {
nadereBijhoudingsaard = NadereBijhoudingsaard.EMIGRATIE;
}
final HisPersoonBijhoudingModel afgeleideBijhoudingGroep =
new HisPersoonBijhoudingModel(persoonHisVolledig,
new PartijAttribuut(minister),
new BijhoudingsaardAttribuut(Bijhoudingsaard.NIET_INGEZETENE),
new NadereBijhoudingsaardAttribuut(nadereBijhoudingsaard),
actueleBijhouding.getIndicatieOnverwerktDocumentAanwezig(),
getActie(),
getActie());
persoonHisVolledig.getPersoonBijhoudingHistorie().voegToe(afgeleideBijhoudingGroep);
}
return GEEN_VERDERE_AFLEIDINGEN;
}
/**
* Controleert of de actie verantwoord een ministerieel besluit betreft.
* @return true indien ministerieel besluit anders false
*/
private boolean actieWordtVerantwoordDoorMinisterieelBesluit() {
boolean resultaat = false;
if (getActie().getBronnen() != null) {
for (ActieBronModel actieBron : getActie().getBronnen()) {
// Bron kan een rechtsgrond zijn!
if (actieBron.getDocument() != null
&& actieBron.getDocument().getSoort().getWaarde().getNaam()
.equals(NaamEnumeratiewaardeAttribuut.DOCUMENT_NAAM_MINISTERIEEL_BESLUIT))
{
resultaat = true;
}
}
}
return resultaat;
}
}
| MinBZK/OperatieBRP | 2016/brp 2016-02-09/bijhouding/business/src/main/java/nl/bzk/brp/bijhouding/business/regels/impl/gegevenset/persoon/bijhouding/BijhoudingAfleidingDoorEmigratie.java | 1,700 | /**
* VR00015b: Afgeleide registratie Bijhouding door Emigratie.
*
* Als voor een Persoon een actuele groep Migratie wordt geregistreerd van de Soort "Emigratie", terwijl er een actuele
* Bijhouding staat geregistreerd met Bijhoudingsaard="Ingezetene", dan wordt voor de Persoon de volgende Bijhouding
* afgeleid geregistreerd:
*
* Bijhoudingsaard := "Niet ingezetene"
*
* NadereBijhoudingsaard :=
* "Vertrokken onbekend waarheen" als Migratie.Land = Null, anders
* "Ministerieel besluit" als de inhoud van Migratie wordt verantwoord door een MinisterieelBesluit, anders
* "Emigratie"
*
* Bijhoudingspartij := "Minister"
*/ | 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.bijhouding.business.regels.impl.gegevenset.persoon.bijhouding;
import nl.bzk.brp.bijhouding.business.regels.AbstractAfleidingsregel;
import nl.bzk.brp.bijhouding.business.regels.AfleidingResultaat;
import nl.bzk.brp.model.algemeen.attribuuttype.kern.NaamEnumeratiewaardeAttribuut;
import nl.bzk.brp.model.algemeen.attribuuttype.kern.PartijCodeAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Bijhoudingsaard;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.BijhoudingsaardAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.NadereBijhoudingsaard;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.NadereBijhoudingsaardAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Partij;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.PartijAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Regel;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortMigratie;
import nl.bzk.brp.model.hisvolledig.kern.PersoonHisVolledig;
import nl.bzk.brp.model.operationeel.kern.ActieBronModel;
import nl.bzk.brp.model.operationeel.kern.ActieModel;
import nl.bzk.brp.model.operationeel.kern.HisPersoonBijhoudingModel;
import nl.bzk.brp.model.operationeel.kern.HisPersoonMigratieModel;
/**
* VR00015b: Afgeleide registratie<SUF>*/
public class BijhoudingAfleidingDoorEmigratie extends AbstractAfleidingsregel<PersoonHisVolledig> {
/**
* Constructor.
*
* @param model het model
* @param actie de actie
*/
public BijhoudingAfleidingDoorEmigratie(final PersoonHisVolledig model,
final ActieModel actie)
{
super(model, actie);
}
@Override
public final Regel getRegel() {
return Regel.VR00015b;
}
@Override
public AfleidingResultaat leidAf() {
final PersoonHisVolledig persoonHisVolledig = getModel();
final HisPersoonBijhoudingModel actueleBijhouding =
persoonHisVolledig.getPersoonBijhoudingHistorie().getActueleRecord();
final HisPersoonMigratieModel actueleMigratie =
persoonHisVolledig.getPersoonMigratieHistorie().getActueleRecord();
// Als voor een Persoon een actuele groep Migratie wordt geregistreerd van de Soort "Emigratie", terwijl er een
// actuele Bijhouding staat geregistreerd met Bijhoudingsaard="Ingezetene",
if (actueleBijhouding.getBijhoudingsaard() != null
&& Bijhoudingsaard.INGEZETENE == actueleBijhouding.getBijhoudingsaard().getWaarde()
&& actueleMigratie.getSoortMigratie() != null
&& SoortMigratie.EMIGRATIE == actueleMigratie.getSoortMigratie().getWaarde())
{
final Partij minister = getReferentieDataRepository().vindPartijOpCode(PartijCodeAttribuut.MINISTER);
NadereBijhoudingsaard nadereBijhoudingsaard;
if (actueleMigratie.getLandGebiedMigratie() == null) {
nadereBijhoudingsaard = NadereBijhoudingsaard.VERTROKKEN_ONBEKEND_WAARHEEN;
} else if (actieWordtVerantwoordDoorMinisterieelBesluit()) {
nadereBijhoudingsaard = NadereBijhoudingsaard.MINISTERIEEL_BESLUIT;
} else {
nadereBijhoudingsaard = NadereBijhoudingsaard.EMIGRATIE;
}
final HisPersoonBijhoudingModel afgeleideBijhoudingGroep =
new HisPersoonBijhoudingModel(persoonHisVolledig,
new PartijAttribuut(minister),
new BijhoudingsaardAttribuut(Bijhoudingsaard.NIET_INGEZETENE),
new NadereBijhoudingsaardAttribuut(nadereBijhoudingsaard),
actueleBijhouding.getIndicatieOnverwerktDocumentAanwezig(),
getActie(),
getActie());
persoonHisVolledig.getPersoonBijhoudingHistorie().voegToe(afgeleideBijhoudingGroep);
}
return GEEN_VERDERE_AFLEIDINGEN;
}
/**
* Controleert of de actie verantwoord een ministerieel besluit betreft.
* @return true indien ministerieel besluit anders false
*/
private boolean actieWordtVerantwoordDoorMinisterieelBesluit() {
boolean resultaat = false;
if (getActie().getBronnen() != null) {
for (ActieBronModel actieBron : getActie().getBronnen()) {
// Bron kan een rechtsgrond zijn!
if (actieBron.getDocument() != null
&& actieBron.getDocument().getSoort().getWaarde().getNaam()
.equals(NaamEnumeratiewaardeAttribuut.DOCUMENT_NAAM_MINISTERIEEL_BESLUIT))
{
resultaat = true;
}
}
}
return resultaat;
}
}
|
211672_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.bijhouding.business.regels.impl.gegevenset.persoon.bijhouding;
import nl.bzk.brp.bijhouding.business.regels.AbstractAfleidingsregel;
import nl.bzk.brp.bijhouding.business.regels.AfleidingResultaat;
import nl.bzk.brp.model.algemeen.attribuuttype.kern.NaamEnumeratiewaardeAttribuut;
import nl.bzk.brp.model.algemeen.attribuuttype.kern.PartijCodeAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Bijhoudingsaard;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.BijhoudingsaardAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.NadereBijhoudingsaard;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.NadereBijhoudingsaardAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Partij;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.PartijAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Regel;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortMigratie;
import nl.bzk.brp.model.hisvolledig.kern.PersoonHisVolledig;
import nl.bzk.brp.model.operationeel.kern.ActieBronModel;
import nl.bzk.brp.model.operationeel.kern.ActieModel;
import nl.bzk.brp.model.operationeel.kern.HisPersoonBijhoudingModel;
import nl.bzk.brp.model.operationeel.kern.HisPersoonMigratieModel;
/**
* VR00015b: Afgeleide registratie Bijhouding door Emigratie.
*
* Als voor een Persoon een actuele groep Migratie wordt geregistreerd van de Soort "Emigratie", terwijl er een actuele
* Bijhouding staat geregistreerd met Bijhoudingsaard="Ingezetene", dan wordt voor de Persoon de volgende Bijhouding
* afgeleid geregistreerd:
*
* Bijhoudingsaard := "Niet ingezetene"
*
* NadereBijhoudingsaard :=
* "Vertrokken onbekend waarheen" als Migratie.Land = Null, anders
* "Ministerieel besluit" als de inhoud van Migratie wordt verantwoord door een MinisterieelBesluit, anders
* "Emigratie"
*
* Bijhoudingspartij := "Minister"
*/
public class BijhoudingAfleidingDoorEmigratie extends AbstractAfleidingsregel<PersoonHisVolledig> {
/**
* Constructor.
*
* @param model het model
* @param actie de actie
*/
public BijhoudingAfleidingDoorEmigratie(final PersoonHisVolledig model,
final ActieModel actie)
{
super(model, actie);
}
@Override
public final Regel getRegel() {
return Regel.VR00015b;
}
@Override
public AfleidingResultaat leidAf() {
final PersoonHisVolledig persoonHisVolledig = getModel();
final HisPersoonBijhoudingModel actueleBijhouding =
persoonHisVolledig.getPersoonBijhoudingHistorie().getActueleRecord();
final HisPersoonMigratieModel actueleMigratie =
persoonHisVolledig.getPersoonMigratieHistorie().getActueleRecord();
// Als voor een Persoon een actuele groep Migratie wordt geregistreerd van de Soort "Emigratie", terwijl er een
// actuele Bijhouding staat geregistreerd met Bijhoudingsaard="Ingezetene",
if (actueleBijhouding.getBijhoudingsaard() != null
&& Bijhoudingsaard.INGEZETENE == actueleBijhouding.getBijhoudingsaard().getWaarde()
&& actueleMigratie.getSoortMigratie() != null
&& SoortMigratie.EMIGRATIE == actueleMigratie.getSoortMigratie().getWaarde())
{
final Partij minister = getReferentieDataRepository().vindPartijOpCode(PartijCodeAttribuut.MINISTER);
NadereBijhoudingsaard nadereBijhoudingsaard;
if (actueleMigratie.getLandGebiedMigratie() == null) {
nadereBijhoudingsaard = NadereBijhoudingsaard.VERTROKKEN_ONBEKEND_WAARHEEN;
} else if (actieWordtVerantwoordDoorMinisterieelBesluit()) {
nadereBijhoudingsaard = NadereBijhoudingsaard.MINISTERIEEL_BESLUIT;
} else {
nadereBijhoudingsaard = NadereBijhoudingsaard.EMIGRATIE;
}
final HisPersoonBijhoudingModel afgeleideBijhoudingGroep =
new HisPersoonBijhoudingModel(persoonHisVolledig,
new PartijAttribuut(minister),
new BijhoudingsaardAttribuut(Bijhoudingsaard.NIET_INGEZETENE),
new NadereBijhoudingsaardAttribuut(nadereBijhoudingsaard),
actueleBijhouding.getIndicatieOnverwerktDocumentAanwezig(),
getActie(),
getActie());
persoonHisVolledig.getPersoonBijhoudingHistorie().voegToe(afgeleideBijhoudingGroep);
}
return GEEN_VERDERE_AFLEIDINGEN;
}
/**
* Controleert of de actie verantwoord een ministerieel besluit betreft.
* @return true indien ministerieel besluit anders false
*/
private boolean actieWordtVerantwoordDoorMinisterieelBesluit() {
boolean resultaat = false;
if (getActie().getBronnen() != null) {
for (ActieBronModel actieBron : getActie().getBronnen()) {
// Bron kan een rechtsgrond zijn!
if (actieBron.getDocument() != null
&& actieBron.getDocument().getSoort().getWaarde().getNaam()
.equals(NaamEnumeratiewaardeAttribuut.DOCUMENT_NAAM_MINISTERIEEL_BESLUIT))
{
resultaat = true;
}
}
}
return resultaat;
}
}
| MinBZK/OperatieBRP | 2016/brp 2016-02-09/bijhouding/business/src/main/java/nl/bzk/brp/bijhouding/business/regels/impl/gegevenset/persoon/bijhouding/BijhoudingAfleidingDoorEmigratie.java | 1,700 | // Als voor een Persoon een actuele groep Migratie wordt geregistreerd van de Soort "Emigratie", terwijl er een
| 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.bijhouding.business.regels.impl.gegevenset.persoon.bijhouding;
import nl.bzk.brp.bijhouding.business.regels.AbstractAfleidingsregel;
import nl.bzk.brp.bijhouding.business.regels.AfleidingResultaat;
import nl.bzk.brp.model.algemeen.attribuuttype.kern.NaamEnumeratiewaardeAttribuut;
import nl.bzk.brp.model.algemeen.attribuuttype.kern.PartijCodeAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Bijhoudingsaard;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.BijhoudingsaardAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.NadereBijhoudingsaard;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.NadereBijhoudingsaardAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Partij;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.PartijAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Regel;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortMigratie;
import nl.bzk.brp.model.hisvolledig.kern.PersoonHisVolledig;
import nl.bzk.brp.model.operationeel.kern.ActieBronModel;
import nl.bzk.brp.model.operationeel.kern.ActieModel;
import nl.bzk.brp.model.operationeel.kern.HisPersoonBijhoudingModel;
import nl.bzk.brp.model.operationeel.kern.HisPersoonMigratieModel;
/**
* VR00015b: Afgeleide registratie Bijhouding door Emigratie.
*
* Als voor een Persoon een actuele groep Migratie wordt geregistreerd van de Soort "Emigratie", terwijl er een actuele
* Bijhouding staat geregistreerd met Bijhoudingsaard="Ingezetene", dan wordt voor de Persoon de volgende Bijhouding
* afgeleid geregistreerd:
*
* Bijhoudingsaard := "Niet ingezetene"
*
* NadereBijhoudingsaard :=
* "Vertrokken onbekend waarheen" als Migratie.Land = Null, anders
* "Ministerieel besluit" als de inhoud van Migratie wordt verantwoord door een MinisterieelBesluit, anders
* "Emigratie"
*
* Bijhoudingspartij := "Minister"
*/
public class BijhoudingAfleidingDoorEmigratie extends AbstractAfleidingsregel<PersoonHisVolledig> {
/**
* Constructor.
*
* @param model het model
* @param actie de actie
*/
public BijhoudingAfleidingDoorEmigratie(final PersoonHisVolledig model,
final ActieModel actie)
{
super(model, actie);
}
@Override
public final Regel getRegel() {
return Regel.VR00015b;
}
@Override
public AfleidingResultaat leidAf() {
final PersoonHisVolledig persoonHisVolledig = getModel();
final HisPersoonBijhoudingModel actueleBijhouding =
persoonHisVolledig.getPersoonBijhoudingHistorie().getActueleRecord();
final HisPersoonMigratieModel actueleMigratie =
persoonHisVolledig.getPersoonMigratieHistorie().getActueleRecord();
// Als voor<SUF>
// actuele Bijhouding staat geregistreerd met Bijhoudingsaard="Ingezetene",
if (actueleBijhouding.getBijhoudingsaard() != null
&& Bijhoudingsaard.INGEZETENE == actueleBijhouding.getBijhoudingsaard().getWaarde()
&& actueleMigratie.getSoortMigratie() != null
&& SoortMigratie.EMIGRATIE == actueleMigratie.getSoortMigratie().getWaarde())
{
final Partij minister = getReferentieDataRepository().vindPartijOpCode(PartijCodeAttribuut.MINISTER);
NadereBijhoudingsaard nadereBijhoudingsaard;
if (actueleMigratie.getLandGebiedMigratie() == null) {
nadereBijhoudingsaard = NadereBijhoudingsaard.VERTROKKEN_ONBEKEND_WAARHEEN;
} else if (actieWordtVerantwoordDoorMinisterieelBesluit()) {
nadereBijhoudingsaard = NadereBijhoudingsaard.MINISTERIEEL_BESLUIT;
} else {
nadereBijhoudingsaard = NadereBijhoudingsaard.EMIGRATIE;
}
final HisPersoonBijhoudingModel afgeleideBijhoudingGroep =
new HisPersoonBijhoudingModel(persoonHisVolledig,
new PartijAttribuut(minister),
new BijhoudingsaardAttribuut(Bijhoudingsaard.NIET_INGEZETENE),
new NadereBijhoudingsaardAttribuut(nadereBijhoudingsaard),
actueleBijhouding.getIndicatieOnverwerktDocumentAanwezig(),
getActie(),
getActie());
persoonHisVolledig.getPersoonBijhoudingHistorie().voegToe(afgeleideBijhoudingGroep);
}
return GEEN_VERDERE_AFLEIDINGEN;
}
/**
* Controleert of de actie verantwoord een ministerieel besluit betreft.
* @return true indien ministerieel besluit anders false
*/
private boolean actieWordtVerantwoordDoorMinisterieelBesluit() {
boolean resultaat = false;
if (getActie().getBronnen() != null) {
for (ActieBronModel actieBron : getActie().getBronnen()) {
// Bron kan een rechtsgrond zijn!
if (actieBron.getDocument() != null
&& actieBron.getDocument().getSoort().getWaarde().getNaam()
.equals(NaamEnumeratiewaardeAttribuut.DOCUMENT_NAAM_MINISTERIEEL_BESLUIT))
{
resultaat = true;
}
}
}
return resultaat;
}
}
|
211672_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.bijhouding.business.regels.impl.gegevenset.persoon.bijhouding;
import nl.bzk.brp.bijhouding.business.regels.AbstractAfleidingsregel;
import nl.bzk.brp.bijhouding.business.regels.AfleidingResultaat;
import nl.bzk.brp.model.algemeen.attribuuttype.kern.NaamEnumeratiewaardeAttribuut;
import nl.bzk.brp.model.algemeen.attribuuttype.kern.PartijCodeAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Bijhoudingsaard;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.BijhoudingsaardAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.NadereBijhoudingsaard;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.NadereBijhoudingsaardAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Partij;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.PartijAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Regel;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortMigratie;
import nl.bzk.brp.model.hisvolledig.kern.PersoonHisVolledig;
import nl.bzk.brp.model.operationeel.kern.ActieBronModel;
import nl.bzk.brp.model.operationeel.kern.ActieModel;
import nl.bzk.brp.model.operationeel.kern.HisPersoonBijhoudingModel;
import nl.bzk.brp.model.operationeel.kern.HisPersoonMigratieModel;
/**
* VR00015b: Afgeleide registratie Bijhouding door Emigratie.
*
* Als voor een Persoon een actuele groep Migratie wordt geregistreerd van de Soort "Emigratie", terwijl er een actuele
* Bijhouding staat geregistreerd met Bijhoudingsaard="Ingezetene", dan wordt voor de Persoon de volgende Bijhouding
* afgeleid geregistreerd:
*
* Bijhoudingsaard := "Niet ingezetene"
*
* NadereBijhoudingsaard :=
* "Vertrokken onbekend waarheen" als Migratie.Land = Null, anders
* "Ministerieel besluit" als de inhoud van Migratie wordt verantwoord door een MinisterieelBesluit, anders
* "Emigratie"
*
* Bijhoudingspartij := "Minister"
*/
public class BijhoudingAfleidingDoorEmigratie extends AbstractAfleidingsregel<PersoonHisVolledig> {
/**
* Constructor.
*
* @param model het model
* @param actie de actie
*/
public BijhoudingAfleidingDoorEmigratie(final PersoonHisVolledig model,
final ActieModel actie)
{
super(model, actie);
}
@Override
public final Regel getRegel() {
return Regel.VR00015b;
}
@Override
public AfleidingResultaat leidAf() {
final PersoonHisVolledig persoonHisVolledig = getModel();
final HisPersoonBijhoudingModel actueleBijhouding =
persoonHisVolledig.getPersoonBijhoudingHistorie().getActueleRecord();
final HisPersoonMigratieModel actueleMigratie =
persoonHisVolledig.getPersoonMigratieHistorie().getActueleRecord();
// Als voor een Persoon een actuele groep Migratie wordt geregistreerd van de Soort "Emigratie", terwijl er een
// actuele Bijhouding staat geregistreerd met Bijhoudingsaard="Ingezetene",
if (actueleBijhouding.getBijhoudingsaard() != null
&& Bijhoudingsaard.INGEZETENE == actueleBijhouding.getBijhoudingsaard().getWaarde()
&& actueleMigratie.getSoortMigratie() != null
&& SoortMigratie.EMIGRATIE == actueleMigratie.getSoortMigratie().getWaarde())
{
final Partij minister = getReferentieDataRepository().vindPartijOpCode(PartijCodeAttribuut.MINISTER);
NadereBijhoudingsaard nadereBijhoudingsaard;
if (actueleMigratie.getLandGebiedMigratie() == null) {
nadereBijhoudingsaard = NadereBijhoudingsaard.VERTROKKEN_ONBEKEND_WAARHEEN;
} else if (actieWordtVerantwoordDoorMinisterieelBesluit()) {
nadereBijhoudingsaard = NadereBijhoudingsaard.MINISTERIEEL_BESLUIT;
} else {
nadereBijhoudingsaard = NadereBijhoudingsaard.EMIGRATIE;
}
final HisPersoonBijhoudingModel afgeleideBijhoudingGroep =
new HisPersoonBijhoudingModel(persoonHisVolledig,
new PartijAttribuut(minister),
new BijhoudingsaardAttribuut(Bijhoudingsaard.NIET_INGEZETENE),
new NadereBijhoudingsaardAttribuut(nadereBijhoudingsaard),
actueleBijhouding.getIndicatieOnverwerktDocumentAanwezig(),
getActie(),
getActie());
persoonHisVolledig.getPersoonBijhoudingHistorie().voegToe(afgeleideBijhoudingGroep);
}
return GEEN_VERDERE_AFLEIDINGEN;
}
/**
* Controleert of de actie verantwoord een ministerieel besluit betreft.
* @return true indien ministerieel besluit anders false
*/
private boolean actieWordtVerantwoordDoorMinisterieelBesluit() {
boolean resultaat = false;
if (getActie().getBronnen() != null) {
for (ActieBronModel actieBron : getActie().getBronnen()) {
// Bron kan een rechtsgrond zijn!
if (actieBron.getDocument() != null
&& actieBron.getDocument().getSoort().getWaarde().getNaam()
.equals(NaamEnumeratiewaardeAttribuut.DOCUMENT_NAAM_MINISTERIEEL_BESLUIT))
{
resultaat = true;
}
}
}
return resultaat;
}
}
| MinBZK/OperatieBRP | 2016/brp 2016-02-09/bijhouding/business/src/main/java/nl/bzk/brp/bijhouding/business/regels/impl/gegevenset/persoon/bijhouding/BijhoudingAfleidingDoorEmigratie.java | 1,700 | // actuele Bijhouding staat geregistreerd met Bijhoudingsaard="Ingezetene",
| 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.bijhouding.business.regels.impl.gegevenset.persoon.bijhouding;
import nl.bzk.brp.bijhouding.business.regels.AbstractAfleidingsregel;
import nl.bzk.brp.bijhouding.business.regels.AfleidingResultaat;
import nl.bzk.brp.model.algemeen.attribuuttype.kern.NaamEnumeratiewaardeAttribuut;
import nl.bzk.brp.model.algemeen.attribuuttype.kern.PartijCodeAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Bijhoudingsaard;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.BijhoudingsaardAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.NadereBijhoudingsaard;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.NadereBijhoudingsaardAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Partij;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.PartijAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Regel;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortMigratie;
import nl.bzk.brp.model.hisvolledig.kern.PersoonHisVolledig;
import nl.bzk.brp.model.operationeel.kern.ActieBronModel;
import nl.bzk.brp.model.operationeel.kern.ActieModel;
import nl.bzk.brp.model.operationeel.kern.HisPersoonBijhoudingModel;
import nl.bzk.brp.model.operationeel.kern.HisPersoonMigratieModel;
/**
* VR00015b: Afgeleide registratie Bijhouding door Emigratie.
*
* Als voor een Persoon een actuele groep Migratie wordt geregistreerd van de Soort "Emigratie", terwijl er een actuele
* Bijhouding staat geregistreerd met Bijhoudingsaard="Ingezetene", dan wordt voor de Persoon de volgende Bijhouding
* afgeleid geregistreerd:
*
* Bijhoudingsaard := "Niet ingezetene"
*
* NadereBijhoudingsaard :=
* "Vertrokken onbekend waarheen" als Migratie.Land = Null, anders
* "Ministerieel besluit" als de inhoud van Migratie wordt verantwoord door een MinisterieelBesluit, anders
* "Emigratie"
*
* Bijhoudingspartij := "Minister"
*/
public class BijhoudingAfleidingDoorEmigratie extends AbstractAfleidingsregel<PersoonHisVolledig> {
/**
* Constructor.
*
* @param model het model
* @param actie de actie
*/
public BijhoudingAfleidingDoorEmigratie(final PersoonHisVolledig model,
final ActieModel actie)
{
super(model, actie);
}
@Override
public final Regel getRegel() {
return Regel.VR00015b;
}
@Override
public AfleidingResultaat leidAf() {
final PersoonHisVolledig persoonHisVolledig = getModel();
final HisPersoonBijhoudingModel actueleBijhouding =
persoonHisVolledig.getPersoonBijhoudingHistorie().getActueleRecord();
final HisPersoonMigratieModel actueleMigratie =
persoonHisVolledig.getPersoonMigratieHistorie().getActueleRecord();
// Als voor een Persoon een actuele groep Migratie wordt geregistreerd van de Soort "Emigratie", terwijl er een
// actuele Bijhouding<SUF>
if (actueleBijhouding.getBijhoudingsaard() != null
&& Bijhoudingsaard.INGEZETENE == actueleBijhouding.getBijhoudingsaard().getWaarde()
&& actueleMigratie.getSoortMigratie() != null
&& SoortMigratie.EMIGRATIE == actueleMigratie.getSoortMigratie().getWaarde())
{
final Partij minister = getReferentieDataRepository().vindPartijOpCode(PartijCodeAttribuut.MINISTER);
NadereBijhoudingsaard nadereBijhoudingsaard;
if (actueleMigratie.getLandGebiedMigratie() == null) {
nadereBijhoudingsaard = NadereBijhoudingsaard.VERTROKKEN_ONBEKEND_WAARHEEN;
} else if (actieWordtVerantwoordDoorMinisterieelBesluit()) {
nadereBijhoudingsaard = NadereBijhoudingsaard.MINISTERIEEL_BESLUIT;
} else {
nadereBijhoudingsaard = NadereBijhoudingsaard.EMIGRATIE;
}
final HisPersoonBijhoudingModel afgeleideBijhoudingGroep =
new HisPersoonBijhoudingModel(persoonHisVolledig,
new PartijAttribuut(minister),
new BijhoudingsaardAttribuut(Bijhoudingsaard.NIET_INGEZETENE),
new NadereBijhoudingsaardAttribuut(nadereBijhoudingsaard),
actueleBijhouding.getIndicatieOnverwerktDocumentAanwezig(),
getActie(),
getActie());
persoonHisVolledig.getPersoonBijhoudingHistorie().voegToe(afgeleideBijhoudingGroep);
}
return GEEN_VERDERE_AFLEIDINGEN;
}
/**
* Controleert of de actie verantwoord een ministerieel besluit betreft.
* @return true indien ministerieel besluit anders false
*/
private boolean actieWordtVerantwoordDoorMinisterieelBesluit() {
boolean resultaat = false;
if (getActie().getBronnen() != null) {
for (ActieBronModel actieBron : getActie().getBronnen()) {
// Bron kan een rechtsgrond zijn!
if (actieBron.getDocument() != null
&& actieBron.getDocument().getSoort().getWaarde().getNaam()
.equals(NaamEnumeratiewaardeAttribuut.DOCUMENT_NAAM_MINISTERIEEL_BESLUIT))
{
resultaat = true;
}
}
}
return resultaat;
}
}
|
211672_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.bijhouding.business.regels.impl.gegevenset.persoon.bijhouding;
import nl.bzk.brp.bijhouding.business.regels.AbstractAfleidingsregel;
import nl.bzk.brp.bijhouding.business.regels.AfleidingResultaat;
import nl.bzk.brp.model.algemeen.attribuuttype.kern.NaamEnumeratiewaardeAttribuut;
import nl.bzk.brp.model.algemeen.attribuuttype.kern.PartijCodeAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Bijhoudingsaard;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.BijhoudingsaardAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.NadereBijhoudingsaard;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.NadereBijhoudingsaardAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Partij;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.PartijAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Regel;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortMigratie;
import nl.bzk.brp.model.hisvolledig.kern.PersoonHisVolledig;
import nl.bzk.brp.model.operationeel.kern.ActieBronModel;
import nl.bzk.brp.model.operationeel.kern.ActieModel;
import nl.bzk.brp.model.operationeel.kern.HisPersoonBijhoudingModel;
import nl.bzk.brp.model.operationeel.kern.HisPersoonMigratieModel;
/**
* VR00015b: Afgeleide registratie Bijhouding door Emigratie.
*
* Als voor een Persoon een actuele groep Migratie wordt geregistreerd van de Soort "Emigratie", terwijl er een actuele
* Bijhouding staat geregistreerd met Bijhoudingsaard="Ingezetene", dan wordt voor de Persoon de volgende Bijhouding
* afgeleid geregistreerd:
*
* Bijhoudingsaard := "Niet ingezetene"
*
* NadereBijhoudingsaard :=
* "Vertrokken onbekend waarheen" als Migratie.Land = Null, anders
* "Ministerieel besluit" als de inhoud van Migratie wordt verantwoord door een MinisterieelBesluit, anders
* "Emigratie"
*
* Bijhoudingspartij := "Minister"
*/
public class BijhoudingAfleidingDoorEmigratie extends AbstractAfleidingsregel<PersoonHisVolledig> {
/**
* Constructor.
*
* @param model het model
* @param actie de actie
*/
public BijhoudingAfleidingDoorEmigratie(final PersoonHisVolledig model,
final ActieModel actie)
{
super(model, actie);
}
@Override
public final Regel getRegel() {
return Regel.VR00015b;
}
@Override
public AfleidingResultaat leidAf() {
final PersoonHisVolledig persoonHisVolledig = getModel();
final HisPersoonBijhoudingModel actueleBijhouding =
persoonHisVolledig.getPersoonBijhoudingHistorie().getActueleRecord();
final HisPersoonMigratieModel actueleMigratie =
persoonHisVolledig.getPersoonMigratieHistorie().getActueleRecord();
// Als voor een Persoon een actuele groep Migratie wordt geregistreerd van de Soort "Emigratie", terwijl er een
// actuele Bijhouding staat geregistreerd met Bijhoudingsaard="Ingezetene",
if (actueleBijhouding.getBijhoudingsaard() != null
&& Bijhoudingsaard.INGEZETENE == actueleBijhouding.getBijhoudingsaard().getWaarde()
&& actueleMigratie.getSoortMigratie() != null
&& SoortMigratie.EMIGRATIE == actueleMigratie.getSoortMigratie().getWaarde())
{
final Partij minister = getReferentieDataRepository().vindPartijOpCode(PartijCodeAttribuut.MINISTER);
NadereBijhoudingsaard nadereBijhoudingsaard;
if (actueleMigratie.getLandGebiedMigratie() == null) {
nadereBijhoudingsaard = NadereBijhoudingsaard.VERTROKKEN_ONBEKEND_WAARHEEN;
} else if (actieWordtVerantwoordDoorMinisterieelBesluit()) {
nadereBijhoudingsaard = NadereBijhoudingsaard.MINISTERIEEL_BESLUIT;
} else {
nadereBijhoudingsaard = NadereBijhoudingsaard.EMIGRATIE;
}
final HisPersoonBijhoudingModel afgeleideBijhoudingGroep =
new HisPersoonBijhoudingModel(persoonHisVolledig,
new PartijAttribuut(minister),
new BijhoudingsaardAttribuut(Bijhoudingsaard.NIET_INGEZETENE),
new NadereBijhoudingsaardAttribuut(nadereBijhoudingsaard),
actueleBijhouding.getIndicatieOnverwerktDocumentAanwezig(),
getActie(),
getActie());
persoonHisVolledig.getPersoonBijhoudingHistorie().voegToe(afgeleideBijhoudingGroep);
}
return GEEN_VERDERE_AFLEIDINGEN;
}
/**
* Controleert of de actie verantwoord een ministerieel besluit betreft.
* @return true indien ministerieel besluit anders false
*/
private boolean actieWordtVerantwoordDoorMinisterieelBesluit() {
boolean resultaat = false;
if (getActie().getBronnen() != null) {
for (ActieBronModel actieBron : getActie().getBronnen()) {
// Bron kan een rechtsgrond zijn!
if (actieBron.getDocument() != null
&& actieBron.getDocument().getSoort().getWaarde().getNaam()
.equals(NaamEnumeratiewaardeAttribuut.DOCUMENT_NAAM_MINISTERIEEL_BESLUIT))
{
resultaat = true;
}
}
}
return resultaat;
}
}
| MinBZK/OperatieBRP | 2016/brp 2016-02-09/bijhouding/business/src/main/java/nl/bzk/brp/bijhouding/business/regels/impl/gegevenset/persoon/bijhouding/BijhoudingAfleidingDoorEmigratie.java | 1,700 | /**
* Controleert of de actie verantwoord een ministerieel besluit betreft.
* @return true indien ministerieel besluit anders false
*/ | 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.bijhouding.business.regels.impl.gegevenset.persoon.bijhouding;
import nl.bzk.brp.bijhouding.business.regels.AbstractAfleidingsregel;
import nl.bzk.brp.bijhouding.business.regels.AfleidingResultaat;
import nl.bzk.brp.model.algemeen.attribuuttype.kern.NaamEnumeratiewaardeAttribuut;
import nl.bzk.brp.model.algemeen.attribuuttype.kern.PartijCodeAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Bijhoudingsaard;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.BijhoudingsaardAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.NadereBijhoudingsaard;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.NadereBijhoudingsaardAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Partij;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.PartijAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Regel;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortMigratie;
import nl.bzk.brp.model.hisvolledig.kern.PersoonHisVolledig;
import nl.bzk.brp.model.operationeel.kern.ActieBronModel;
import nl.bzk.brp.model.operationeel.kern.ActieModel;
import nl.bzk.brp.model.operationeel.kern.HisPersoonBijhoudingModel;
import nl.bzk.brp.model.operationeel.kern.HisPersoonMigratieModel;
/**
* VR00015b: Afgeleide registratie Bijhouding door Emigratie.
*
* Als voor een Persoon een actuele groep Migratie wordt geregistreerd van de Soort "Emigratie", terwijl er een actuele
* Bijhouding staat geregistreerd met Bijhoudingsaard="Ingezetene", dan wordt voor de Persoon de volgende Bijhouding
* afgeleid geregistreerd:
*
* Bijhoudingsaard := "Niet ingezetene"
*
* NadereBijhoudingsaard :=
* "Vertrokken onbekend waarheen" als Migratie.Land = Null, anders
* "Ministerieel besluit" als de inhoud van Migratie wordt verantwoord door een MinisterieelBesluit, anders
* "Emigratie"
*
* Bijhoudingspartij := "Minister"
*/
public class BijhoudingAfleidingDoorEmigratie extends AbstractAfleidingsregel<PersoonHisVolledig> {
/**
* Constructor.
*
* @param model het model
* @param actie de actie
*/
public BijhoudingAfleidingDoorEmigratie(final PersoonHisVolledig model,
final ActieModel actie)
{
super(model, actie);
}
@Override
public final Regel getRegel() {
return Regel.VR00015b;
}
@Override
public AfleidingResultaat leidAf() {
final PersoonHisVolledig persoonHisVolledig = getModel();
final HisPersoonBijhoudingModel actueleBijhouding =
persoonHisVolledig.getPersoonBijhoudingHistorie().getActueleRecord();
final HisPersoonMigratieModel actueleMigratie =
persoonHisVolledig.getPersoonMigratieHistorie().getActueleRecord();
// Als voor een Persoon een actuele groep Migratie wordt geregistreerd van de Soort "Emigratie", terwijl er een
// actuele Bijhouding staat geregistreerd met Bijhoudingsaard="Ingezetene",
if (actueleBijhouding.getBijhoudingsaard() != null
&& Bijhoudingsaard.INGEZETENE == actueleBijhouding.getBijhoudingsaard().getWaarde()
&& actueleMigratie.getSoortMigratie() != null
&& SoortMigratie.EMIGRATIE == actueleMigratie.getSoortMigratie().getWaarde())
{
final Partij minister = getReferentieDataRepository().vindPartijOpCode(PartijCodeAttribuut.MINISTER);
NadereBijhoudingsaard nadereBijhoudingsaard;
if (actueleMigratie.getLandGebiedMigratie() == null) {
nadereBijhoudingsaard = NadereBijhoudingsaard.VERTROKKEN_ONBEKEND_WAARHEEN;
} else if (actieWordtVerantwoordDoorMinisterieelBesluit()) {
nadereBijhoudingsaard = NadereBijhoudingsaard.MINISTERIEEL_BESLUIT;
} else {
nadereBijhoudingsaard = NadereBijhoudingsaard.EMIGRATIE;
}
final HisPersoonBijhoudingModel afgeleideBijhoudingGroep =
new HisPersoonBijhoudingModel(persoonHisVolledig,
new PartijAttribuut(minister),
new BijhoudingsaardAttribuut(Bijhoudingsaard.NIET_INGEZETENE),
new NadereBijhoudingsaardAttribuut(nadereBijhoudingsaard),
actueleBijhouding.getIndicatieOnverwerktDocumentAanwezig(),
getActie(),
getActie());
persoonHisVolledig.getPersoonBijhoudingHistorie().voegToe(afgeleideBijhoudingGroep);
}
return GEEN_VERDERE_AFLEIDINGEN;
}
/**
* Controleert of de<SUF>*/
private boolean actieWordtVerantwoordDoorMinisterieelBesluit() {
boolean resultaat = false;
if (getActie().getBronnen() != null) {
for (ActieBronModel actieBron : getActie().getBronnen()) {
// Bron kan een rechtsgrond zijn!
if (actieBron.getDocument() != null
&& actieBron.getDocument().getSoort().getWaarde().getNaam()
.equals(NaamEnumeratiewaardeAttribuut.DOCUMENT_NAAM_MINISTERIEEL_BESLUIT))
{
resultaat = true;
}
}
}
return resultaat;
}
}
|
211672_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.brp.bijhouding.business.regels.impl.gegevenset.persoon.bijhouding;
import nl.bzk.brp.bijhouding.business.regels.AbstractAfleidingsregel;
import nl.bzk.brp.bijhouding.business.regels.AfleidingResultaat;
import nl.bzk.brp.model.algemeen.attribuuttype.kern.NaamEnumeratiewaardeAttribuut;
import nl.bzk.brp.model.algemeen.attribuuttype.kern.PartijCodeAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Bijhoudingsaard;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.BijhoudingsaardAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.NadereBijhoudingsaard;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.NadereBijhoudingsaardAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Partij;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.PartijAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Regel;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortMigratie;
import nl.bzk.brp.model.hisvolledig.kern.PersoonHisVolledig;
import nl.bzk.brp.model.operationeel.kern.ActieBronModel;
import nl.bzk.brp.model.operationeel.kern.ActieModel;
import nl.bzk.brp.model.operationeel.kern.HisPersoonBijhoudingModel;
import nl.bzk.brp.model.operationeel.kern.HisPersoonMigratieModel;
/**
* VR00015b: Afgeleide registratie Bijhouding door Emigratie.
*
* Als voor een Persoon een actuele groep Migratie wordt geregistreerd van de Soort "Emigratie", terwijl er een actuele
* Bijhouding staat geregistreerd met Bijhoudingsaard="Ingezetene", dan wordt voor de Persoon de volgende Bijhouding
* afgeleid geregistreerd:
*
* Bijhoudingsaard := "Niet ingezetene"
*
* NadereBijhoudingsaard :=
* "Vertrokken onbekend waarheen" als Migratie.Land = Null, anders
* "Ministerieel besluit" als de inhoud van Migratie wordt verantwoord door een MinisterieelBesluit, anders
* "Emigratie"
*
* Bijhoudingspartij := "Minister"
*/
public class BijhoudingAfleidingDoorEmigratie extends AbstractAfleidingsregel<PersoonHisVolledig> {
/**
* Constructor.
*
* @param model het model
* @param actie de actie
*/
public BijhoudingAfleidingDoorEmigratie(final PersoonHisVolledig model,
final ActieModel actie)
{
super(model, actie);
}
@Override
public final Regel getRegel() {
return Regel.VR00015b;
}
@Override
public AfleidingResultaat leidAf() {
final PersoonHisVolledig persoonHisVolledig = getModel();
final HisPersoonBijhoudingModel actueleBijhouding =
persoonHisVolledig.getPersoonBijhoudingHistorie().getActueleRecord();
final HisPersoonMigratieModel actueleMigratie =
persoonHisVolledig.getPersoonMigratieHistorie().getActueleRecord();
// Als voor een Persoon een actuele groep Migratie wordt geregistreerd van de Soort "Emigratie", terwijl er een
// actuele Bijhouding staat geregistreerd met Bijhoudingsaard="Ingezetene",
if (actueleBijhouding.getBijhoudingsaard() != null
&& Bijhoudingsaard.INGEZETENE == actueleBijhouding.getBijhoudingsaard().getWaarde()
&& actueleMigratie.getSoortMigratie() != null
&& SoortMigratie.EMIGRATIE == actueleMigratie.getSoortMigratie().getWaarde())
{
final Partij minister = getReferentieDataRepository().vindPartijOpCode(PartijCodeAttribuut.MINISTER);
NadereBijhoudingsaard nadereBijhoudingsaard;
if (actueleMigratie.getLandGebiedMigratie() == null) {
nadereBijhoudingsaard = NadereBijhoudingsaard.VERTROKKEN_ONBEKEND_WAARHEEN;
} else if (actieWordtVerantwoordDoorMinisterieelBesluit()) {
nadereBijhoudingsaard = NadereBijhoudingsaard.MINISTERIEEL_BESLUIT;
} else {
nadereBijhoudingsaard = NadereBijhoudingsaard.EMIGRATIE;
}
final HisPersoonBijhoudingModel afgeleideBijhoudingGroep =
new HisPersoonBijhoudingModel(persoonHisVolledig,
new PartijAttribuut(minister),
new BijhoudingsaardAttribuut(Bijhoudingsaard.NIET_INGEZETENE),
new NadereBijhoudingsaardAttribuut(nadereBijhoudingsaard),
actueleBijhouding.getIndicatieOnverwerktDocumentAanwezig(),
getActie(),
getActie());
persoonHisVolledig.getPersoonBijhoudingHistorie().voegToe(afgeleideBijhoudingGroep);
}
return GEEN_VERDERE_AFLEIDINGEN;
}
/**
* Controleert of de actie verantwoord een ministerieel besluit betreft.
* @return true indien ministerieel besluit anders false
*/
private boolean actieWordtVerantwoordDoorMinisterieelBesluit() {
boolean resultaat = false;
if (getActie().getBronnen() != null) {
for (ActieBronModel actieBron : getActie().getBronnen()) {
// Bron kan een rechtsgrond zijn!
if (actieBron.getDocument() != null
&& actieBron.getDocument().getSoort().getWaarde().getNaam()
.equals(NaamEnumeratiewaardeAttribuut.DOCUMENT_NAAM_MINISTERIEEL_BESLUIT))
{
resultaat = true;
}
}
}
return resultaat;
}
}
| MinBZK/OperatieBRP | 2016/brp 2016-02-09/bijhouding/business/src/main/java/nl/bzk/brp/bijhouding/business/regels/impl/gegevenset/persoon/bijhouding/BijhoudingAfleidingDoorEmigratie.java | 1,700 | // Bron kan een rechtsgrond zijn!
| 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.bijhouding.business.regels.impl.gegevenset.persoon.bijhouding;
import nl.bzk.brp.bijhouding.business.regels.AbstractAfleidingsregel;
import nl.bzk.brp.bijhouding.business.regels.AfleidingResultaat;
import nl.bzk.brp.model.algemeen.attribuuttype.kern.NaamEnumeratiewaardeAttribuut;
import nl.bzk.brp.model.algemeen.attribuuttype.kern.PartijCodeAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Bijhoudingsaard;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.BijhoudingsaardAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.NadereBijhoudingsaard;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.NadereBijhoudingsaardAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Partij;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.PartijAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Regel;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortMigratie;
import nl.bzk.brp.model.hisvolledig.kern.PersoonHisVolledig;
import nl.bzk.brp.model.operationeel.kern.ActieBronModel;
import nl.bzk.brp.model.operationeel.kern.ActieModel;
import nl.bzk.brp.model.operationeel.kern.HisPersoonBijhoudingModel;
import nl.bzk.brp.model.operationeel.kern.HisPersoonMigratieModel;
/**
* VR00015b: Afgeleide registratie Bijhouding door Emigratie.
*
* Als voor een Persoon een actuele groep Migratie wordt geregistreerd van de Soort "Emigratie", terwijl er een actuele
* Bijhouding staat geregistreerd met Bijhoudingsaard="Ingezetene", dan wordt voor de Persoon de volgende Bijhouding
* afgeleid geregistreerd:
*
* Bijhoudingsaard := "Niet ingezetene"
*
* NadereBijhoudingsaard :=
* "Vertrokken onbekend waarheen" als Migratie.Land = Null, anders
* "Ministerieel besluit" als de inhoud van Migratie wordt verantwoord door een MinisterieelBesluit, anders
* "Emigratie"
*
* Bijhoudingspartij := "Minister"
*/
public class BijhoudingAfleidingDoorEmigratie extends AbstractAfleidingsregel<PersoonHisVolledig> {
/**
* Constructor.
*
* @param model het model
* @param actie de actie
*/
public BijhoudingAfleidingDoorEmigratie(final PersoonHisVolledig model,
final ActieModel actie)
{
super(model, actie);
}
@Override
public final Regel getRegel() {
return Regel.VR00015b;
}
@Override
public AfleidingResultaat leidAf() {
final PersoonHisVolledig persoonHisVolledig = getModel();
final HisPersoonBijhoudingModel actueleBijhouding =
persoonHisVolledig.getPersoonBijhoudingHistorie().getActueleRecord();
final HisPersoonMigratieModel actueleMigratie =
persoonHisVolledig.getPersoonMigratieHistorie().getActueleRecord();
// Als voor een Persoon een actuele groep Migratie wordt geregistreerd van de Soort "Emigratie", terwijl er een
// actuele Bijhouding staat geregistreerd met Bijhoudingsaard="Ingezetene",
if (actueleBijhouding.getBijhoudingsaard() != null
&& Bijhoudingsaard.INGEZETENE == actueleBijhouding.getBijhoudingsaard().getWaarde()
&& actueleMigratie.getSoortMigratie() != null
&& SoortMigratie.EMIGRATIE == actueleMigratie.getSoortMigratie().getWaarde())
{
final Partij minister = getReferentieDataRepository().vindPartijOpCode(PartijCodeAttribuut.MINISTER);
NadereBijhoudingsaard nadereBijhoudingsaard;
if (actueleMigratie.getLandGebiedMigratie() == null) {
nadereBijhoudingsaard = NadereBijhoudingsaard.VERTROKKEN_ONBEKEND_WAARHEEN;
} else if (actieWordtVerantwoordDoorMinisterieelBesluit()) {
nadereBijhoudingsaard = NadereBijhoudingsaard.MINISTERIEEL_BESLUIT;
} else {
nadereBijhoudingsaard = NadereBijhoudingsaard.EMIGRATIE;
}
final HisPersoonBijhoudingModel afgeleideBijhoudingGroep =
new HisPersoonBijhoudingModel(persoonHisVolledig,
new PartijAttribuut(minister),
new BijhoudingsaardAttribuut(Bijhoudingsaard.NIET_INGEZETENE),
new NadereBijhoudingsaardAttribuut(nadereBijhoudingsaard),
actueleBijhouding.getIndicatieOnverwerktDocumentAanwezig(),
getActie(),
getActie());
persoonHisVolledig.getPersoonBijhoudingHistorie().voegToe(afgeleideBijhoudingGroep);
}
return GEEN_VERDERE_AFLEIDINGEN;
}
/**
* Controleert of de actie verantwoord een ministerieel besluit betreft.
* @return true indien ministerieel besluit anders false
*/
private boolean actieWordtVerantwoordDoorMinisterieelBesluit() {
boolean resultaat = false;
if (getActie().getBronnen() != null) {
for (ActieBronModel actieBron : getActie().getBronnen()) {
// Bron kan<SUF>
if (actieBron.getDocument() != null
&& actieBron.getDocument().getSoort().getWaarde().getNaam()
.equals(NaamEnumeratiewaardeAttribuut.DOCUMENT_NAAM_MINISTERIEEL_BESLUIT))
{
resultaat = true;
}
}
}
return resultaat;
}
}
|
211674_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.brpnaarlo3.attributen;
import static org.junit.Assert.assertEquals;
import static org.junit.Assert.assertFalse;
import static org.junit.Assert.assertNotNull;
import static org.junit.Assert.assertNull;
import static org.mockito.Mockito.when;
import java.util.ArrayList;
import java.util.List;
import nl.bzk.migratiebrp.conversie.model.Definitie;
import nl.bzk.migratiebrp.conversie.model.Definities;
import nl.bzk.migratiebrp.conversie.model.Requirement;
import nl.bzk.migratiebrp.conversie.model.Requirements;
import nl.bzk.migratiebrp.conversie.model.brp.BrpStapel;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpBijhoudingsaardCode;
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.attribuut.BrpDatumTijd;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpLong;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpNadereBijhoudingsaardCode;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpPartijCode;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpString;
import nl.bzk.migratiebrp.conversie.model.brp.groep.BrpBijhoudingInhoud;
import nl.bzk.migratiebrp.conversie.model.brp.groep.BrpInschrijvingInhoud;
import nl.bzk.migratiebrp.conversie.model.brp.groep.BrpPersoonAfgeleidAdministratiefInhoud;
import nl.bzk.migratiebrp.conversie.model.brp.groep.BrpPersoonskaartInhoud;
import nl.bzk.migratiebrp.conversie.model.brp.groep.BrpVerificatieInhoud;
import nl.bzk.migratiebrp.conversie.model.brp.groep.BrpVerstrekkingsbeperkingIndicatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.categorie.Lo3InschrijvingInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.codes.Lo3IndicatieGeheimCodeEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3GemeenteCode;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3IndicatieGeheimCode;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Integer;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3RNIDeelnemerCode;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3RedenOpschortingBijhoudingCode;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3String;
import nl.bzk.migratiebrp.conversie.model.proces.brpnaarlo3.BrpStapelHelper;
import nl.bzk.migratiebrp.conversie.model.proces.brpnaarlo3.Lo3StapelHelper;
import org.junit.Before;
import org.junit.Test;
import org.junit.runner.RunWith;
import org.mockito.Mock;
import org.mockito.runners.MockitoJUnitRunner;
@RunWith(MockitoJUnitRunner.class)
public class BrpInschrijvingConverteerderTest {
private static final String ASSERT_INHOUD_GELIJK = "Inhoud niet gelijk";
private static final String ASSERT_STAPEL_IS_NIET_LEEG = "Stapel is leeg";
private static final String VERIFICATIE_OMS = "nieuweVerificatie";
private static final String ASSERT_STAPEL_IS_NOT_NULL = "Stapel is null";
private static final String ASSERT_CATEGORIE_IS_NOT_NULL = "Categorie is null";
private static final String BRP_GEMEENTE_PARTIJ_CODE = "059901";
private static final String LO3_GEMEENTE_CODE = "0599";
private static final String RNI_PARTIJ_CODE = "250001";
private static final int DATUM_VERVALLEN_VERIFICATIE = 2011_01_01;
private static final int DATUM_OUDE_VERIFICATIE = 2010_01_01;
private static final int DATUM_VERIFICATIE = 2013_01_01;
private static final int DATUM_INSCHRIJVING = 1994_01_01;
private static final int VERSIENUMMER = 1042;
private static final long DATUMTIJDSTEMPEL = 1999_01_01_01_00_00L;
private static final int DATUM_TIJD_REGISTRATIE = 1994_01_02;
@Mock
private BrpAttribuutConverteerder attribuutConverteerder;
private BrpInschrijvingConverteerder subject;
@Before
public void setUp() {
subject = new BrpInschrijvingConverteerder(attribuutConverteerder);
// BRP Persoonskaart Inhoud
when(attribuutConverteerder.converteerGemeenteCode(new BrpPartijCode(BRP_GEMEENTE_PARTIJ_CODE))).thenReturn(new Lo3GemeenteCode(LO3_GEMEENTE_CODE));
when(attribuutConverteerder.converteerIndicatiePKVolledigGeconverteerd(new BrpBoolean(false))).thenReturn(null);
// BRP Verstrekkingsbeperking Inhoud
when(attribuutConverteerder.converteerIndicatieGeheim(new BrpBoolean(true))).thenReturn(new Lo3IndicatieGeheimCode(
Lo3IndicatieGeheimCodeEnum.NIET_TER_UITVOERING_VAN_VOORSCHRIFT_EN_NIET_AAN_VRIJE_DERDEN_EN_NIET_AAN_KERKEN.getCode()));
when(attribuutConverteerder.converteerIndicatieGeheim(new BrpBoolean(false))).thenReturn(new Lo3IndicatieGeheimCode(
Lo3IndicatieGeheimCodeEnum.GEEN_BEPERKING.getCode()));
// BRP Verificatie Inhoud
when(attribuutConverteerder.converteerDatum(new BrpDatum(DATUM_VERIFICATIE, null))).thenReturn(new Lo3Datum(DATUM_VERIFICATIE));
when(attribuutConverteerder.converteerString(new BrpString(VERIFICATIE_OMS))).thenReturn(new Lo3String(VERIFICATIE_OMS));
when(attribuutConverteerder.converteerRNIDeelnemer(new BrpPartijCode(RNI_PARTIJ_CODE))).thenReturn(new Lo3RNIDeelnemerCode("0101"));
// BRP Inschrijving Inhoud
when(attribuutConverteerder.converteerDatum(new BrpDatum(DATUM_INSCHRIJVING, null))).thenReturn(new Lo3Datum(DATUM_INSCHRIJVING));
when(attribuutConverteerder.converteerVersienummer(new BrpLong((long) VERSIENUMMER))).thenReturn(new Lo3Integer(VERSIENUMMER));
final BrpDatumTijd brpDatumTijd = BrpDatumTijd.fromDatumTijd(DATUMTIJDSTEMPEL, null);
when(attribuutConverteerder.converteerDatumtijdstempel(brpDatumTijd)).thenReturn(brpDatumTijd.converteerNaarLo3Datumtijdstempel());
// BRP Bijhouding Inhoud
when(attribuutConverteerder.converteerRedenOpschortingBijhouding(BrpNadereBijhoudingsaardCode.OVERLEDEN))
.thenReturn(new Lo3RedenOpschortingBijhoudingCode("O"));
}
@Test
public void test() {
final BrpStapel<BrpInschrijvingInhoud> inschrijvingStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.inschrijving(DATUM_INSCHRIJVING, VERSIENUMMER, DATUMTIJDSTEMPEL),
BrpStapelHelper.his(DATUM_INSCHRIJVING),
BrpStapelHelper.act(9, DATUM_TIJD_REGISTRATIE)));
final BrpStapel<BrpPersoonskaartInhoud> persoonskaartStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.persoonskaart(BRP_GEMEENTE_PARTIJ_CODE, false),
BrpStapelHelper.his(DATUM_INSCHRIJVING),
BrpStapelHelper.act(1, DATUM_TIJD_REGISTRATIE)));
final BrpStapel<BrpVerstrekkingsbeperkingIndicatieInhoud> beperkingStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.verstrekkingsbeperking(true),
BrpStapelHelper.his(DATUM_INSCHRIJVING),
BrpStapelHelper.act(4, DATUM_TIJD_REGISTRATIE)));
final BrpStapel<BrpPersoonAfgeleidAdministratiefInhoud> afgeleidAdministratiefStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.afgeleid(),
BrpStapelHelper.his(DATUM_INSCHRIJVING),
BrpStapelHelper.act(3, DATUM_TIJD_REGISTRATIE)));
// Execute
final Lo3Stapel<Lo3InschrijvingInhoud> result =
subject.converteer(inschrijvingStapel, persoonskaartStapel, beperkingStapel, afgeleidAdministratiefStapel);
// Expectation
// cat(inhoud, historie, documentatie)
// his(ingangsdatumGeldigheid)
// akt(id)
final Lo3InschrijvingInhoud expected =
Lo3StapelHelper.lo3Inschrijving(null, null, null, DATUM_INSCHRIJVING, LO3_GEMEENTE_CODE, 7, VERSIENUMMER, 1999_01_010100_00_000L, false);
// Check
assertNotNull(ASSERT_STAPEL_IS_NOT_NULL, result);
assertFalse(ASSERT_STAPEL_IS_NIET_LEEG, result.isEmpty());
assertNotNull(ASSERT_CATEGORIE_IS_NOT_NULL, result.get(0));
assertEquals(ASSERT_INHOUD_GELIJK, expected, result.get(0).getInhoud());
}
@Test
public void testBepaalVerificatieStapel() {
final List<BrpStapel<BrpVerificatieInhoud>> stapels = new ArrayList<>();
stapels.add(BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.verificatie(DATUM_VERVALLEN_VERIFICATIE, "vervallenVerificatie", RNI_PARTIJ_CODE),
BrpStapelHelper.his(null, null, 2011_01_01090909L, 2012_01_01090909L),
BrpStapelHelper.act(10, DATUM_VERVALLEN_VERIFICATIE),
BrpStapelHelper.act(11, 2012_01_01))));
assertNull(subject.bepaalVerificatieStapel(stapels));
stapels.add(BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.verificatie(DATUM_OUDE_VERIFICATIE, "oudeVerificatie", RNI_PARTIJ_CODE),
BrpStapelHelper.his(null, null, 2010_01_01090909L, null),
BrpStapelHelper.act(9, DATUM_OUDE_VERIFICATIE))));
assertNotNull(subject.bepaalVerificatieStapel(stapels));
assertEquals(new BrpString("oudeVerificatie"), subject.bepaalVerificatieStapel(stapels).getActueel().getInhoud().getSoort());
stapels.add(BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.verificatie(DATUM_VERIFICATIE, VERIFICATIE_OMS, RNI_PARTIJ_CODE),
BrpStapelHelper.his(null, null, 2013_01_01090909L, null),
BrpStapelHelper.act(12, DATUM_VERIFICATIE))));
assertNotNull(subject.bepaalVerificatieStapel(stapels));
assertEquals(new BrpString(VERIFICATIE_OMS), subject.bepaalVerificatieStapel(stapels).getActueel().getInhoud().getSoort());
}
@Test
public void testConverteerVerificatie() {
final BrpStapel<BrpInschrijvingInhoud> inschrijvingStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.inschrijving(DATUM_INSCHRIJVING, VERSIENUMMER, DATUMTIJDSTEMPEL),
BrpStapelHelper.his(DATUM_INSCHRIJVING),
BrpStapelHelper.act(9, DATUM_TIJD_REGISTRATIE)));
final BrpStapel<BrpPersoonskaartInhoud> persoonskaartStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.persoonskaart(BRP_GEMEENTE_PARTIJ_CODE, false),
BrpStapelHelper.his(DATUM_INSCHRIJVING),
BrpStapelHelper.act(1, DATUM_TIJD_REGISTRATIE)));
final BrpStapel<BrpVerstrekkingsbeperkingIndicatieInhoud> beperkingStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.verstrekkingsbeperking(true),
BrpStapelHelper.his(DATUM_INSCHRIJVING),
BrpStapelHelper.act(4, DATUM_TIJD_REGISTRATIE)));
final BrpStapel<BrpPersoonAfgeleidAdministratiefInhoud> afgeleidAdministratiefStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.afgeleid(),
BrpStapelHelper.his(DATUM_INSCHRIJVING),
BrpStapelHelper.act(3, DATUM_TIJD_REGISTRATIE)));
final BrpStapel<BrpVerificatieInhoud> verificatieStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.verificatie(DATUM_VERIFICATIE, VERIFICATIE_OMS, RNI_PARTIJ_CODE),
BrpStapelHelper.his(null, null, 2013_01_01090909L, null),
BrpStapelHelper.act(12, DATUM_VERIFICATIE)));
// Execute
final Lo3Stapel<Lo3InschrijvingInhoud> result =
subject.converteer(
inschrijvingStapel,
persoonskaartStapel,
beperkingStapel,
afgeleidAdministratiefStapel,
verificatieStapel);
final Lo3InschrijvingInhoud.Builder builder =
new Lo3InschrijvingInhoud.Builder(Lo3StapelHelper.lo3Inschrijving(
null,
null,
null,
DATUM_INSCHRIJVING,
"0599",
7,
VERSIENUMMER,
1999_01_010100_00_000L,
false));
builder.setDatumVerificatie(new Lo3Datum(DATUM_VERIFICATIE));
builder.setOmschrijvingVerificatie(new Lo3String(VERIFICATIE_OMS));
final Lo3InschrijvingInhoud expected = builder.build();
// Check
assertNotNull(ASSERT_STAPEL_IS_NOT_NULL, result);
assertFalse(ASSERT_STAPEL_IS_NIET_LEEG, result.isEmpty());
assertNotNull(ASSERT_CATEGORIE_IS_NOT_NULL, result.get(0));
assertEquals(ASSERT_INHOUD_GELIJK, expected, result.get(0).getInhoud());
}
@Test
@Definitie(Definities.DEF058)
@Requirement(Requirements.CCA07_BL05)
public void testBijhoudingOpgeschort() {
// Input
final BrpStapel<BrpBijhoudingInhoud> bijhoudingStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(BrpStapelHelper.bijhouding(
"059901",
BrpBijhoudingsaardCode.INGEZETENE,
BrpNadereBijhoudingsaardCode.OVERLEDEN
), BrpStapelHelper.his(2010_01_01), BrpStapelHelper.act(1, 2010_01_01)));
// Execute
Lo3Stapel<Lo3InschrijvingInhoud> result = subject.converteer(bijhoudingStapel);
result = subject.nabewerking(result, bijhoudingStapel);
// Expectation
final Lo3InschrijvingInhoud expected = Lo3StapelHelper.lo3Inschrijving(null, 2010_01_01, "O", null, null, 0, null, null, false);
// Check
assertNotNull(ASSERT_STAPEL_IS_NOT_NULL, result);
assertFalse(ASSERT_STAPEL_IS_NIET_LEEG, result.isEmpty());
assertNotNull(ASSERT_CATEGORIE_IS_NOT_NULL, result.get(0));
assertEquals(ASSERT_INHOUD_GELIJK, expected, result.get(0).getInhoud());
}
@Test
@Definitie(Definities.DEF058)
@Requirement(Requirements.CCA07_BL05)
public void testVerhuizingNaOverlijden() {
// Input
final BrpStapel<BrpBijhoudingInhoud> bijhoudingStapel =
BrpStapelHelper.stapel(
BrpStapelHelper.groep(BrpStapelHelper.bijhouding(
"059901",
BrpBijhoudingsaardCode.INGEZETENE,
BrpNadereBijhoudingsaardCode.OVERLEDEN
), BrpStapelHelper.his(DATUM_VERIFICATIE), BrpStapelHelper.act(1, DATUM_VERIFICATIE)),
BrpStapelHelper.groep(BrpStapelHelper.bijhouding(
"051801",
BrpBijhoudingsaardCode.INGEZETENE,
BrpNadereBijhoudingsaardCode.OVERLEDEN
), BrpStapelHelper.his(2012_12_31, DATUM_VERIFICATIE, 2012_12_31, null), BrpStapelHelper.act(
1,
2012_12_31)),
BrpStapelHelper.groep(BrpStapelHelper.bijhouding(
"051801",
BrpBijhoudingsaardCode.ONBEKEND,
BrpNadereBijhoudingsaardCode.ONBEKEND
), BrpStapelHelper.his(2010_01_01, 2012_12_31, 2010_01_01, null), BrpStapelHelper.act(
1,
2010_01_01)));
// Execute
Lo3Stapel<Lo3InschrijvingInhoud> result = subject.converteer(bijhoudingStapel);
result = subject.nabewerking(result, bijhoudingStapel);
// Expectation
final Lo3InschrijvingInhoud expected = Lo3StapelHelper.lo3Inschrijving(null, 2012_12_31, "O", null, null, 0, null, null, false);
// Check
assertNotNull(ASSERT_STAPEL_IS_NOT_NULL, result);
assertFalse(ASSERT_STAPEL_IS_NIET_LEEG, result.isEmpty());
assertNotNull(ASSERT_CATEGORIE_IS_NOT_NULL, result.get(0));
assertEquals(ASSERT_INHOUD_GELIJK, expected, result.get(0).getInhoud());
}
@Test
@Definitie(Definities.DEF080)
@Requirement(Requirements.CCA07_BL05)
public void testBijhoudingOpgeschortVOW() {
// Input
final BrpStapel<BrpBijhoudingInhoud> bijhoudingStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(BrpStapelHelper.bijhouding(
"059901",
BrpBijhoudingsaardCode.NIET_INGEZETENE,
BrpNadereBijhoudingsaardCode.VERTROKKEN_ONBEKEND_WAARHEEN
), BrpStapelHelper.his(2010_01_01), BrpStapelHelper.act(1, 2010_01_01)));
// Execute
Lo3Stapel<Lo3InschrijvingInhoud> result = subject.converteer(bijhoudingStapel);
result = subject.nabewerking(result, bijhoudingStapel);
// Expectation
final Lo3InschrijvingInhoud expected = Lo3StapelHelper.lo3Inschrijving(null, 2010_01_01, "E", null, null, 0, null, null, false);
// Check
assertNotNull(ASSERT_STAPEL_IS_NOT_NULL, result);
assertFalse(ASSERT_STAPEL_IS_NIET_LEEG, result.isEmpty());
assertNotNull(ASSERT_CATEGORIE_IS_NOT_NULL, result.get(0));
assertEquals(ASSERT_INHOUD_GELIJK, expected, result.get(0).getInhoud());
}
@Test
@Definitie(Definities.DEF079)
@Requirement(Requirements.CCA07_BL05)
public void testBijhoudingNietOpgeschort() {
// Input
final BrpStapel<BrpBijhoudingInhoud> bijhoudingStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(BrpStapelHelper.bijhouding(
"059901",
BrpBijhoudingsaardCode.INGEZETENE,
BrpNadereBijhoudingsaardCode.ACTUEEL
), BrpStapelHelper.his(2010_01_01), BrpStapelHelper.act(1, 2010_01_01)));
// Execute
final Lo3Stapel<Lo3InschrijvingInhoud> result = subject.converteer(bijhoudingStapel);
// Expectation
final Lo3InschrijvingInhoud expected = Lo3StapelHelper.lo3Inschrijving(null, null, null, null, null, 0, null, null, false);
// Check
assertNotNull(ASSERT_STAPEL_IS_NOT_NULL, result);
assertFalse(ASSERT_STAPEL_IS_NIET_LEEG, result.isEmpty());
assertNotNull(ASSERT_CATEGORIE_IS_NOT_NULL, result.get(0));
assertEquals(ASSERT_INHOUD_GELIJK, expected, result.get(0).getInhoud());
}
}
| EdwinSmink/OperatieBRP | 02 Software/01 Broncode/operatiebrp-code-145.3/migratie/migr-conversie-regels/src/test/java/nl/bzk/migratiebrp/conversie/regels/proces/brpnaarlo3/attributen/BrpInschrijvingConverteerderTest.java | 6,187 | // BRP Inschrijving Inhoud | 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.brpnaarlo3.attributen;
import static org.junit.Assert.assertEquals;
import static org.junit.Assert.assertFalse;
import static org.junit.Assert.assertNotNull;
import static org.junit.Assert.assertNull;
import static org.mockito.Mockito.when;
import java.util.ArrayList;
import java.util.List;
import nl.bzk.migratiebrp.conversie.model.Definitie;
import nl.bzk.migratiebrp.conversie.model.Definities;
import nl.bzk.migratiebrp.conversie.model.Requirement;
import nl.bzk.migratiebrp.conversie.model.Requirements;
import nl.bzk.migratiebrp.conversie.model.brp.BrpStapel;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpBijhoudingsaardCode;
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.attribuut.BrpDatumTijd;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpLong;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpNadereBijhoudingsaardCode;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpPartijCode;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpString;
import nl.bzk.migratiebrp.conversie.model.brp.groep.BrpBijhoudingInhoud;
import nl.bzk.migratiebrp.conversie.model.brp.groep.BrpInschrijvingInhoud;
import nl.bzk.migratiebrp.conversie.model.brp.groep.BrpPersoonAfgeleidAdministratiefInhoud;
import nl.bzk.migratiebrp.conversie.model.brp.groep.BrpPersoonskaartInhoud;
import nl.bzk.migratiebrp.conversie.model.brp.groep.BrpVerificatieInhoud;
import nl.bzk.migratiebrp.conversie.model.brp.groep.BrpVerstrekkingsbeperkingIndicatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.categorie.Lo3InschrijvingInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.codes.Lo3IndicatieGeheimCodeEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3GemeenteCode;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3IndicatieGeheimCode;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Integer;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3RNIDeelnemerCode;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3RedenOpschortingBijhoudingCode;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3String;
import nl.bzk.migratiebrp.conversie.model.proces.brpnaarlo3.BrpStapelHelper;
import nl.bzk.migratiebrp.conversie.model.proces.brpnaarlo3.Lo3StapelHelper;
import org.junit.Before;
import org.junit.Test;
import org.junit.runner.RunWith;
import org.mockito.Mock;
import org.mockito.runners.MockitoJUnitRunner;
@RunWith(MockitoJUnitRunner.class)
public class BrpInschrijvingConverteerderTest {
private static final String ASSERT_INHOUD_GELIJK = "Inhoud niet gelijk";
private static final String ASSERT_STAPEL_IS_NIET_LEEG = "Stapel is leeg";
private static final String VERIFICATIE_OMS = "nieuweVerificatie";
private static final String ASSERT_STAPEL_IS_NOT_NULL = "Stapel is null";
private static final String ASSERT_CATEGORIE_IS_NOT_NULL = "Categorie is null";
private static final String BRP_GEMEENTE_PARTIJ_CODE = "059901";
private static final String LO3_GEMEENTE_CODE = "0599";
private static final String RNI_PARTIJ_CODE = "250001";
private static final int DATUM_VERVALLEN_VERIFICATIE = 2011_01_01;
private static final int DATUM_OUDE_VERIFICATIE = 2010_01_01;
private static final int DATUM_VERIFICATIE = 2013_01_01;
private static final int DATUM_INSCHRIJVING = 1994_01_01;
private static final int VERSIENUMMER = 1042;
private static final long DATUMTIJDSTEMPEL = 1999_01_01_01_00_00L;
private static final int DATUM_TIJD_REGISTRATIE = 1994_01_02;
@Mock
private BrpAttribuutConverteerder attribuutConverteerder;
private BrpInschrijvingConverteerder subject;
@Before
public void setUp() {
subject = new BrpInschrijvingConverteerder(attribuutConverteerder);
// BRP Persoonskaart Inhoud
when(attribuutConverteerder.converteerGemeenteCode(new BrpPartijCode(BRP_GEMEENTE_PARTIJ_CODE))).thenReturn(new Lo3GemeenteCode(LO3_GEMEENTE_CODE));
when(attribuutConverteerder.converteerIndicatiePKVolledigGeconverteerd(new BrpBoolean(false))).thenReturn(null);
// BRP Verstrekkingsbeperking Inhoud
when(attribuutConverteerder.converteerIndicatieGeheim(new BrpBoolean(true))).thenReturn(new Lo3IndicatieGeheimCode(
Lo3IndicatieGeheimCodeEnum.NIET_TER_UITVOERING_VAN_VOORSCHRIFT_EN_NIET_AAN_VRIJE_DERDEN_EN_NIET_AAN_KERKEN.getCode()));
when(attribuutConverteerder.converteerIndicatieGeheim(new BrpBoolean(false))).thenReturn(new Lo3IndicatieGeheimCode(
Lo3IndicatieGeheimCodeEnum.GEEN_BEPERKING.getCode()));
// BRP Verificatie Inhoud
when(attribuutConverteerder.converteerDatum(new BrpDatum(DATUM_VERIFICATIE, null))).thenReturn(new Lo3Datum(DATUM_VERIFICATIE));
when(attribuutConverteerder.converteerString(new BrpString(VERIFICATIE_OMS))).thenReturn(new Lo3String(VERIFICATIE_OMS));
when(attribuutConverteerder.converteerRNIDeelnemer(new BrpPartijCode(RNI_PARTIJ_CODE))).thenReturn(new Lo3RNIDeelnemerCode("0101"));
// BRP Inschrijving<SUF>
when(attribuutConverteerder.converteerDatum(new BrpDatum(DATUM_INSCHRIJVING, null))).thenReturn(new Lo3Datum(DATUM_INSCHRIJVING));
when(attribuutConverteerder.converteerVersienummer(new BrpLong((long) VERSIENUMMER))).thenReturn(new Lo3Integer(VERSIENUMMER));
final BrpDatumTijd brpDatumTijd = BrpDatumTijd.fromDatumTijd(DATUMTIJDSTEMPEL, null);
when(attribuutConverteerder.converteerDatumtijdstempel(brpDatumTijd)).thenReturn(brpDatumTijd.converteerNaarLo3Datumtijdstempel());
// BRP Bijhouding Inhoud
when(attribuutConverteerder.converteerRedenOpschortingBijhouding(BrpNadereBijhoudingsaardCode.OVERLEDEN))
.thenReturn(new Lo3RedenOpschortingBijhoudingCode("O"));
}
@Test
public void test() {
final BrpStapel<BrpInschrijvingInhoud> inschrijvingStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.inschrijving(DATUM_INSCHRIJVING, VERSIENUMMER, DATUMTIJDSTEMPEL),
BrpStapelHelper.his(DATUM_INSCHRIJVING),
BrpStapelHelper.act(9, DATUM_TIJD_REGISTRATIE)));
final BrpStapel<BrpPersoonskaartInhoud> persoonskaartStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.persoonskaart(BRP_GEMEENTE_PARTIJ_CODE, false),
BrpStapelHelper.his(DATUM_INSCHRIJVING),
BrpStapelHelper.act(1, DATUM_TIJD_REGISTRATIE)));
final BrpStapel<BrpVerstrekkingsbeperkingIndicatieInhoud> beperkingStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.verstrekkingsbeperking(true),
BrpStapelHelper.his(DATUM_INSCHRIJVING),
BrpStapelHelper.act(4, DATUM_TIJD_REGISTRATIE)));
final BrpStapel<BrpPersoonAfgeleidAdministratiefInhoud> afgeleidAdministratiefStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.afgeleid(),
BrpStapelHelper.his(DATUM_INSCHRIJVING),
BrpStapelHelper.act(3, DATUM_TIJD_REGISTRATIE)));
// Execute
final Lo3Stapel<Lo3InschrijvingInhoud> result =
subject.converteer(inschrijvingStapel, persoonskaartStapel, beperkingStapel, afgeleidAdministratiefStapel);
// Expectation
// cat(inhoud, historie, documentatie)
// his(ingangsdatumGeldigheid)
// akt(id)
final Lo3InschrijvingInhoud expected =
Lo3StapelHelper.lo3Inschrijving(null, null, null, DATUM_INSCHRIJVING, LO3_GEMEENTE_CODE, 7, VERSIENUMMER, 1999_01_010100_00_000L, false);
// Check
assertNotNull(ASSERT_STAPEL_IS_NOT_NULL, result);
assertFalse(ASSERT_STAPEL_IS_NIET_LEEG, result.isEmpty());
assertNotNull(ASSERT_CATEGORIE_IS_NOT_NULL, result.get(0));
assertEquals(ASSERT_INHOUD_GELIJK, expected, result.get(0).getInhoud());
}
@Test
public void testBepaalVerificatieStapel() {
final List<BrpStapel<BrpVerificatieInhoud>> stapels = new ArrayList<>();
stapels.add(BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.verificatie(DATUM_VERVALLEN_VERIFICATIE, "vervallenVerificatie", RNI_PARTIJ_CODE),
BrpStapelHelper.his(null, null, 2011_01_01090909L, 2012_01_01090909L),
BrpStapelHelper.act(10, DATUM_VERVALLEN_VERIFICATIE),
BrpStapelHelper.act(11, 2012_01_01))));
assertNull(subject.bepaalVerificatieStapel(stapels));
stapels.add(BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.verificatie(DATUM_OUDE_VERIFICATIE, "oudeVerificatie", RNI_PARTIJ_CODE),
BrpStapelHelper.his(null, null, 2010_01_01090909L, null),
BrpStapelHelper.act(9, DATUM_OUDE_VERIFICATIE))));
assertNotNull(subject.bepaalVerificatieStapel(stapels));
assertEquals(new BrpString("oudeVerificatie"), subject.bepaalVerificatieStapel(stapels).getActueel().getInhoud().getSoort());
stapels.add(BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.verificatie(DATUM_VERIFICATIE, VERIFICATIE_OMS, RNI_PARTIJ_CODE),
BrpStapelHelper.his(null, null, 2013_01_01090909L, null),
BrpStapelHelper.act(12, DATUM_VERIFICATIE))));
assertNotNull(subject.bepaalVerificatieStapel(stapels));
assertEquals(new BrpString(VERIFICATIE_OMS), subject.bepaalVerificatieStapel(stapels).getActueel().getInhoud().getSoort());
}
@Test
public void testConverteerVerificatie() {
final BrpStapel<BrpInschrijvingInhoud> inschrijvingStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.inschrijving(DATUM_INSCHRIJVING, VERSIENUMMER, DATUMTIJDSTEMPEL),
BrpStapelHelper.his(DATUM_INSCHRIJVING),
BrpStapelHelper.act(9, DATUM_TIJD_REGISTRATIE)));
final BrpStapel<BrpPersoonskaartInhoud> persoonskaartStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.persoonskaart(BRP_GEMEENTE_PARTIJ_CODE, false),
BrpStapelHelper.his(DATUM_INSCHRIJVING),
BrpStapelHelper.act(1, DATUM_TIJD_REGISTRATIE)));
final BrpStapel<BrpVerstrekkingsbeperkingIndicatieInhoud> beperkingStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.verstrekkingsbeperking(true),
BrpStapelHelper.his(DATUM_INSCHRIJVING),
BrpStapelHelper.act(4, DATUM_TIJD_REGISTRATIE)));
final BrpStapel<BrpPersoonAfgeleidAdministratiefInhoud> afgeleidAdministratiefStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.afgeleid(),
BrpStapelHelper.his(DATUM_INSCHRIJVING),
BrpStapelHelper.act(3, DATUM_TIJD_REGISTRATIE)));
final BrpStapel<BrpVerificatieInhoud> verificatieStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.verificatie(DATUM_VERIFICATIE, VERIFICATIE_OMS, RNI_PARTIJ_CODE),
BrpStapelHelper.his(null, null, 2013_01_01090909L, null),
BrpStapelHelper.act(12, DATUM_VERIFICATIE)));
// Execute
final Lo3Stapel<Lo3InschrijvingInhoud> result =
subject.converteer(
inschrijvingStapel,
persoonskaartStapel,
beperkingStapel,
afgeleidAdministratiefStapel,
verificatieStapel);
final Lo3InschrijvingInhoud.Builder builder =
new Lo3InschrijvingInhoud.Builder(Lo3StapelHelper.lo3Inschrijving(
null,
null,
null,
DATUM_INSCHRIJVING,
"0599",
7,
VERSIENUMMER,
1999_01_010100_00_000L,
false));
builder.setDatumVerificatie(new Lo3Datum(DATUM_VERIFICATIE));
builder.setOmschrijvingVerificatie(new Lo3String(VERIFICATIE_OMS));
final Lo3InschrijvingInhoud expected = builder.build();
// Check
assertNotNull(ASSERT_STAPEL_IS_NOT_NULL, result);
assertFalse(ASSERT_STAPEL_IS_NIET_LEEG, result.isEmpty());
assertNotNull(ASSERT_CATEGORIE_IS_NOT_NULL, result.get(0));
assertEquals(ASSERT_INHOUD_GELIJK, expected, result.get(0).getInhoud());
}
@Test
@Definitie(Definities.DEF058)
@Requirement(Requirements.CCA07_BL05)
public void testBijhoudingOpgeschort() {
// Input
final BrpStapel<BrpBijhoudingInhoud> bijhoudingStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(BrpStapelHelper.bijhouding(
"059901",
BrpBijhoudingsaardCode.INGEZETENE,
BrpNadereBijhoudingsaardCode.OVERLEDEN
), BrpStapelHelper.his(2010_01_01), BrpStapelHelper.act(1, 2010_01_01)));
// Execute
Lo3Stapel<Lo3InschrijvingInhoud> result = subject.converteer(bijhoudingStapel);
result = subject.nabewerking(result, bijhoudingStapel);
// Expectation
final Lo3InschrijvingInhoud expected = Lo3StapelHelper.lo3Inschrijving(null, 2010_01_01, "O", null, null, 0, null, null, false);
// Check
assertNotNull(ASSERT_STAPEL_IS_NOT_NULL, result);
assertFalse(ASSERT_STAPEL_IS_NIET_LEEG, result.isEmpty());
assertNotNull(ASSERT_CATEGORIE_IS_NOT_NULL, result.get(0));
assertEquals(ASSERT_INHOUD_GELIJK, expected, result.get(0).getInhoud());
}
@Test
@Definitie(Definities.DEF058)
@Requirement(Requirements.CCA07_BL05)
public void testVerhuizingNaOverlijden() {
// Input
final BrpStapel<BrpBijhoudingInhoud> bijhoudingStapel =
BrpStapelHelper.stapel(
BrpStapelHelper.groep(BrpStapelHelper.bijhouding(
"059901",
BrpBijhoudingsaardCode.INGEZETENE,
BrpNadereBijhoudingsaardCode.OVERLEDEN
), BrpStapelHelper.his(DATUM_VERIFICATIE), BrpStapelHelper.act(1, DATUM_VERIFICATIE)),
BrpStapelHelper.groep(BrpStapelHelper.bijhouding(
"051801",
BrpBijhoudingsaardCode.INGEZETENE,
BrpNadereBijhoudingsaardCode.OVERLEDEN
), BrpStapelHelper.his(2012_12_31, DATUM_VERIFICATIE, 2012_12_31, null), BrpStapelHelper.act(
1,
2012_12_31)),
BrpStapelHelper.groep(BrpStapelHelper.bijhouding(
"051801",
BrpBijhoudingsaardCode.ONBEKEND,
BrpNadereBijhoudingsaardCode.ONBEKEND
), BrpStapelHelper.his(2010_01_01, 2012_12_31, 2010_01_01, null), BrpStapelHelper.act(
1,
2010_01_01)));
// Execute
Lo3Stapel<Lo3InschrijvingInhoud> result = subject.converteer(bijhoudingStapel);
result = subject.nabewerking(result, bijhoudingStapel);
// Expectation
final Lo3InschrijvingInhoud expected = Lo3StapelHelper.lo3Inschrijving(null, 2012_12_31, "O", null, null, 0, null, null, false);
// Check
assertNotNull(ASSERT_STAPEL_IS_NOT_NULL, result);
assertFalse(ASSERT_STAPEL_IS_NIET_LEEG, result.isEmpty());
assertNotNull(ASSERT_CATEGORIE_IS_NOT_NULL, result.get(0));
assertEquals(ASSERT_INHOUD_GELIJK, expected, result.get(0).getInhoud());
}
@Test
@Definitie(Definities.DEF080)
@Requirement(Requirements.CCA07_BL05)
public void testBijhoudingOpgeschortVOW() {
// Input
final BrpStapel<BrpBijhoudingInhoud> bijhoudingStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(BrpStapelHelper.bijhouding(
"059901",
BrpBijhoudingsaardCode.NIET_INGEZETENE,
BrpNadereBijhoudingsaardCode.VERTROKKEN_ONBEKEND_WAARHEEN
), BrpStapelHelper.his(2010_01_01), BrpStapelHelper.act(1, 2010_01_01)));
// Execute
Lo3Stapel<Lo3InschrijvingInhoud> result = subject.converteer(bijhoudingStapel);
result = subject.nabewerking(result, bijhoudingStapel);
// Expectation
final Lo3InschrijvingInhoud expected = Lo3StapelHelper.lo3Inschrijving(null, 2010_01_01, "E", null, null, 0, null, null, false);
// Check
assertNotNull(ASSERT_STAPEL_IS_NOT_NULL, result);
assertFalse(ASSERT_STAPEL_IS_NIET_LEEG, result.isEmpty());
assertNotNull(ASSERT_CATEGORIE_IS_NOT_NULL, result.get(0));
assertEquals(ASSERT_INHOUD_GELIJK, expected, result.get(0).getInhoud());
}
@Test
@Definitie(Definities.DEF079)
@Requirement(Requirements.CCA07_BL05)
public void testBijhoudingNietOpgeschort() {
// Input
final BrpStapel<BrpBijhoudingInhoud> bijhoudingStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(BrpStapelHelper.bijhouding(
"059901",
BrpBijhoudingsaardCode.INGEZETENE,
BrpNadereBijhoudingsaardCode.ACTUEEL
), BrpStapelHelper.his(2010_01_01), BrpStapelHelper.act(1, 2010_01_01)));
// Execute
final Lo3Stapel<Lo3InschrijvingInhoud> result = subject.converteer(bijhoudingStapel);
// Expectation
final Lo3InschrijvingInhoud expected = Lo3StapelHelper.lo3Inschrijving(null, null, null, null, null, 0, null, null, false);
// Check
assertNotNull(ASSERT_STAPEL_IS_NOT_NULL, result);
assertFalse(ASSERT_STAPEL_IS_NIET_LEEG, result.isEmpty());
assertNotNull(ASSERT_CATEGORIE_IS_NOT_NULL, result.get(0));
assertEquals(ASSERT_INHOUD_GELIJK, expected, result.get(0).getInhoud());
}
}
|
211674_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.brpnaarlo3.attributen;
import static org.junit.Assert.assertEquals;
import static org.junit.Assert.assertFalse;
import static org.junit.Assert.assertNotNull;
import static org.junit.Assert.assertNull;
import static org.mockito.Mockito.when;
import java.util.ArrayList;
import java.util.List;
import nl.bzk.migratiebrp.conversie.model.Definitie;
import nl.bzk.migratiebrp.conversie.model.Definities;
import nl.bzk.migratiebrp.conversie.model.Requirement;
import nl.bzk.migratiebrp.conversie.model.Requirements;
import nl.bzk.migratiebrp.conversie.model.brp.BrpStapel;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpBijhoudingsaardCode;
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.attribuut.BrpDatumTijd;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpLong;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpNadereBijhoudingsaardCode;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpPartijCode;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpString;
import nl.bzk.migratiebrp.conversie.model.brp.groep.BrpBijhoudingInhoud;
import nl.bzk.migratiebrp.conversie.model.brp.groep.BrpInschrijvingInhoud;
import nl.bzk.migratiebrp.conversie.model.brp.groep.BrpPersoonAfgeleidAdministratiefInhoud;
import nl.bzk.migratiebrp.conversie.model.brp.groep.BrpPersoonskaartInhoud;
import nl.bzk.migratiebrp.conversie.model.brp.groep.BrpVerificatieInhoud;
import nl.bzk.migratiebrp.conversie.model.brp.groep.BrpVerstrekkingsbeperkingIndicatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.categorie.Lo3InschrijvingInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.codes.Lo3IndicatieGeheimCodeEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3GemeenteCode;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3IndicatieGeheimCode;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Integer;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3RNIDeelnemerCode;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3RedenOpschortingBijhoudingCode;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3String;
import nl.bzk.migratiebrp.conversie.model.proces.brpnaarlo3.BrpStapelHelper;
import nl.bzk.migratiebrp.conversie.model.proces.brpnaarlo3.Lo3StapelHelper;
import org.junit.Before;
import org.junit.Test;
import org.junit.runner.RunWith;
import org.mockito.Mock;
import org.mockito.runners.MockitoJUnitRunner;
@RunWith(MockitoJUnitRunner.class)
public class BrpInschrijvingConverteerderTest {
private static final String ASSERT_INHOUD_GELIJK = "Inhoud niet gelijk";
private static final String ASSERT_STAPEL_IS_NIET_LEEG = "Stapel is leeg";
private static final String VERIFICATIE_OMS = "nieuweVerificatie";
private static final String ASSERT_STAPEL_IS_NOT_NULL = "Stapel is null";
private static final String ASSERT_CATEGORIE_IS_NOT_NULL = "Categorie is null";
private static final String BRP_GEMEENTE_PARTIJ_CODE = "059901";
private static final String LO3_GEMEENTE_CODE = "0599";
private static final String RNI_PARTIJ_CODE = "250001";
private static final int DATUM_VERVALLEN_VERIFICATIE = 2011_01_01;
private static final int DATUM_OUDE_VERIFICATIE = 2010_01_01;
private static final int DATUM_VERIFICATIE = 2013_01_01;
private static final int DATUM_INSCHRIJVING = 1994_01_01;
private static final int VERSIENUMMER = 1042;
private static final long DATUMTIJDSTEMPEL = 1999_01_01_01_00_00L;
private static final int DATUM_TIJD_REGISTRATIE = 1994_01_02;
@Mock
private BrpAttribuutConverteerder attribuutConverteerder;
private BrpInschrijvingConverteerder subject;
@Before
public void setUp() {
subject = new BrpInschrijvingConverteerder(attribuutConverteerder);
// BRP Persoonskaart Inhoud
when(attribuutConverteerder.converteerGemeenteCode(new BrpPartijCode(BRP_GEMEENTE_PARTIJ_CODE))).thenReturn(new Lo3GemeenteCode(LO3_GEMEENTE_CODE));
when(attribuutConverteerder.converteerIndicatiePKVolledigGeconverteerd(new BrpBoolean(false))).thenReturn(null);
// BRP Verstrekkingsbeperking Inhoud
when(attribuutConverteerder.converteerIndicatieGeheim(new BrpBoolean(true))).thenReturn(new Lo3IndicatieGeheimCode(
Lo3IndicatieGeheimCodeEnum.NIET_TER_UITVOERING_VAN_VOORSCHRIFT_EN_NIET_AAN_VRIJE_DERDEN_EN_NIET_AAN_KERKEN.getCode()));
when(attribuutConverteerder.converteerIndicatieGeheim(new BrpBoolean(false))).thenReturn(new Lo3IndicatieGeheimCode(
Lo3IndicatieGeheimCodeEnum.GEEN_BEPERKING.getCode()));
// BRP Verificatie Inhoud
when(attribuutConverteerder.converteerDatum(new BrpDatum(DATUM_VERIFICATIE, null))).thenReturn(new Lo3Datum(DATUM_VERIFICATIE));
when(attribuutConverteerder.converteerString(new BrpString(VERIFICATIE_OMS))).thenReturn(new Lo3String(VERIFICATIE_OMS));
when(attribuutConverteerder.converteerRNIDeelnemer(new BrpPartijCode(RNI_PARTIJ_CODE))).thenReturn(new Lo3RNIDeelnemerCode("0101"));
// BRP Inschrijving Inhoud
when(attribuutConverteerder.converteerDatum(new BrpDatum(DATUM_INSCHRIJVING, null))).thenReturn(new Lo3Datum(DATUM_INSCHRIJVING));
when(attribuutConverteerder.converteerVersienummer(new BrpLong((long) VERSIENUMMER))).thenReturn(new Lo3Integer(VERSIENUMMER));
final BrpDatumTijd brpDatumTijd = BrpDatumTijd.fromDatumTijd(DATUMTIJDSTEMPEL, null);
when(attribuutConverteerder.converteerDatumtijdstempel(brpDatumTijd)).thenReturn(brpDatumTijd.converteerNaarLo3Datumtijdstempel());
// BRP Bijhouding Inhoud
when(attribuutConverteerder.converteerRedenOpschortingBijhouding(BrpNadereBijhoudingsaardCode.OVERLEDEN))
.thenReturn(new Lo3RedenOpschortingBijhoudingCode("O"));
}
@Test
public void test() {
final BrpStapel<BrpInschrijvingInhoud> inschrijvingStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.inschrijving(DATUM_INSCHRIJVING, VERSIENUMMER, DATUMTIJDSTEMPEL),
BrpStapelHelper.his(DATUM_INSCHRIJVING),
BrpStapelHelper.act(9, DATUM_TIJD_REGISTRATIE)));
final BrpStapel<BrpPersoonskaartInhoud> persoonskaartStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.persoonskaart(BRP_GEMEENTE_PARTIJ_CODE, false),
BrpStapelHelper.his(DATUM_INSCHRIJVING),
BrpStapelHelper.act(1, DATUM_TIJD_REGISTRATIE)));
final BrpStapel<BrpVerstrekkingsbeperkingIndicatieInhoud> beperkingStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.verstrekkingsbeperking(true),
BrpStapelHelper.his(DATUM_INSCHRIJVING),
BrpStapelHelper.act(4, DATUM_TIJD_REGISTRATIE)));
final BrpStapel<BrpPersoonAfgeleidAdministratiefInhoud> afgeleidAdministratiefStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.afgeleid(),
BrpStapelHelper.his(DATUM_INSCHRIJVING),
BrpStapelHelper.act(3, DATUM_TIJD_REGISTRATIE)));
// Execute
final Lo3Stapel<Lo3InschrijvingInhoud> result =
subject.converteer(inschrijvingStapel, persoonskaartStapel, beperkingStapel, afgeleidAdministratiefStapel);
// Expectation
// cat(inhoud, historie, documentatie)
// his(ingangsdatumGeldigheid)
// akt(id)
final Lo3InschrijvingInhoud expected =
Lo3StapelHelper.lo3Inschrijving(null, null, null, DATUM_INSCHRIJVING, LO3_GEMEENTE_CODE, 7, VERSIENUMMER, 1999_01_010100_00_000L, false);
// Check
assertNotNull(ASSERT_STAPEL_IS_NOT_NULL, result);
assertFalse(ASSERT_STAPEL_IS_NIET_LEEG, result.isEmpty());
assertNotNull(ASSERT_CATEGORIE_IS_NOT_NULL, result.get(0));
assertEquals(ASSERT_INHOUD_GELIJK, expected, result.get(0).getInhoud());
}
@Test
public void testBepaalVerificatieStapel() {
final List<BrpStapel<BrpVerificatieInhoud>> stapels = new ArrayList<>();
stapels.add(BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.verificatie(DATUM_VERVALLEN_VERIFICATIE, "vervallenVerificatie", RNI_PARTIJ_CODE),
BrpStapelHelper.his(null, null, 2011_01_01090909L, 2012_01_01090909L),
BrpStapelHelper.act(10, DATUM_VERVALLEN_VERIFICATIE),
BrpStapelHelper.act(11, 2012_01_01))));
assertNull(subject.bepaalVerificatieStapel(stapels));
stapels.add(BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.verificatie(DATUM_OUDE_VERIFICATIE, "oudeVerificatie", RNI_PARTIJ_CODE),
BrpStapelHelper.his(null, null, 2010_01_01090909L, null),
BrpStapelHelper.act(9, DATUM_OUDE_VERIFICATIE))));
assertNotNull(subject.bepaalVerificatieStapel(stapels));
assertEquals(new BrpString("oudeVerificatie"), subject.bepaalVerificatieStapel(stapels).getActueel().getInhoud().getSoort());
stapels.add(BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.verificatie(DATUM_VERIFICATIE, VERIFICATIE_OMS, RNI_PARTIJ_CODE),
BrpStapelHelper.his(null, null, 2013_01_01090909L, null),
BrpStapelHelper.act(12, DATUM_VERIFICATIE))));
assertNotNull(subject.bepaalVerificatieStapel(stapels));
assertEquals(new BrpString(VERIFICATIE_OMS), subject.bepaalVerificatieStapel(stapels).getActueel().getInhoud().getSoort());
}
@Test
public void testConverteerVerificatie() {
final BrpStapel<BrpInschrijvingInhoud> inschrijvingStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.inschrijving(DATUM_INSCHRIJVING, VERSIENUMMER, DATUMTIJDSTEMPEL),
BrpStapelHelper.his(DATUM_INSCHRIJVING),
BrpStapelHelper.act(9, DATUM_TIJD_REGISTRATIE)));
final BrpStapel<BrpPersoonskaartInhoud> persoonskaartStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.persoonskaart(BRP_GEMEENTE_PARTIJ_CODE, false),
BrpStapelHelper.his(DATUM_INSCHRIJVING),
BrpStapelHelper.act(1, DATUM_TIJD_REGISTRATIE)));
final BrpStapel<BrpVerstrekkingsbeperkingIndicatieInhoud> beperkingStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.verstrekkingsbeperking(true),
BrpStapelHelper.his(DATUM_INSCHRIJVING),
BrpStapelHelper.act(4, DATUM_TIJD_REGISTRATIE)));
final BrpStapel<BrpPersoonAfgeleidAdministratiefInhoud> afgeleidAdministratiefStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.afgeleid(),
BrpStapelHelper.his(DATUM_INSCHRIJVING),
BrpStapelHelper.act(3, DATUM_TIJD_REGISTRATIE)));
final BrpStapel<BrpVerificatieInhoud> verificatieStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.verificatie(DATUM_VERIFICATIE, VERIFICATIE_OMS, RNI_PARTIJ_CODE),
BrpStapelHelper.his(null, null, 2013_01_01090909L, null),
BrpStapelHelper.act(12, DATUM_VERIFICATIE)));
// Execute
final Lo3Stapel<Lo3InschrijvingInhoud> result =
subject.converteer(
inschrijvingStapel,
persoonskaartStapel,
beperkingStapel,
afgeleidAdministratiefStapel,
verificatieStapel);
final Lo3InschrijvingInhoud.Builder builder =
new Lo3InschrijvingInhoud.Builder(Lo3StapelHelper.lo3Inschrijving(
null,
null,
null,
DATUM_INSCHRIJVING,
"0599",
7,
VERSIENUMMER,
1999_01_010100_00_000L,
false));
builder.setDatumVerificatie(new Lo3Datum(DATUM_VERIFICATIE));
builder.setOmschrijvingVerificatie(new Lo3String(VERIFICATIE_OMS));
final Lo3InschrijvingInhoud expected = builder.build();
// Check
assertNotNull(ASSERT_STAPEL_IS_NOT_NULL, result);
assertFalse(ASSERT_STAPEL_IS_NIET_LEEG, result.isEmpty());
assertNotNull(ASSERT_CATEGORIE_IS_NOT_NULL, result.get(0));
assertEquals(ASSERT_INHOUD_GELIJK, expected, result.get(0).getInhoud());
}
@Test
@Definitie(Definities.DEF058)
@Requirement(Requirements.CCA07_BL05)
public void testBijhoudingOpgeschort() {
// Input
final BrpStapel<BrpBijhoudingInhoud> bijhoudingStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(BrpStapelHelper.bijhouding(
"059901",
BrpBijhoudingsaardCode.INGEZETENE,
BrpNadereBijhoudingsaardCode.OVERLEDEN
), BrpStapelHelper.his(2010_01_01), BrpStapelHelper.act(1, 2010_01_01)));
// Execute
Lo3Stapel<Lo3InschrijvingInhoud> result = subject.converteer(bijhoudingStapel);
result = subject.nabewerking(result, bijhoudingStapel);
// Expectation
final Lo3InschrijvingInhoud expected = Lo3StapelHelper.lo3Inschrijving(null, 2010_01_01, "O", null, null, 0, null, null, false);
// Check
assertNotNull(ASSERT_STAPEL_IS_NOT_NULL, result);
assertFalse(ASSERT_STAPEL_IS_NIET_LEEG, result.isEmpty());
assertNotNull(ASSERT_CATEGORIE_IS_NOT_NULL, result.get(0));
assertEquals(ASSERT_INHOUD_GELIJK, expected, result.get(0).getInhoud());
}
@Test
@Definitie(Definities.DEF058)
@Requirement(Requirements.CCA07_BL05)
public void testVerhuizingNaOverlijden() {
// Input
final BrpStapel<BrpBijhoudingInhoud> bijhoudingStapel =
BrpStapelHelper.stapel(
BrpStapelHelper.groep(BrpStapelHelper.bijhouding(
"059901",
BrpBijhoudingsaardCode.INGEZETENE,
BrpNadereBijhoudingsaardCode.OVERLEDEN
), BrpStapelHelper.his(DATUM_VERIFICATIE), BrpStapelHelper.act(1, DATUM_VERIFICATIE)),
BrpStapelHelper.groep(BrpStapelHelper.bijhouding(
"051801",
BrpBijhoudingsaardCode.INGEZETENE,
BrpNadereBijhoudingsaardCode.OVERLEDEN
), BrpStapelHelper.his(2012_12_31, DATUM_VERIFICATIE, 2012_12_31, null), BrpStapelHelper.act(
1,
2012_12_31)),
BrpStapelHelper.groep(BrpStapelHelper.bijhouding(
"051801",
BrpBijhoudingsaardCode.ONBEKEND,
BrpNadereBijhoudingsaardCode.ONBEKEND
), BrpStapelHelper.his(2010_01_01, 2012_12_31, 2010_01_01, null), BrpStapelHelper.act(
1,
2010_01_01)));
// Execute
Lo3Stapel<Lo3InschrijvingInhoud> result = subject.converteer(bijhoudingStapel);
result = subject.nabewerking(result, bijhoudingStapel);
// Expectation
final Lo3InschrijvingInhoud expected = Lo3StapelHelper.lo3Inschrijving(null, 2012_12_31, "O", null, null, 0, null, null, false);
// Check
assertNotNull(ASSERT_STAPEL_IS_NOT_NULL, result);
assertFalse(ASSERT_STAPEL_IS_NIET_LEEG, result.isEmpty());
assertNotNull(ASSERT_CATEGORIE_IS_NOT_NULL, result.get(0));
assertEquals(ASSERT_INHOUD_GELIJK, expected, result.get(0).getInhoud());
}
@Test
@Definitie(Definities.DEF080)
@Requirement(Requirements.CCA07_BL05)
public void testBijhoudingOpgeschortVOW() {
// Input
final BrpStapel<BrpBijhoudingInhoud> bijhoudingStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(BrpStapelHelper.bijhouding(
"059901",
BrpBijhoudingsaardCode.NIET_INGEZETENE,
BrpNadereBijhoudingsaardCode.VERTROKKEN_ONBEKEND_WAARHEEN
), BrpStapelHelper.his(2010_01_01), BrpStapelHelper.act(1, 2010_01_01)));
// Execute
Lo3Stapel<Lo3InschrijvingInhoud> result = subject.converteer(bijhoudingStapel);
result = subject.nabewerking(result, bijhoudingStapel);
// Expectation
final Lo3InschrijvingInhoud expected = Lo3StapelHelper.lo3Inschrijving(null, 2010_01_01, "E", null, null, 0, null, null, false);
// Check
assertNotNull(ASSERT_STAPEL_IS_NOT_NULL, result);
assertFalse(ASSERT_STAPEL_IS_NIET_LEEG, result.isEmpty());
assertNotNull(ASSERT_CATEGORIE_IS_NOT_NULL, result.get(0));
assertEquals(ASSERT_INHOUD_GELIJK, expected, result.get(0).getInhoud());
}
@Test
@Definitie(Definities.DEF079)
@Requirement(Requirements.CCA07_BL05)
public void testBijhoudingNietOpgeschort() {
// Input
final BrpStapel<BrpBijhoudingInhoud> bijhoudingStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(BrpStapelHelper.bijhouding(
"059901",
BrpBijhoudingsaardCode.INGEZETENE,
BrpNadereBijhoudingsaardCode.ACTUEEL
), BrpStapelHelper.his(2010_01_01), BrpStapelHelper.act(1, 2010_01_01)));
// Execute
final Lo3Stapel<Lo3InschrijvingInhoud> result = subject.converteer(bijhoudingStapel);
// Expectation
final Lo3InschrijvingInhoud expected = Lo3StapelHelper.lo3Inschrijving(null, null, null, null, null, 0, null, null, false);
// Check
assertNotNull(ASSERT_STAPEL_IS_NOT_NULL, result);
assertFalse(ASSERT_STAPEL_IS_NIET_LEEG, result.isEmpty());
assertNotNull(ASSERT_CATEGORIE_IS_NOT_NULL, result.get(0));
assertEquals(ASSERT_INHOUD_GELIJK, expected, result.get(0).getInhoud());
}
}
| EdwinSmink/OperatieBRP | 02 Software/01 Broncode/operatiebrp-code-145.3/migratie/migr-conversie-regels/src/test/java/nl/bzk/migratiebrp/conversie/regels/proces/brpnaarlo3/attributen/BrpInschrijvingConverteerderTest.java | 6,187 | // BRP Bijhouding Inhoud | 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.brpnaarlo3.attributen;
import static org.junit.Assert.assertEquals;
import static org.junit.Assert.assertFalse;
import static org.junit.Assert.assertNotNull;
import static org.junit.Assert.assertNull;
import static org.mockito.Mockito.when;
import java.util.ArrayList;
import java.util.List;
import nl.bzk.migratiebrp.conversie.model.Definitie;
import nl.bzk.migratiebrp.conversie.model.Definities;
import nl.bzk.migratiebrp.conversie.model.Requirement;
import nl.bzk.migratiebrp.conversie.model.Requirements;
import nl.bzk.migratiebrp.conversie.model.brp.BrpStapel;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpBijhoudingsaardCode;
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.attribuut.BrpDatumTijd;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpLong;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpNadereBijhoudingsaardCode;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpPartijCode;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpString;
import nl.bzk.migratiebrp.conversie.model.brp.groep.BrpBijhoudingInhoud;
import nl.bzk.migratiebrp.conversie.model.brp.groep.BrpInschrijvingInhoud;
import nl.bzk.migratiebrp.conversie.model.brp.groep.BrpPersoonAfgeleidAdministratiefInhoud;
import nl.bzk.migratiebrp.conversie.model.brp.groep.BrpPersoonskaartInhoud;
import nl.bzk.migratiebrp.conversie.model.brp.groep.BrpVerificatieInhoud;
import nl.bzk.migratiebrp.conversie.model.brp.groep.BrpVerstrekkingsbeperkingIndicatieInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Stapel;
import nl.bzk.migratiebrp.conversie.model.lo3.categorie.Lo3InschrijvingInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.codes.Lo3IndicatieGeheimCodeEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Datum;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3GemeenteCode;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3IndicatieGeheimCode;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3Integer;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3RNIDeelnemerCode;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3RedenOpschortingBijhoudingCode;
import nl.bzk.migratiebrp.conversie.model.lo3.element.Lo3String;
import nl.bzk.migratiebrp.conversie.model.proces.brpnaarlo3.BrpStapelHelper;
import nl.bzk.migratiebrp.conversie.model.proces.brpnaarlo3.Lo3StapelHelper;
import org.junit.Before;
import org.junit.Test;
import org.junit.runner.RunWith;
import org.mockito.Mock;
import org.mockito.runners.MockitoJUnitRunner;
@RunWith(MockitoJUnitRunner.class)
public class BrpInschrijvingConverteerderTest {
private static final String ASSERT_INHOUD_GELIJK = "Inhoud niet gelijk";
private static final String ASSERT_STAPEL_IS_NIET_LEEG = "Stapel is leeg";
private static final String VERIFICATIE_OMS = "nieuweVerificatie";
private static final String ASSERT_STAPEL_IS_NOT_NULL = "Stapel is null";
private static final String ASSERT_CATEGORIE_IS_NOT_NULL = "Categorie is null";
private static final String BRP_GEMEENTE_PARTIJ_CODE = "059901";
private static final String LO3_GEMEENTE_CODE = "0599";
private static final String RNI_PARTIJ_CODE = "250001";
private static final int DATUM_VERVALLEN_VERIFICATIE = 2011_01_01;
private static final int DATUM_OUDE_VERIFICATIE = 2010_01_01;
private static final int DATUM_VERIFICATIE = 2013_01_01;
private static final int DATUM_INSCHRIJVING = 1994_01_01;
private static final int VERSIENUMMER = 1042;
private static final long DATUMTIJDSTEMPEL = 1999_01_01_01_00_00L;
private static final int DATUM_TIJD_REGISTRATIE = 1994_01_02;
@Mock
private BrpAttribuutConverteerder attribuutConverteerder;
private BrpInschrijvingConverteerder subject;
@Before
public void setUp() {
subject = new BrpInschrijvingConverteerder(attribuutConverteerder);
// BRP Persoonskaart Inhoud
when(attribuutConverteerder.converteerGemeenteCode(new BrpPartijCode(BRP_GEMEENTE_PARTIJ_CODE))).thenReturn(new Lo3GemeenteCode(LO3_GEMEENTE_CODE));
when(attribuutConverteerder.converteerIndicatiePKVolledigGeconverteerd(new BrpBoolean(false))).thenReturn(null);
// BRP Verstrekkingsbeperking Inhoud
when(attribuutConverteerder.converteerIndicatieGeheim(new BrpBoolean(true))).thenReturn(new Lo3IndicatieGeheimCode(
Lo3IndicatieGeheimCodeEnum.NIET_TER_UITVOERING_VAN_VOORSCHRIFT_EN_NIET_AAN_VRIJE_DERDEN_EN_NIET_AAN_KERKEN.getCode()));
when(attribuutConverteerder.converteerIndicatieGeheim(new BrpBoolean(false))).thenReturn(new Lo3IndicatieGeheimCode(
Lo3IndicatieGeheimCodeEnum.GEEN_BEPERKING.getCode()));
// BRP Verificatie Inhoud
when(attribuutConverteerder.converteerDatum(new BrpDatum(DATUM_VERIFICATIE, null))).thenReturn(new Lo3Datum(DATUM_VERIFICATIE));
when(attribuutConverteerder.converteerString(new BrpString(VERIFICATIE_OMS))).thenReturn(new Lo3String(VERIFICATIE_OMS));
when(attribuutConverteerder.converteerRNIDeelnemer(new BrpPartijCode(RNI_PARTIJ_CODE))).thenReturn(new Lo3RNIDeelnemerCode("0101"));
// BRP Inschrijving Inhoud
when(attribuutConverteerder.converteerDatum(new BrpDatum(DATUM_INSCHRIJVING, null))).thenReturn(new Lo3Datum(DATUM_INSCHRIJVING));
when(attribuutConverteerder.converteerVersienummer(new BrpLong((long) VERSIENUMMER))).thenReturn(new Lo3Integer(VERSIENUMMER));
final BrpDatumTijd brpDatumTijd = BrpDatumTijd.fromDatumTijd(DATUMTIJDSTEMPEL, null);
when(attribuutConverteerder.converteerDatumtijdstempel(brpDatumTijd)).thenReturn(brpDatumTijd.converteerNaarLo3Datumtijdstempel());
// BRP Bijhouding<SUF>
when(attribuutConverteerder.converteerRedenOpschortingBijhouding(BrpNadereBijhoudingsaardCode.OVERLEDEN))
.thenReturn(new Lo3RedenOpschortingBijhoudingCode("O"));
}
@Test
public void test() {
final BrpStapel<BrpInschrijvingInhoud> inschrijvingStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.inschrijving(DATUM_INSCHRIJVING, VERSIENUMMER, DATUMTIJDSTEMPEL),
BrpStapelHelper.his(DATUM_INSCHRIJVING),
BrpStapelHelper.act(9, DATUM_TIJD_REGISTRATIE)));
final BrpStapel<BrpPersoonskaartInhoud> persoonskaartStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.persoonskaart(BRP_GEMEENTE_PARTIJ_CODE, false),
BrpStapelHelper.his(DATUM_INSCHRIJVING),
BrpStapelHelper.act(1, DATUM_TIJD_REGISTRATIE)));
final BrpStapel<BrpVerstrekkingsbeperkingIndicatieInhoud> beperkingStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.verstrekkingsbeperking(true),
BrpStapelHelper.his(DATUM_INSCHRIJVING),
BrpStapelHelper.act(4, DATUM_TIJD_REGISTRATIE)));
final BrpStapel<BrpPersoonAfgeleidAdministratiefInhoud> afgeleidAdministratiefStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.afgeleid(),
BrpStapelHelper.his(DATUM_INSCHRIJVING),
BrpStapelHelper.act(3, DATUM_TIJD_REGISTRATIE)));
// Execute
final Lo3Stapel<Lo3InschrijvingInhoud> result =
subject.converteer(inschrijvingStapel, persoonskaartStapel, beperkingStapel, afgeleidAdministratiefStapel);
// Expectation
// cat(inhoud, historie, documentatie)
// his(ingangsdatumGeldigheid)
// akt(id)
final Lo3InschrijvingInhoud expected =
Lo3StapelHelper.lo3Inschrijving(null, null, null, DATUM_INSCHRIJVING, LO3_GEMEENTE_CODE, 7, VERSIENUMMER, 1999_01_010100_00_000L, false);
// Check
assertNotNull(ASSERT_STAPEL_IS_NOT_NULL, result);
assertFalse(ASSERT_STAPEL_IS_NIET_LEEG, result.isEmpty());
assertNotNull(ASSERT_CATEGORIE_IS_NOT_NULL, result.get(0));
assertEquals(ASSERT_INHOUD_GELIJK, expected, result.get(0).getInhoud());
}
@Test
public void testBepaalVerificatieStapel() {
final List<BrpStapel<BrpVerificatieInhoud>> stapels = new ArrayList<>();
stapels.add(BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.verificatie(DATUM_VERVALLEN_VERIFICATIE, "vervallenVerificatie", RNI_PARTIJ_CODE),
BrpStapelHelper.his(null, null, 2011_01_01090909L, 2012_01_01090909L),
BrpStapelHelper.act(10, DATUM_VERVALLEN_VERIFICATIE),
BrpStapelHelper.act(11, 2012_01_01))));
assertNull(subject.bepaalVerificatieStapel(stapels));
stapels.add(BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.verificatie(DATUM_OUDE_VERIFICATIE, "oudeVerificatie", RNI_PARTIJ_CODE),
BrpStapelHelper.his(null, null, 2010_01_01090909L, null),
BrpStapelHelper.act(9, DATUM_OUDE_VERIFICATIE))));
assertNotNull(subject.bepaalVerificatieStapel(stapels));
assertEquals(new BrpString("oudeVerificatie"), subject.bepaalVerificatieStapel(stapels).getActueel().getInhoud().getSoort());
stapels.add(BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.verificatie(DATUM_VERIFICATIE, VERIFICATIE_OMS, RNI_PARTIJ_CODE),
BrpStapelHelper.his(null, null, 2013_01_01090909L, null),
BrpStapelHelper.act(12, DATUM_VERIFICATIE))));
assertNotNull(subject.bepaalVerificatieStapel(stapels));
assertEquals(new BrpString(VERIFICATIE_OMS), subject.bepaalVerificatieStapel(stapels).getActueel().getInhoud().getSoort());
}
@Test
public void testConverteerVerificatie() {
final BrpStapel<BrpInschrijvingInhoud> inschrijvingStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.inschrijving(DATUM_INSCHRIJVING, VERSIENUMMER, DATUMTIJDSTEMPEL),
BrpStapelHelper.his(DATUM_INSCHRIJVING),
BrpStapelHelper.act(9, DATUM_TIJD_REGISTRATIE)));
final BrpStapel<BrpPersoonskaartInhoud> persoonskaartStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.persoonskaart(BRP_GEMEENTE_PARTIJ_CODE, false),
BrpStapelHelper.his(DATUM_INSCHRIJVING),
BrpStapelHelper.act(1, DATUM_TIJD_REGISTRATIE)));
final BrpStapel<BrpVerstrekkingsbeperkingIndicatieInhoud> beperkingStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.verstrekkingsbeperking(true),
BrpStapelHelper.his(DATUM_INSCHRIJVING),
BrpStapelHelper.act(4, DATUM_TIJD_REGISTRATIE)));
final BrpStapel<BrpPersoonAfgeleidAdministratiefInhoud> afgeleidAdministratiefStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.afgeleid(),
BrpStapelHelper.his(DATUM_INSCHRIJVING),
BrpStapelHelper.act(3, DATUM_TIJD_REGISTRATIE)));
final BrpStapel<BrpVerificatieInhoud> verificatieStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(
BrpStapelHelper.verificatie(DATUM_VERIFICATIE, VERIFICATIE_OMS, RNI_PARTIJ_CODE),
BrpStapelHelper.his(null, null, 2013_01_01090909L, null),
BrpStapelHelper.act(12, DATUM_VERIFICATIE)));
// Execute
final Lo3Stapel<Lo3InschrijvingInhoud> result =
subject.converteer(
inschrijvingStapel,
persoonskaartStapel,
beperkingStapel,
afgeleidAdministratiefStapel,
verificatieStapel);
final Lo3InschrijvingInhoud.Builder builder =
new Lo3InschrijvingInhoud.Builder(Lo3StapelHelper.lo3Inschrijving(
null,
null,
null,
DATUM_INSCHRIJVING,
"0599",
7,
VERSIENUMMER,
1999_01_010100_00_000L,
false));
builder.setDatumVerificatie(new Lo3Datum(DATUM_VERIFICATIE));
builder.setOmschrijvingVerificatie(new Lo3String(VERIFICATIE_OMS));
final Lo3InschrijvingInhoud expected = builder.build();
// Check
assertNotNull(ASSERT_STAPEL_IS_NOT_NULL, result);
assertFalse(ASSERT_STAPEL_IS_NIET_LEEG, result.isEmpty());
assertNotNull(ASSERT_CATEGORIE_IS_NOT_NULL, result.get(0));
assertEquals(ASSERT_INHOUD_GELIJK, expected, result.get(0).getInhoud());
}
@Test
@Definitie(Definities.DEF058)
@Requirement(Requirements.CCA07_BL05)
public void testBijhoudingOpgeschort() {
// Input
final BrpStapel<BrpBijhoudingInhoud> bijhoudingStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(BrpStapelHelper.bijhouding(
"059901",
BrpBijhoudingsaardCode.INGEZETENE,
BrpNadereBijhoudingsaardCode.OVERLEDEN
), BrpStapelHelper.his(2010_01_01), BrpStapelHelper.act(1, 2010_01_01)));
// Execute
Lo3Stapel<Lo3InschrijvingInhoud> result = subject.converteer(bijhoudingStapel);
result = subject.nabewerking(result, bijhoudingStapel);
// Expectation
final Lo3InschrijvingInhoud expected = Lo3StapelHelper.lo3Inschrijving(null, 2010_01_01, "O", null, null, 0, null, null, false);
// Check
assertNotNull(ASSERT_STAPEL_IS_NOT_NULL, result);
assertFalse(ASSERT_STAPEL_IS_NIET_LEEG, result.isEmpty());
assertNotNull(ASSERT_CATEGORIE_IS_NOT_NULL, result.get(0));
assertEquals(ASSERT_INHOUD_GELIJK, expected, result.get(0).getInhoud());
}
@Test
@Definitie(Definities.DEF058)
@Requirement(Requirements.CCA07_BL05)
public void testVerhuizingNaOverlijden() {
// Input
final BrpStapel<BrpBijhoudingInhoud> bijhoudingStapel =
BrpStapelHelper.stapel(
BrpStapelHelper.groep(BrpStapelHelper.bijhouding(
"059901",
BrpBijhoudingsaardCode.INGEZETENE,
BrpNadereBijhoudingsaardCode.OVERLEDEN
), BrpStapelHelper.his(DATUM_VERIFICATIE), BrpStapelHelper.act(1, DATUM_VERIFICATIE)),
BrpStapelHelper.groep(BrpStapelHelper.bijhouding(
"051801",
BrpBijhoudingsaardCode.INGEZETENE,
BrpNadereBijhoudingsaardCode.OVERLEDEN
), BrpStapelHelper.his(2012_12_31, DATUM_VERIFICATIE, 2012_12_31, null), BrpStapelHelper.act(
1,
2012_12_31)),
BrpStapelHelper.groep(BrpStapelHelper.bijhouding(
"051801",
BrpBijhoudingsaardCode.ONBEKEND,
BrpNadereBijhoudingsaardCode.ONBEKEND
), BrpStapelHelper.his(2010_01_01, 2012_12_31, 2010_01_01, null), BrpStapelHelper.act(
1,
2010_01_01)));
// Execute
Lo3Stapel<Lo3InschrijvingInhoud> result = subject.converteer(bijhoudingStapel);
result = subject.nabewerking(result, bijhoudingStapel);
// Expectation
final Lo3InschrijvingInhoud expected = Lo3StapelHelper.lo3Inschrijving(null, 2012_12_31, "O", null, null, 0, null, null, false);
// Check
assertNotNull(ASSERT_STAPEL_IS_NOT_NULL, result);
assertFalse(ASSERT_STAPEL_IS_NIET_LEEG, result.isEmpty());
assertNotNull(ASSERT_CATEGORIE_IS_NOT_NULL, result.get(0));
assertEquals(ASSERT_INHOUD_GELIJK, expected, result.get(0).getInhoud());
}
@Test
@Definitie(Definities.DEF080)
@Requirement(Requirements.CCA07_BL05)
public void testBijhoudingOpgeschortVOW() {
// Input
final BrpStapel<BrpBijhoudingInhoud> bijhoudingStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(BrpStapelHelper.bijhouding(
"059901",
BrpBijhoudingsaardCode.NIET_INGEZETENE,
BrpNadereBijhoudingsaardCode.VERTROKKEN_ONBEKEND_WAARHEEN
), BrpStapelHelper.his(2010_01_01), BrpStapelHelper.act(1, 2010_01_01)));
// Execute
Lo3Stapel<Lo3InschrijvingInhoud> result = subject.converteer(bijhoudingStapel);
result = subject.nabewerking(result, bijhoudingStapel);
// Expectation
final Lo3InschrijvingInhoud expected = Lo3StapelHelper.lo3Inschrijving(null, 2010_01_01, "E", null, null, 0, null, null, false);
// Check
assertNotNull(ASSERT_STAPEL_IS_NOT_NULL, result);
assertFalse(ASSERT_STAPEL_IS_NIET_LEEG, result.isEmpty());
assertNotNull(ASSERT_CATEGORIE_IS_NOT_NULL, result.get(0));
assertEquals(ASSERT_INHOUD_GELIJK, expected, result.get(0).getInhoud());
}
@Test
@Definitie(Definities.DEF079)
@Requirement(Requirements.CCA07_BL05)
public void testBijhoudingNietOpgeschort() {
// Input
final BrpStapel<BrpBijhoudingInhoud> bijhoudingStapel =
BrpStapelHelper.stapel(BrpStapelHelper.groep(BrpStapelHelper.bijhouding(
"059901",
BrpBijhoudingsaardCode.INGEZETENE,
BrpNadereBijhoudingsaardCode.ACTUEEL
), BrpStapelHelper.his(2010_01_01), BrpStapelHelper.act(1, 2010_01_01)));
// Execute
final Lo3Stapel<Lo3InschrijvingInhoud> result = subject.converteer(bijhoudingStapel);
// Expectation
final Lo3InschrijvingInhoud expected = Lo3StapelHelper.lo3Inschrijving(null, null, null, null, null, 0, null, null, false);
// Check
assertNotNull(ASSERT_STAPEL_IS_NOT_NULL, result);
assertFalse(ASSERT_STAPEL_IS_NIET_LEEG, result.isEmpty());
assertNotNull(ASSERT_CATEGORIE_IS_NOT_NULL, result.get(0));
assertEquals(ASSERT_INHOUD_GELIJK, expected, result.get(0).getInhoud());
}
}
|
211678_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.levering.lo3.conversie.mutatie;
import java.util.HashSet;
import java.util.List;
import nl.bzk.brp.gba.dataaccess.VerConvRepository;
import nl.bzk.brp.levering.lo3.mapper.BijhoudingMapper;
import nl.bzk.brp.levering.lo3.mapper.OnderzoekMapper;
import nl.bzk.brp.logging.Logger;
import nl.bzk.brp.logging.LoggerFactory;
import nl.bzk.brp.model.MaterieleHistorieSet;
import nl.bzk.brp.model.MaterieleHistorieSetImpl;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.ElementEnum;
import nl.bzk.brp.model.logisch.verconv.LO3Voorkomen;
import nl.bzk.brp.model.operationeel.kern.ActieModel;
import nl.bzk.brp.model.operationeel.kern.HisPersoonBijhoudingModel;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpDatum;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpNadereBijhoudingsaardCode;
import nl.bzk.migratiebrp.conversie.model.brp.groep.BrpBijhoudingInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Documentatie;
import nl.bzk.migratiebrp.conversie.model.lo3.categorie.Lo3InschrijvingInhoud;
import nl.bzk.migratiebrp.conversie.regels.proces.brpnaarlo3.attributen.BrpInschrijvingConverteerder.BijhoudingConverteerder;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Component;
/**
* Verwerkt mutaties in persoon/bijhouding (voor inschrijving).
*/
@Component
public final class PersoonBijhoudingInschrijvingMutatieVerwerker
extends AbstractMaterieelMutatieVerwerker<Lo3InschrijvingInhoud, BrpBijhoudingInhoud, HisPersoonBijhoudingModel>
{
private static final Logger LOGGER = LoggerFactory.getLogger();
private static final MaterieleHistorieSet<HisPersoonBijhoudingModel> EMPTY_SET =
new MaterieleHistorieSetImpl<>(new HashSet<HisPersoonBijhoudingModel>());
@Autowired
private VerConvRepository verConvRepository;
/**
* Constructor.
*
* @param mapper
* mapper
* @param converteerder
* converteerder
*/
@Autowired
protected PersoonBijhoudingInschrijvingMutatieVerwerker(final BijhoudingMapper mapper, final BijhoudingConverteerder converteerder) {
super(mapper, converteerder, ElementEnum.PERSOON_INSCHRIJVING);
}
/**
* Bekijk of het actuele record van deze historie set via de lo3 herkomst is gekoppeld aan categorie 08. Als dit zo
* is, dan bevat deze set geen wijzigingen voor deze mutatieverwerker (cat 07) en moet de hele set worden genegeerd.
*/
@Override
protected MaterieleHistorieSet<HisPersoonBijhoudingModel> filterHistorieSet(
final MaterieleHistorieSet<HisPersoonBijhoudingModel> historieSet,
final List<Long> acties)
{
// Bepaal actie inhoud die aan administratieve handeling hangt.
ActieModel actueel = null;
for (final HisPersoonBijhoudingModel historie : historieSet) {
final ActieModel actieInhoud = historie.getVerantwoordingInhoud();
if (actieInhoud != null && acties.contains(actieInhoud.getID())) {
actueel = actieInhoud;
break;
}
}
// Bepaal of deze via lo3 herkomst uit cat 8 komt
final LO3Voorkomen lo3Voorkomen = verConvRepository.zoekLo3VoorkomenVoorActie(actueel);
if (lo3Voorkomen != null && lo3Voorkomen.getLO3Categorie() != null && "08".equals(lo3Voorkomen.getLO3Categorie().getWaarde())) {
// Zo ja, hele set niet gebruiken
LOGGER.info("Historie negeren; actuele actie inhoud is gekoppeld aan categorie 08");
return EMPTY_SET;
} else {
// Zo nee, hele set gebruiken
return historieSet;
}
}
@Override
protected Lo3Documentatie verwerkInhoudInDocumentatie(final HisPersoonBijhoudingModel brpHistorie, final Lo3Documentatie documentatie) {
// Geen documentatie voor categorie 07 (anders gaat groep 88 fout)
return null;
}
@Override
protected Lo3InschrijvingInhoud verwerkInhoud(
final Lo3InschrijvingInhoud lo3Inhoud,
final BrpBijhoudingInhoud brpInhoud,
final HisPersoonBijhoudingModel brpHistorie,
final OnderzoekMapper onderzoekMapper)
{
final Lo3InschrijvingInhoud result = super.verwerkInhoud(lo3Inhoud, brpInhoud, brpHistorie, onderzoekMapper);
if (heeftRedenOpschorting(brpInhoud)) {
final Lo3InschrijvingInhoud.Builder builder = new Lo3InschrijvingInhoud.Builder(result);
if (brpHistorie.getDatumAanvangGeldigheid() != null) {
// Cat 07 heeft geen onderzoek, dus null is ok
final BrpDatum datumAanvangGeldigheid = new BrpDatum(brpHistorie.getDatumAanvangGeldigheid().getWaarde(), null);
builder.setDatumOpschortingBijhouding(datumAanvangGeldigheid.converteerNaarLo3Datum());
}
return builder.build();
} else {
return result;
}
}
private boolean heeftRedenOpschorting(final BrpBijhoudingInhoud brpInhoud) {
return brpInhoud.getNadereBijhoudingsaardCode() != null
&& brpInhoud.getNadereBijhoudingsaardCode().getWaarde() != null
&& (BrpNadereBijhoudingsaardCode.VERTROKKEN_ONBEKEND_WAARHEEN.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.RECHTSTREEKS_NIET_INGEZETENE.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.EMIGRATIE.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.OVERLEDEN.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.MINISTERIEEL_BESLUIT.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.FOUT.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde()));
}
}
| MinBZK/OperatieBRP | 2016/brp 2016-02-09/gba/gba-conversie/src/main/java/nl/bzk/brp/levering/lo3/conversie/mutatie/PersoonBijhoudingInschrijvingMutatieVerwerker.java | 1,847 | /**
* Verwerkt mutaties in persoon/bijhouding (voor inschrijving).
*/ | 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.levering.lo3.conversie.mutatie;
import java.util.HashSet;
import java.util.List;
import nl.bzk.brp.gba.dataaccess.VerConvRepository;
import nl.bzk.brp.levering.lo3.mapper.BijhoudingMapper;
import nl.bzk.brp.levering.lo3.mapper.OnderzoekMapper;
import nl.bzk.brp.logging.Logger;
import nl.bzk.brp.logging.LoggerFactory;
import nl.bzk.brp.model.MaterieleHistorieSet;
import nl.bzk.brp.model.MaterieleHistorieSetImpl;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.ElementEnum;
import nl.bzk.brp.model.logisch.verconv.LO3Voorkomen;
import nl.bzk.brp.model.operationeel.kern.ActieModel;
import nl.bzk.brp.model.operationeel.kern.HisPersoonBijhoudingModel;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpDatum;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpNadereBijhoudingsaardCode;
import nl.bzk.migratiebrp.conversie.model.brp.groep.BrpBijhoudingInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Documentatie;
import nl.bzk.migratiebrp.conversie.model.lo3.categorie.Lo3InschrijvingInhoud;
import nl.bzk.migratiebrp.conversie.regels.proces.brpnaarlo3.attributen.BrpInschrijvingConverteerder.BijhoudingConverteerder;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Component;
/**
* Verwerkt mutaties in<SUF>*/
@Component
public final class PersoonBijhoudingInschrijvingMutatieVerwerker
extends AbstractMaterieelMutatieVerwerker<Lo3InschrijvingInhoud, BrpBijhoudingInhoud, HisPersoonBijhoudingModel>
{
private static final Logger LOGGER = LoggerFactory.getLogger();
private static final MaterieleHistorieSet<HisPersoonBijhoudingModel> EMPTY_SET =
new MaterieleHistorieSetImpl<>(new HashSet<HisPersoonBijhoudingModel>());
@Autowired
private VerConvRepository verConvRepository;
/**
* Constructor.
*
* @param mapper
* mapper
* @param converteerder
* converteerder
*/
@Autowired
protected PersoonBijhoudingInschrijvingMutatieVerwerker(final BijhoudingMapper mapper, final BijhoudingConverteerder converteerder) {
super(mapper, converteerder, ElementEnum.PERSOON_INSCHRIJVING);
}
/**
* Bekijk of het actuele record van deze historie set via de lo3 herkomst is gekoppeld aan categorie 08. Als dit zo
* is, dan bevat deze set geen wijzigingen voor deze mutatieverwerker (cat 07) en moet de hele set worden genegeerd.
*/
@Override
protected MaterieleHistorieSet<HisPersoonBijhoudingModel> filterHistorieSet(
final MaterieleHistorieSet<HisPersoonBijhoudingModel> historieSet,
final List<Long> acties)
{
// Bepaal actie inhoud die aan administratieve handeling hangt.
ActieModel actueel = null;
for (final HisPersoonBijhoudingModel historie : historieSet) {
final ActieModel actieInhoud = historie.getVerantwoordingInhoud();
if (actieInhoud != null && acties.contains(actieInhoud.getID())) {
actueel = actieInhoud;
break;
}
}
// Bepaal of deze via lo3 herkomst uit cat 8 komt
final LO3Voorkomen lo3Voorkomen = verConvRepository.zoekLo3VoorkomenVoorActie(actueel);
if (lo3Voorkomen != null && lo3Voorkomen.getLO3Categorie() != null && "08".equals(lo3Voorkomen.getLO3Categorie().getWaarde())) {
// Zo ja, hele set niet gebruiken
LOGGER.info("Historie negeren; actuele actie inhoud is gekoppeld aan categorie 08");
return EMPTY_SET;
} else {
// Zo nee, hele set gebruiken
return historieSet;
}
}
@Override
protected Lo3Documentatie verwerkInhoudInDocumentatie(final HisPersoonBijhoudingModel brpHistorie, final Lo3Documentatie documentatie) {
// Geen documentatie voor categorie 07 (anders gaat groep 88 fout)
return null;
}
@Override
protected Lo3InschrijvingInhoud verwerkInhoud(
final Lo3InschrijvingInhoud lo3Inhoud,
final BrpBijhoudingInhoud brpInhoud,
final HisPersoonBijhoudingModel brpHistorie,
final OnderzoekMapper onderzoekMapper)
{
final Lo3InschrijvingInhoud result = super.verwerkInhoud(lo3Inhoud, brpInhoud, brpHistorie, onderzoekMapper);
if (heeftRedenOpschorting(brpInhoud)) {
final Lo3InschrijvingInhoud.Builder builder = new Lo3InschrijvingInhoud.Builder(result);
if (brpHistorie.getDatumAanvangGeldigheid() != null) {
// Cat 07 heeft geen onderzoek, dus null is ok
final BrpDatum datumAanvangGeldigheid = new BrpDatum(brpHistorie.getDatumAanvangGeldigheid().getWaarde(), null);
builder.setDatumOpschortingBijhouding(datumAanvangGeldigheid.converteerNaarLo3Datum());
}
return builder.build();
} else {
return result;
}
}
private boolean heeftRedenOpschorting(final BrpBijhoudingInhoud brpInhoud) {
return brpInhoud.getNadereBijhoudingsaardCode() != null
&& brpInhoud.getNadereBijhoudingsaardCode().getWaarde() != null
&& (BrpNadereBijhoudingsaardCode.VERTROKKEN_ONBEKEND_WAARHEEN.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.RECHTSTREEKS_NIET_INGEZETENE.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.EMIGRATIE.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.OVERLEDEN.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.MINISTERIEEL_BESLUIT.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.FOUT.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde()));
}
}
|
211678_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.levering.lo3.conversie.mutatie;
import java.util.HashSet;
import java.util.List;
import nl.bzk.brp.gba.dataaccess.VerConvRepository;
import nl.bzk.brp.levering.lo3.mapper.BijhoudingMapper;
import nl.bzk.brp.levering.lo3.mapper.OnderzoekMapper;
import nl.bzk.brp.logging.Logger;
import nl.bzk.brp.logging.LoggerFactory;
import nl.bzk.brp.model.MaterieleHistorieSet;
import nl.bzk.brp.model.MaterieleHistorieSetImpl;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.ElementEnum;
import nl.bzk.brp.model.logisch.verconv.LO3Voorkomen;
import nl.bzk.brp.model.operationeel.kern.ActieModel;
import nl.bzk.brp.model.operationeel.kern.HisPersoonBijhoudingModel;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpDatum;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpNadereBijhoudingsaardCode;
import nl.bzk.migratiebrp.conversie.model.brp.groep.BrpBijhoudingInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Documentatie;
import nl.bzk.migratiebrp.conversie.model.lo3.categorie.Lo3InschrijvingInhoud;
import nl.bzk.migratiebrp.conversie.regels.proces.brpnaarlo3.attributen.BrpInschrijvingConverteerder.BijhoudingConverteerder;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Component;
/**
* Verwerkt mutaties in persoon/bijhouding (voor inschrijving).
*/
@Component
public final class PersoonBijhoudingInschrijvingMutatieVerwerker
extends AbstractMaterieelMutatieVerwerker<Lo3InschrijvingInhoud, BrpBijhoudingInhoud, HisPersoonBijhoudingModel>
{
private static final Logger LOGGER = LoggerFactory.getLogger();
private static final MaterieleHistorieSet<HisPersoonBijhoudingModel> EMPTY_SET =
new MaterieleHistorieSetImpl<>(new HashSet<HisPersoonBijhoudingModel>());
@Autowired
private VerConvRepository verConvRepository;
/**
* Constructor.
*
* @param mapper
* mapper
* @param converteerder
* converteerder
*/
@Autowired
protected PersoonBijhoudingInschrijvingMutatieVerwerker(final BijhoudingMapper mapper, final BijhoudingConverteerder converteerder) {
super(mapper, converteerder, ElementEnum.PERSOON_INSCHRIJVING);
}
/**
* Bekijk of het actuele record van deze historie set via de lo3 herkomst is gekoppeld aan categorie 08. Als dit zo
* is, dan bevat deze set geen wijzigingen voor deze mutatieverwerker (cat 07) en moet de hele set worden genegeerd.
*/
@Override
protected MaterieleHistorieSet<HisPersoonBijhoudingModel> filterHistorieSet(
final MaterieleHistorieSet<HisPersoonBijhoudingModel> historieSet,
final List<Long> acties)
{
// Bepaal actie inhoud die aan administratieve handeling hangt.
ActieModel actueel = null;
for (final HisPersoonBijhoudingModel historie : historieSet) {
final ActieModel actieInhoud = historie.getVerantwoordingInhoud();
if (actieInhoud != null && acties.contains(actieInhoud.getID())) {
actueel = actieInhoud;
break;
}
}
// Bepaal of deze via lo3 herkomst uit cat 8 komt
final LO3Voorkomen lo3Voorkomen = verConvRepository.zoekLo3VoorkomenVoorActie(actueel);
if (lo3Voorkomen != null && lo3Voorkomen.getLO3Categorie() != null && "08".equals(lo3Voorkomen.getLO3Categorie().getWaarde())) {
// Zo ja, hele set niet gebruiken
LOGGER.info("Historie negeren; actuele actie inhoud is gekoppeld aan categorie 08");
return EMPTY_SET;
} else {
// Zo nee, hele set gebruiken
return historieSet;
}
}
@Override
protected Lo3Documentatie verwerkInhoudInDocumentatie(final HisPersoonBijhoudingModel brpHistorie, final Lo3Documentatie documentatie) {
// Geen documentatie voor categorie 07 (anders gaat groep 88 fout)
return null;
}
@Override
protected Lo3InschrijvingInhoud verwerkInhoud(
final Lo3InschrijvingInhoud lo3Inhoud,
final BrpBijhoudingInhoud brpInhoud,
final HisPersoonBijhoudingModel brpHistorie,
final OnderzoekMapper onderzoekMapper)
{
final Lo3InschrijvingInhoud result = super.verwerkInhoud(lo3Inhoud, brpInhoud, brpHistorie, onderzoekMapper);
if (heeftRedenOpschorting(brpInhoud)) {
final Lo3InschrijvingInhoud.Builder builder = new Lo3InschrijvingInhoud.Builder(result);
if (brpHistorie.getDatumAanvangGeldigheid() != null) {
// Cat 07 heeft geen onderzoek, dus null is ok
final BrpDatum datumAanvangGeldigheid = new BrpDatum(brpHistorie.getDatumAanvangGeldigheid().getWaarde(), null);
builder.setDatumOpschortingBijhouding(datumAanvangGeldigheid.converteerNaarLo3Datum());
}
return builder.build();
} else {
return result;
}
}
private boolean heeftRedenOpschorting(final BrpBijhoudingInhoud brpInhoud) {
return brpInhoud.getNadereBijhoudingsaardCode() != null
&& brpInhoud.getNadereBijhoudingsaardCode().getWaarde() != null
&& (BrpNadereBijhoudingsaardCode.VERTROKKEN_ONBEKEND_WAARHEEN.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.RECHTSTREEKS_NIET_INGEZETENE.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.EMIGRATIE.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.OVERLEDEN.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.MINISTERIEEL_BESLUIT.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.FOUT.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde()));
}
}
| MinBZK/OperatieBRP | 2016/brp 2016-02-09/gba/gba-conversie/src/main/java/nl/bzk/brp/levering/lo3/conversie/mutatie/PersoonBijhoudingInschrijvingMutatieVerwerker.java | 1,847 | /**
* Constructor.
*
* @param mapper
* mapper
* @param converteerder
* converteerder
*/ | 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.levering.lo3.conversie.mutatie;
import java.util.HashSet;
import java.util.List;
import nl.bzk.brp.gba.dataaccess.VerConvRepository;
import nl.bzk.brp.levering.lo3.mapper.BijhoudingMapper;
import nl.bzk.brp.levering.lo3.mapper.OnderzoekMapper;
import nl.bzk.brp.logging.Logger;
import nl.bzk.brp.logging.LoggerFactory;
import nl.bzk.brp.model.MaterieleHistorieSet;
import nl.bzk.brp.model.MaterieleHistorieSetImpl;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.ElementEnum;
import nl.bzk.brp.model.logisch.verconv.LO3Voorkomen;
import nl.bzk.brp.model.operationeel.kern.ActieModel;
import nl.bzk.brp.model.operationeel.kern.HisPersoonBijhoudingModel;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpDatum;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpNadereBijhoudingsaardCode;
import nl.bzk.migratiebrp.conversie.model.brp.groep.BrpBijhoudingInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Documentatie;
import nl.bzk.migratiebrp.conversie.model.lo3.categorie.Lo3InschrijvingInhoud;
import nl.bzk.migratiebrp.conversie.regels.proces.brpnaarlo3.attributen.BrpInschrijvingConverteerder.BijhoudingConverteerder;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Component;
/**
* Verwerkt mutaties in persoon/bijhouding (voor inschrijving).
*/
@Component
public final class PersoonBijhoudingInschrijvingMutatieVerwerker
extends AbstractMaterieelMutatieVerwerker<Lo3InschrijvingInhoud, BrpBijhoudingInhoud, HisPersoonBijhoudingModel>
{
private static final Logger LOGGER = LoggerFactory.getLogger();
private static final MaterieleHistorieSet<HisPersoonBijhoudingModel> EMPTY_SET =
new MaterieleHistorieSetImpl<>(new HashSet<HisPersoonBijhoudingModel>());
@Autowired
private VerConvRepository verConvRepository;
/**
* Constructor.
<SUF>*/
@Autowired
protected PersoonBijhoudingInschrijvingMutatieVerwerker(final BijhoudingMapper mapper, final BijhoudingConverteerder converteerder) {
super(mapper, converteerder, ElementEnum.PERSOON_INSCHRIJVING);
}
/**
* Bekijk of het actuele record van deze historie set via de lo3 herkomst is gekoppeld aan categorie 08. Als dit zo
* is, dan bevat deze set geen wijzigingen voor deze mutatieverwerker (cat 07) en moet de hele set worden genegeerd.
*/
@Override
protected MaterieleHistorieSet<HisPersoonBijhoudingModel> filterHistorieSet(
final MaterieleHistorieSet<HisPersoonBijhoudingModel> historieSet,
final List<Long> acties)
{
// Bepaal actie inhoud die aan administratieve handeling hangt.
ActieModel actueel = null;
for (final HisPersoonBijhoudingModel historie : historieSet) {
final ActieModel actieInhoud = historie.getVerantwoordingInhoud();
if (actieInhoud != null && acties.contains(actieInhoud.getID())) {
actueel = actieInhoud;
break;
}
}
// Bepaal of deze via lo3 herkomst uit cat 8 komt
final LO3Voorkomen lo3Voorkomen = verConvRepository.zoekLo3VoorkomenVoorActie(actueel);
if (lo3Voorkomen != null && lo3Voorkomen.getLO3Categorie() != null && "08".equals(lo3Voorkomen.getLO3Categorie().getWaarde())) {
// Zo ja, hele set niet gebruiken
LOGGER.info("Historie negeren; actuele actie inhoud is gekoppeld aan categorie 08");
return EMPTY_SET;
} else {
// Zo nee, hele set gebruiken
return historieSet;
}
}
@Override
protected Lo3Documentatie verwerkInhoudInDocumentatie(final HisPersoonBijhoudingModel brpHistorie, final Lo3Documentatie documentatie) {
// Geen documentatie voor categorie 07 (anders gaat groep 88 fout)
return null;
}
@Override
protected Lo3InschrijvingInhoud verwerkInhoud(
final Lo3InschrijvingInhoud lo3Inhoud,
final BrpBijhoudingInhoud brpInhoud,
final HisPersoonBijhoudingModel brpHistorie,
final OnderzoekMapper onderzoekMapper)
{
final Lo3InschrijvingInhoud result = super.verwerkInhoud(lo3Inhoud, brpInhoud, brpHistorie, onderzoekMapper);
if (heeftRedenOpschorting(brpInhoud)) {
final Lo3InschrijvingInhoud.Builder builder = new Lo3InschrijvingInhoud.Builder(result);
if (brpHistorie.getDatumAanvangGeldigheid() != null) {
// Cat 07 heeft geen onderzoek, dus null is ok
final BrpDatum datumAanvangGeldigheid = new BrpDatum(brpHistorie.getDatumAanvangGeldigheid().getWaarde(), null);
builder.setDatumOpschortingBijhouding(datumAanvangGeldigheid.converteerNaarLo3Datum());
}
return builder.build();
} else {
return result;
}
}
private boolean heeftRedenOpschorting(final BrpBijhoudingInhoud brpInhoud) {
return brpInhoud.getNadereBijhoudingsaardCode() != null
&& brpInhoud.getNadereBijhoudingsaardCode().getWaarde() != null
&& (BrpNadereBijhoudingsaardCode.VERTROKKEN_ONBEKEND_WAARHEEN.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.RECHTSTREEKS_NIET_INGEZETENE.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.EMIGRATIE.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.OVERLEDEN.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.MINISTERIEEL_BESLUIT.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.FOUT.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde()));
}
}
|
211678_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.levering.lo3.conversie.mutatie;
import java.util.HashSet;
import java.util.List;
import nl.bzk.brp.gba.dataaccess.VerConvRepository;
import nl.bzk.brp.levering.lo3.mapper.BijhoudingMapper;
import nl.bzk.brp.levering.lo3.mapper.OnderzoekMapper;
import nl.bzk.brp.logging.Logger;
import nl.bzk.brp.logging.LoggerFactory;
import nl.bzk.brp.model.MaterieleHistorieSet;
import nl.bzk.brp.model.MaterieleHistorieSetImpl;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.ElementEnum;
import nl.bzk.brp.model.logisch.verconv.LO3Voorkomen;
import nl.bzk.brp.model.operationeel.kern.ActieModel;
import nl.bzk.brp.model.operationeel.kern.HisPersoonBijhoudingModel;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpDatum;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpNadereBijhoudingsaardCode;
import nl.bzk.migratiebrp.conversie.model.brp.groep.BrpBijhoudingInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Documentatie;
import nl.bzk.migratiebrp.conversie.model.lo3.categorie.Lo3InschrijvingInhoud;
import nl.bzk.migratiebrp.conversie.regels.proces.brpnaarlo3.attributen.BrpInschrijvingConverteerder.BijhoudingConverteerder;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Component;
/**
* Verwerkt mutaties in persoon/bijhouding (voor inschrijving).
*/
@Component
public final class PersoonBijhoudingInschrijvingMutatieVerwerker
extends AbstractMaterieelMutatieVerwerker<Lo3InschrijvingInhoud, BrpBijhoudingInhoud, HisPersoonBijhoudingModel>
{
private static final Logger LOGGER = LoggerFactory.getLogger();
private static final MaterieleHistorieSet<HisPersoonBijhoudingModel> EMPTY_SET =
new MaterieleHistorieSetImpl<>(new HashSet<HisPersoonBijhoudingModel>());
@Autowired
private VerConvRepository verConvRepository;
/**
* Constructor.
*
* @param mapper
* mapper
* @param converteerder
* converteerder
*/
@Autowired
protected PersoonBijhoudingInschrijvingMutatieVerwerker(final BijhoudingMapper mapper, final BijhoudingConverteerder converteerder) {
super(mapper, converteerder, ElementEnum.PERSOON_INSCHRIJVING);
}
/**
* Bekijk of het actuele record van deze historie set via de lo3 herkomst is gekoppeld aan categorie 08. Als dit zo
* is, dan bevat deze set geen wijzigingen voor deze mutatieverwerker (cat 07) en moet de hele set worden genegeerd.
*/
@Override
protected MaterieleHistorieSet<HisPersoonBijhoudingModel> filterHistorieSet(
final MaterieleHistorieSet<HisPersoonBijhoudingModel> historieSet,
final List<Long> acties)
{
// Bepaal actie inhoud die aan administratieve handeling hangt.
ActieModel actueel = null;
for (final HisPersoonBijhoudingModel historie : historieSet) {
final ActieModel actieInhoud = historie.getVerantwoordingInhoud();
if (actieInhoud != null && acties.contains(actieInhoud.getID())) {
actueel = actieInhoud;
break;
}
}
// Bepaal of deze via lo3 herkomst uit cat 8 komt
final LO3Voorkomen lo3Voorkomen = verConvRepository.zoekLo3VoorkomenVoorActie(actueel);
if (lo3Voorkomen != null && lo3Voorkomen.getLO3Categorie() != null && "08".equals(lo3Voorkomen.getLO3Categorie().getWaarde())) {
// Zo ja, hele set niet gebruiken
LOGGER.info("Historie negeren; actuele actie inhoud is gekoppeld aan categorie 08");
return EMPTY_SET;
} else {
// Zo nee, hele set gebruiken
return historieSet;
}
}
@Override
protected Lo3Documentatie verwerkInhoudInDocumentatie(final HisPersoonBijhoudingModel brpHistorie, final Lo3Documentatie documentatie) {
// Geen documentatie voor categorie 07 (anders gaat groep 88 fout)
return null;
}
@Override
protected Lo3InschrijvingInhoud verwerkInhoud(
final Lo3InschrijvingInhoud lo3Inhoud,
final BrpBijhoudingInhoud brpInhoud,
final HisPersoonBijhoudingModel brpHistorie,
final OnderzoekMapper onderzoekMapper)
{
final Lo3InschrijvingInhoud result = super.verwerkInhoud(lo3Inhoud, brpInhoud, brpHistorie, onderzoekMapper);
if (heeftRedenOpschorting(brpInhoud)) {
final Lo3InschrijvingInhoud.Builder builder = new Lo3InschrijvingInhoud.Builder(result);
if (brpHistorie.getDatumAanvangGeldigheid() != null) {
// Cat 07 heeft geen onderzoek, dus null is ok
final BrpDatum datumAanvangGeldigheid = new BrpDatum(brpHistorie.getDatumAanvangGeldigheid().getWaarde(), null);
builder.setDatumOpschortingBijhouding(datumAanvangGeldigheid.converteerNaarLo3Datum());
}
return builder.build();
} else {
return result;
}
}
private boolean heeftRedenOpschorting(final BrpBijhoudingInhoud brpInhoud) {
return brpInhoud.getNadereBijhoudingsaardCode() != null
&& brpInhoud.getNadereBijhoudingsaardCode().getWaarde() != null
&& (BrpNadereBijhoudingsaardCode.VERTROKKEN_ONBEKEND_WAARHEEN.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.RECHTSTREEKS_NIET_INGEZETENE.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.EMIGRATIE.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.OVERLEDEN.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.MINISTERIEEL_BESLUIT.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.FOUT.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde()));
}
}
| MinBZK/OperatieBRP | 2016/brp 2016-02-09/gba/gba-conversie/src/main/java/nl/bzk/brp/levering/lo3/conversie/mutatie/PersoonBijhoudingInschrijvingMutatieVerwerker.java | 1,847 | /**
* Bekijk of het actuele record van deze historie set via de lo3 herkomst is gekoppeld aan categorie 08. Als dit zo
* is, dan bevat deze set geen wijzigingen voor deze mutatieverwerker (cat 07) en moet de hele set worden genegeerd.
*/ | 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.levering.lo3.conversie.mutatie;
import java.util.HashSet;
import java.util.List;
import nl.bzk.brp.gba.dataaccess.VerConvRepository;
import nl.bzk.brp.levering.lo3.mapper.BijhoudingMapper;
import nl.bzk.brp.levering.lo3.mapper.OnderzoekMapper;
import nl.bzk.brp.logging.Logger;
import nl.bzk.brp.logging.LoggerFactory;
import nl.bzk.brp.model.MaterieleHistorieSet;
import nl.bzk.brp.model.MaterieleHistorieSetImpl;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.ElementEnum;
import nl.bzk.brp.model.logisch.verconv.LO3Voorkomen;
import nl.bzk.brp.model.operationeel.kern.ActieModel;
import nl.bzk.brp.model.operationeel.kern.HisPersoonBijhoudingModel;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpDatum;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpNadereBijhoudingsaardCode;
import nl.bzk.migratiebrp.conversie.model.brp.groep.BrpBijhoudingInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Documentatie;
import nl.bzk.migratiebrp.conversie.model.lo3.categorie.Lo3InschrijvingInhoud;
import nl.bzk.migratiebrp.conversie.regels.proces.brpnaarlo3.attributen.BrpInschrijvingConverteerder.BijhoudingConverteerder;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Component;
/**
* Verwerkt mutaties in persoon/bijhouding (voor inschrijving).
*/
@Component
public final class PersoonBijhoudingInschrijvingMutatieVerwerker
extends AbstractMaterieelMutatieVerwerker<Lo3InschrijvingInhoud, BrpBijhoudingInhoud, HisPersoonBijhoudingModel>
{
private static final Logger LOGGER = LoggerFactory.getLogger();
private static final MaterieleHistorieSet<HisPersoonBijhoudingModel> EMPTY_SET =
new MaterieleHistorieSetImpl<>(new HashSet<HisPersoonBijhoudingModel>());
@Autowired
private VerConvRepository verConvRepository;
/**
* Constructor.
*
* @param mapper
* mapper
* @param converteerder
* converteerder
*/
@Autowired
protected PersoonBijhoudingInschrijvingMutatieVerwerker(final BijhoudingMapper mapper, final BijhoudingConverteerder converteerder) {
super(mapper, converteerder, ElementEnum.PERSOON_INSCHRIJVING);
}
/**
* Bekijk of het<SUF>*/
@Override
protected MaterieleHistorieSet<HisPersoonBijhoudingModel> filterHistorieSet(
final MaterieleHistorieSet<HisPersoonBijhoudingModel> historieSet,
final List<Long> acties)
{
// Bepaal actie inhoud die aan administratieve handeling hangt.
ActieModel actueel = null;
for (final HisPersoonBijhoudingModel historie : historieSet) {
final ActieModel actieInhoud = historie.getVerantwoordingInhoud();
if (actieInhoud != null && acties.contains(actieInhoud.getID())) {
actueel = actieInhoud;
break;
}
}
// Bepaal of deze via lo3 herkomst uit cat 8 komt
final LO3Voorkomen lo3Voorkomen = verConvRepository.zoekLo3VoorkomenVoorActie(actueel);
if (lo3Voorkomen != null && lo3Voorkomen.getLO3Categorie() != null && "08".equals(lo3Voorkomen.getLO3Categorie().getWaarde())) {
// Zo ja, hele set niet gebruiken
LOGGER.info("Historie negeren; actuele actie inhoud is gekoppeld aan categorie 08");
return EMPTY_SET;
} else {
// Zo nee, hele set gebruiken
return historieSet;
}
}
@Override
protected Lo3Documentatie verwerkInhoudInDocumentatie(final HisPersoonBijhoudingModel brpHistorie, final Lo3Documentatie documentatie) {
// Geen documentatie voor categorie 07 (anders gaat groep 88 fout)
return null;
}
@Override
protected Lo3InschrijvingInhoud verwerkInhoud(
final Lo3InschrijvingInhoud lo3Inhoud,
final BrpBijhoudingInhoud brpInhoud,
final HisPersoonBijhoudingModel brpHistorie,
final OnderzoekMapper onderzoekMapper)
{
final Lo3InschrijvingInhoud result = super.verwerkInhoud(lo3Inhoud, brpInhoud, brpHistorie, onderzoekMapper);
if (heeftRedenOpschorting(brpInhoud)) {
final Lo3InschrijvingInhoud.Builder builder = new Lo3InschrijvingInhoud.Builder(result);
if (brpHistorie.getDatumAanvangGeldigheid() != null) {
// Cat 07 heeft geen onderzoek, dus null is ok
final BrpDatum datumAanvangGeldigheid = new BrpDatum(brpHistorie.getDatumAanvangGeldigheid().getWaarde(), null);
builder.setDatumOpschortingBijhouding(datumAanvangGeldigheid.converteerNaarLo3Datum());
}
return builder.build();
} else {
return result;
}
}
private boolean heeftRedenOpschorting(final BrpBijhoudingInhoud brpInhoud) {
return brpInhoud.getNadereBijhoudingsaardCode() != null
&& brpInhoud.getNadereBijhoudingsaardCode().getWaarde() != null
&& (BrpNadereBijhoudingsaardCode.VERTROKKEN_ONBEKEND_WAARHEEN.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.RECHTSTREEKS_NIET_INGEZETENE.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.EMIGRATIE.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.OVERLEDEN.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.MINISTERIEEL_BESLUIT.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.FOUT.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde()));
}
}
|
211678_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.levering.lo3.conversie.mutatie;
import java.util.HashSet;
import java.util.List;
import nl.bzk.brp.gba.dataaccess.VerConvRepository;
import nl.bzk.brp.levering.lo3.mapper.BijhoudingMapper;
import nl.bzk.brp.levering.lo3.mapper.OnderzoekMapper;
import nl.bzk.brp.logging.Logger;
import nl.bzk.brp.logging.LoggerFactory;
import nl.bzk.brp.model.MaterieleHistorieSet;
import nl.bzk.brp.model.MaterieleHistorieSetImpl;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.ElementEnum;
import nl.bzk.brp.model.logisch.verconv.LO3Voorkomen;
import nl.bzk.brp.model.operationeel.kern.ActieModel;
import nl.bzk.brp.model.operationeel.kern.HisPersoonBijhoudingModel;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpDatum;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpNadereBijhoudingsaardCode;
import nl.bzk.migratiebrp.conversie.model.brp.groep.BrpBijhoudingInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Documentatie;
import nl.bzk.migratiebrp.conversie.model.lo3.categorie.Lo3InschrijvingInhoud;
import nl.bzk.migratiebrp.conversie.regels.proces.brpnaarlo3.attributen.BrpInschrijvingConverteerder.BijhoudingConverteerder;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Component;
/**
* Verwerkt mutaties in persoon/bijhouding (voor inschrijving).
*/
@Component
public final class PersoonBijhoudingInschrijvingMutatieVerwerker
extends AbstractMaterieelMutatieVerwerker<Lo3InschrijvingInhoud, BrpBijhoudingInhoud, HisPersoonBijhoudingModel>
{
private static final Logger LOGGER = LoggerFactory.getLogger();
private static final MaterieleHistorieSet<HisPersoonBijhoudingModel> EMPTY_SET =
new MaterieleHistorieSetImpl<>(new HashSet<HisPersoonBijhoudingModel>());
@Autowired
private VerConvRepository verConvRepository;
/**
* Constructor.
*
* @param mapper
* mapper
* @param converteerder
* converteerder
*/
@Autowired
protected PersoonBijhoudingInschrijvingMutatieVerwerker(final BijhoudingMapper mapper, final BijhoudingConverteerder converteerder) {
super(mapper, converteerder, ElementEnum.PERSOON_INSCHRIJVING);
}
/**
* Bekijk of het actuele record van deze historie set via de lo3 herkomst is gekoppeld aan categorie 08. Als dit zo
* is, dan bevat deze set geen wijzigingen voor deze mutatieverwerker (cat 07) en moet de hele set worden genegeerd.
*/
@Override
protected MaterieleHistorieSet<HisPersoonBijhoudingModel> filterHistorieSet(
final MaterieleHistorieSet<HisPersoonBijhoudingModel> historieSet,
final List<Long> acties)
{
// Bepaal actie inhoud die aan administratieve handeling hangt.
ActieModel actueel = null;
for (final HisPersoonBijhoudingModel historie : historieSet) {
final ActieModel actieInhoud = historie.getVerantwoordingInhoud();
if (actieInhoud != null && acties.contains(actieInhoud.getID())) {
actueel = actieInhoud;
break;
}
}
// Bepaal of deze via lo3 herkomst uit cat 8 komt
final LO3Voorkomen lo3Voorkomen = verConvRepository.zoekLo3VoorkomenVoorActie(actueel);
if (lo3Voorkomen != null && lo3Voorkomen.getLO3Categorie() != null && "08".equals(lo3Voorkomen.getLO3Categorie().getWaarde())) {
// Zo ja, hele set niet gebruiken
LOGGER.info("Historie negeren; actuele actie inhoud is gekoppeld aan categorie 08");
return EMPTY_SET;
} else {
// Zo nee, hele set gebruiken
return historieSet;
}
}
@Override
protected Lo3Documentatie verwerkInhoudInDocumentatie(final HisPersoonBijhoudingModel brpHistorie, final Lo3Documentatie documentatie) {
// Geen documentatie voor categorie 07 (anders gaat groep 88 fout)
return null;
}
@Override
protected Lo3InschrijvingInhoud verwerkInhoud(
final Lo3InschrijvingInhoud lo3Inhoud,
final BrpBijhoudingInhoud brpInhoud,
final HisPersoonBijhoudingModel brpHistorie,
final OnderzoekMapper onderzoekMapper)
{
final Lo3InschrijvingInhoud result = super.verwerkInhoud(lo3Inhoud, brpInhoud, brpHistorie, onderzoekMapper);
if (heeftRedenOpschorting(brpInhoud)) {
final Lo3InschrijvingInhoud.Builder builder = new Lo3InschrijvingInhoud.Builder(result);
if (brpHistorie.getDatumAanvangGeldigheid() != null) {
// Cat 07 heeft geen onderzoek, dus null is ok
final BrpDatum datumAanvangGeldigheid = new BrpDatum(brpHistorie.getDatumAanvangGeldigheid().getWaarde(), null);
builder.setDatumOpschortingBijhouding(datumAanvangGeldigheid.converteerNaarLo3Datum());
}
return builder.build();
} else {
return result;
}
}
private boolean heeftRedenOpschorting(final BrpBijhoudingInhoud brpInhoud) {
return brpInhoud.getNadereBijhoudingsaardCode() != null
&& brpInhoud.getNadereBijhoudingsaardCode().getWaarde() != null
&& (BrpNadereBijhoudingsaardCode.VERTROKKEN_ONBEKEND_WAARHEEN.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.RECHTSTREEKS_NIET_INGEZETENE.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.EMIGRATIE.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.OVERLEDEN.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.MINISTERIEEL_BESLUIT.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.FOUT.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde()));
}
}
| MinBZK/OperatieBRP | 2016/brp 2016-02-09/gba/gba-conversie/src/main/java/nl/bzk/brp/levering/lo3/conversie/mutatie/PersoonBijhoudingInschrijvingMutatieVerwerker.java | 1,847 | // Bepaal of deze via lo3 herkomst uit cat 8 komt | 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.levering.lo3.conversie.mutatie;
import java.util.HashSet;
import java.util.List;
import nl.bzk.brp.gba.dataaccess.VerConvRepository;
import nl.bzk.brp.levering.lo3.mapper.BijhoudingMapper;
import nl.bzk.brp.levering.lo3.mapper.OnderzoekMapper;
import nl.bzk.brp.logging.Logger;
import nl.bzk.brp.logging.LoggerFactory;
import nl.bzk.brp.model.MaterieleHistorieSet;
import nl.bzk.brp.model.MaterieleHistorieSetImpl;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.ElementEnum;
import nl.bzk.brp.model.logisch.verconv.LO3Voorkomen;
import nl.bzk.brp.model.operationeel.kern.ActieModel;
import nl.bzk.brp.model.operationeel.kern.HisPersoonBijhoudingModel;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpDatum;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpNadereBijhoudingsaardCode;
import nl.bzk.migratiebrp.conversie.model.brp.groep.BrpBijhoudingInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Documentatie;
import nl.bzk.migratiebrp.conversie.model.lo3.categorie.Lo3InschrijvingInhoud;
import nl.bzk.migratiebrp.conversie.regels.proces.brpnaarlo3.attributen.BrpInschrijvingConverteerder.BijhoudingConverteerder;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Component;
/**
* Verwerkt mutaties in persoon/bijhouding (voor inschrijving).
*/
@Component
public final class PersoonBijhoudingInschrijvingMutatieVerwerker
extends AbstractMaterieelMutatieVerwerker<Lo3InschrijvingInhoud, BrpBijhoudingInhoud, HisPersoonBijhoudingModel>
{
private static final Logger LOGGER = LoggerFactory.getLogger();
private static final MaterieleHistorieSet<HisPersoonBijhoudingModel> EMPTY_SET =
new MaterieleHistorieSetImpl<>(new HashSet<HisPersoonBijhoudingModel>());
@Autowired
private VerConvRepository verConvRepository;
/**
* Constructor.
*
* @param mapper
* mapper
* @param converteerder
* converteerder
*/
@Autowired
protected PersoonBijhoudingInschrijvingMutatieVerwerker(final BijhoudingMapper mapper, final BijhoudingConverteerder converteerder) {
super(mapper, converteerder, ElementEnum.PERSOON_INSCHRIJVING);
}
/**
* Bekijk of het actuele record van deze historie set via de lo3 herkomst is gekoppeld aan categorie 08. Als dit zo
* is, dan bevat deze set geen wijzigingen voor deze mutatieverwerker (cat 07) en moet de hele set worden genegeerd.
*/
@Override
protected MaterieleHistorieSet<HisPersoonBijhoudingModel> filterHistorieSet(
final MaterieleHistorieSet<HisPersoonBijhoudingModel> historieSet,
final List<Long> acties)
{
// Bepaal actie inhoud die aan administratieve handeling hangt.
ActieModel actueel = null;
for (final HisPersoonBijhoudingModel historie : historieSet) {
final ActieModel actieInhoud = historie.getVerantwoordingInhoud();
if (actieInhoud != null && acties.contains(actieInhoud.getID())) {
actueel = actieInhoud;
break;
}
}
// Bepaal of<SUF>
final LO3Voorkomen lo3Voorkomen = verConvRepository.zoekLo3VoorkomenVoorActie(actueel);
if (lo3Voorkomen != null && lo3Voorkomen.getLO3Categorie() != null && "08".equals(lo3Voorkomen.getLO3Categorie().getWaarde())) {
// Zo ja, hele set niet gebruiken
LOGGER.info("Historie negeren; actuele actie inhoud is gekoppeld aan categorie 08");
return EMPTY_SET;
} else {
// Zo nee, hele set gebruiken
return historieSet;
}
}
@Override
protected Lo3Documentatie verwerkInhoudInDocumentatie(final HisPersoonBijhoudingModel brpHistorie, final Lo3Documentatie documentatie) {
// Geen documentatie voor categorie 07 (anders gaat groep 88 fout)
return null;
}
@Override
protected Lo3InschrijvingInhoud verwerkInhoud(
final Lo3InschrijvingInhoud lo3Inhoud,
final BrpBijhoudingInhoud brpInhoud,
final HisPersoonBijhoudingModel brpHistorie,
final OnderzoekMapper onderzoekMapper)
{
final Lo3InschrijvingInhoud result = super.verwerkInhoud(lo3Inhoud, brpInhoud, brpHistorie, onderzoekMapper);
if (heeftRedenOpschorting(brpInhoud)) {
final Lo3InschrijvingInhoud.Builder builder = new Lo3InschrijvingInhoud.Builder(result);
if (brpHistorie.getDatumAanvangGeldigheid() != null) {
// Cat 07 heeft geen onderzoek, dus null is ok
final BrpDatum datumAanvangGeldigheid = new BrpDatum(brpHistorie.getDatumAanvangGeldigheid().getWaarde(), null);
builder.setDatumOpschortingBijhouding(datumAanvangGeldigheid.converteerNaarLo3Datum());
}
return builder.build();
} else {
return result;
}
}
private boolean heeftRedenOpschorting(final BrpBijhoudingInhoud brpInhoud) {
return brpInhoud.getNadereBijhoudingsaardCode() != null
&& brpInhoud.getNadereBijhoudingsaardCode().getWaarde() != null
&& (BrpNadereBijhoudingsaardCode.VERTROKKEN_ONBEKEND_WAARHEEN.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.RECHTSTREEKS_NIET_INGEZETENE.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.EMIGRATIE.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.OVERLEDEN.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.MINISTERIEEL_BESLUIT.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.FOUT.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde()));
}
}
|
211678_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.levering.lo3.conversie.mutatie;
import java.util.HashSet;
import java.util.List;
import nl.bzk.brp.gba.dataaccess.VerConvRepository;
import nl.bzk.brp.levering.lo3.mapper.BijhoudingMapper;
import nl.bzk.brp.levering.lo3.mapper.OnderzoekMapper;
import nl.bzk.brp.logging.Logger;
import nl.bzk.brp.logging.LoggerFactory;
import nl.bzk.brp.model.MaterieleHistorieSet;
import nl.bzk.brp.model.MaterieleHistorieSetImpl;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.ElementEnum;
import nl.bzk.brp.model.logisch.verconv.LO3Voorkomen;
import nl.bzk.brp.model.operationeel.kern.ActieModel;
import nl.bzk.brp.model.operationeel.kern.HisPersoonBijhoudingModel;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpDatum;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpNadereBijhoudingsaardCode;
import nl.bzk.migratiebrp.conversie.model.brp.groep.BrpBijhoudingInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Documentatie;
import nl.bzk.migratiebrp.conversie.model.lo3.categorie.Lo3InschrijvingInhoud;
import nl.bzk.migratiebrp.conversie.regels.proces.brpnaarlo3.attributen.BrpInschrijvingConverteerder.BijhoudingConverteerder;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Component;
/**
* Verwerkt mutaties in persoon/bijhouding (voor inschrijving).
*/
@Component
public final class PersoonBijhoudingInschrijvingMutatieVerwerker
extends AbstractMaterieelMutatieVerwerker<Lo3InschrijvingInhoud, BrpBijhoudingInhoud, HisPersoonBijhoudingModel>
{
private static final Logger LOGGER = LoggerFactory.getLogger();
private static final MaterieleHistorieSet<HisPersoonBijhoudingModel> EMPTY_SET =
new MaterieleHistorieSetImpl<>(new HashSet<HisPersoonBijhoudingModel>());
@Autowired
private VerConvRepository verConvRepository;
/**
* Constructor.
*
* @param mapper
* mapper
* @param converteerder
* converteerder
*/
@Autowired
protected PersoonBijhoudingInschrijvingMutatieVerwerker(final BijhoudingMapper mapper, final BijhoudingConverteerder converteerder) {
super(mapper, converteerder, ElementEnum.PERSOON_INSCHRIJVING);
}
/**
* Bekijk of het actuele record van deze historie set via de lo3 herkomst is gekoppeld aan categorie 08. Als dit zo
* is, dan bevat deze set geen wijzigingen voor deze mutatieverwerker (cat 07) en moet de hele set worden genegeerd.
*/
@Override
protected MaterieleHistorieSet<HisPersoonBijhoudingModel> filterHistorieSet(
final MaterieleHistorieSet<HisPersoonBijhoudingModel> historieSet,
final List<Long> acties)
{
// Bepaal actie inhoud die aan administratieve handeling hangt.
ActieModel actueel = null;
for (final HisPersoonBijhoudingModel historie : historieSet) {
final ActieModel actieInhoud = historie.getVerantwoordingInhoud();
if (actieInhoud != null && acties.contains(actieInhoud.getID())) {
actueel = actieInhoud;
break;
}
}
// Bepaal of deze via lo3 herkomst uit cat 8 komt
final LO3Voorkomen lo3Voorkomen = verConvRepository.zoekLo3VoorkomenVoorActie(actueel);
if (lo3Voorkomen != null && lo3Voorkomen.getLO3Categorie() != null && "08".equals(lo3Voorkomen.getLO3Categorie().getWaarde())) {
// Zo ja, hele set niet gebruiken
LOGGER.info("Historie negeren; actuele actie inhoud is gekoppeld aan categorie 08");
return EMPTY_SET;
} else {
// Zo nee, hele set gebruiken
return historieSet;
}
}
@Override
protected Lo3Documentatie verwerkInhoudInDocumentatie(final HisPersoonBijhoudingModel brpHistorie, final Lo3Documentatie documentatie) {
// Geen documentatie voor categorie 07 (anders gaat groep 88 fout)
return null;
}
@Override
protected Lo3InschrijvingInhoud verwerkInhoud(
final Lo3InschrijvingInhoud lo3Inhoud,
final BrpBijhoudingInhoud brpInhoud,
final HisPersoonBijhoudingModel brpHistorie,
final OnderzoekMapper onderzoekMapper)
{
final Lo3InschrijvingInhoud result = super.verwerkInhoud(lo3Inhoud, brpInhoud, brpHistorie, onderzoekMapper);
if (heeftRedenOpschorting(brpInhoud)) {
final Lo3InschrijvingInhoud.Builder builder = new Lo3InschrijvingInhoud.Builder(result);
if (brpHistorie.getDatumAanvangGeldigheid() != null) {
// Cat 07 heeft geen onderzoek, dus null is ok
final BrpDatum datumAanvangGeldigheid = new BrpDatum(brpHistorie.getDatumAanvangGeldigheid().getWaarde(), null);
builder.setDatumOpschortingBijhouding(datumAanvangGeldigheid.converteerNaarLo3Datum());
}
return builder.build();
} else {
return result;
}
}
private boolean heeftRedenOpschorting(final BrpBijhoudingInhoud brpInhoud) {
return brpInhoud.getNadereBijhoudingsaardCode() != null
&& brpInhoud.getNadereBijhoudingsaardCode().getWaarde() != null
&& (BrpNadereBijhoudingsaardCode.VERTROKKEN_ONBEKEND_WAARHEEN.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.RECHTSTREEKS_NIET_INGEZETENE.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.EMIGRATIE.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.OVERLEDEN.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.MINISTERIEEL_BESLUIT.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.FOUT.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde()));
}
}
| MinBZK/OperatieBRP | 2016/brp 2016-02-09/gba/gba-conversie/src/main/java/nl/bzk/brp/levering/lo3/conversie/mutatie/PersoonBijhoudingInschrijvingMutatieVerwerker.java | 1,847 | // Geen documentatie voor categorie 07 (anders gaat groep 88 fout) | 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.levering.lo3.conversie.mutatie;
import java.util.HashSet;
import java.util.List;
import nl.bzk.brp.gba.dataaccess.VerConvRepository;
import nl.bzk.brp.levering.lo3.mapper.BijhoudingMapper;
import nl.bzk.brp.levering.lo3.mapper.OnderzoekMapper;
import nl.bzk.brp.logging.Logger;
import nl.bzk.brp.logging.LoggerFactory;
import nl.bzk.brp.model.MaterieleHistorieSet;
import nl.bzk.brp.model.MaterieleHistorieSetImpl;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.ElementEnum;
import nl.bzk.brp.model.logisch.verconv.LO3Voorkomen;
import nl.bzk.brp.model.operationeel.kern.ActieModel;
import nl.bzk.brp.model.operationeel.kern.HisPersoonBijhoudingModel;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpDatum;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpNadereBijhoudingsaardCode;
import nl.bzk.migratiebrp.conversie.model.brp.groep.BrpBijhoudingInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Documentatie;
import nl.bzk.migratiebrp.conversie.model.lo3.categorie.Lo3InschrijvingInhoud;
import nl.bzk.migratiebrp.conversie.regels.proces.brpnaarlo3.attributen.BrpInschrijvingConverteerder.BijhoudingConverteerder;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Component;
/**
* Verwerkt mutaties in persoon/bijhouding (voor inschrijving).
*/
@Component
public final class PersoonBijhoudingInschrijvingMutatieVerwerker
extends AbstractMaterieelMutatieVerwerker<Lo3InschrijvingInhoud, BrpBijhoudingInhoud, HisPersoonBijhoudingModel>
{
private static final Logger LOGGER = LoggerFactory.getLogger();
private static final MaterieleHistorieSet<HisPersoonBijhoudingModel> EMPTY_SET =
new MaterieleHistorieSetImpl<>(new HashSet<HisPersoonBijhoudingModel>());
@Autowired
private VerConvRepository verConvRepository;
/**
* Constructor.
*
* @param mapper
* mapper
* @param converteerder
* converteerder
*/
@Autowired
protected PersoonBijhoudingInschrijvingMutatieVerwerker(final BijhoudingMapper mapper, final BijhoudingConverteerder converteerder) {
super(mapper, converteerder, ElementEnum.PERSOON_INSCHRIJVING);
}
/**
* Bekijk of het actuele record van deze historie set via de lo3 herkomst is gekoppeld aan categorie 08. Als dit zo
* is, dan bevat deze set geen wijzigingen voor deze mutatieverwerker (cat 07) en moet de hele set worden genegeerd.
*/
@Override
protected MaterieleHistorieSet<HisPersoonBijhoudingModel> filterHistorieSet(
final MaterieleHistorieSet<HisPersoonBijhoudingModel> historieSet,
final List<Long> acties)
{
// Bepaal actie inhoud die aan administratieve handeling hangt.
ActieModel actueel = null;
for (final HisPersoonBijhoudingModel historie : historieSet) {
final ActieModel actieInhoud = historie.getVerantwoordingInhoud();
if (actieInhoud != null && acties.contains(actieInhoud.getID())) {
actueel = actieInhoud;
break;
}
}
// Bepaal of deze via lo3 herkomst uit cat 8 komt
final LO3Voorkomen lo3Voorkomen = verConvRepository.zoekLo3VoorkomenVoorActie(actueel);
if (lo3Voorkomen != null && lo3Voorkomen.getLO3Categorie() != null && "08".equals(lo3Voorkomen.getLO3Categorie().getWaarde())) {
// Zo ja, hele set niet gebruiken
LOGGER.info("Historie negeren; actuele actie inhoud is gekoppeld aan categorie 08");
return EMPTY_SET;
} else {
// Zo nee, hele set gebruiken
return historieSet;
}
}
@Override
protected Lo3Documentatie verwerkInhoudInDocumentatie(final HisPersoonBijhoudingModel brpHistorie, final Lo3Documentatie documentatie) {
// Geen documentatie<SUF>
return null;
}
@Override
protected Lo3InschrijvingInhoud verwerkInhoud(
final Lo3InschrijvingInhoud lo3Inhoud,
final BrpBijhoudingInhoud brpInhoud,
final HisPersoonBijhoudingModel brpHistorie,
final OnderzoekMapper onderzoekMapper)
{
final Lo3InschrijvingInhoud result = super.verwerkInhoud(lo3Inhoud, brpInhoud, brpHistorie, onderzoekMapper);
if (heeftRedenOpschorting(brpInhoud)) {
final Lo3InschrijvingInhoud.Builder builder = new Lo3InschrijvingInhoud.Builder(result);
if (brpHistorie.getDatumAanvangGeldigheid() != null) {
// Cat 07 heeft geen onderzoek, dus null is ok
final BrpDatum datumAanvangGeldigheid = new BrpDatum(brpHistorie.getDatumAanvangGeldigheid().getWaarde(), null);
builder.setDatumOpschortingBijhouding(datumAanvangGeldigheid.converteerNaarLo3Datum());
}
return builder.build();
} else {
return result;
}
}
private boolean heeftRedenOpschorting(final BrpBijhoudingInhoud brpInhoud) {
return brpInhoud.getNadereBijhoudingsaardCode() != null
&& brpInhoud.getNadereBijhoudingsaardCode().getWaarde() != null
&& (BrpNadereBijhoudingsaardCode.VERTROKKEN_ONBEKEND_WAARHEEN.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.RECHTSTREEKS_NIET_INGEZETENE.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.EMIGRATIE.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.OVERLEDEN.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.MINISTERIEEL_BESLUIT.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.FOUT.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde()));
}
}
|
211678_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.levering.lo3.conversie.mutatie;
import java.util.HashSet;
import java.util.List;
import nl.bzk.brp.gba.dataaccess.VerConvRepository;
import nl.bzk.brp.levering.lo3.mapper.BijhoudingMapper;
import nl.bzk.brp.levering.lo3.mapper.OnderzoekMapper;
import nl.bzk.brp.logging.Logger;
import nl.bzk.brp.logging.LoggerFactory;
import nl.bzk.brp.model.MaterieleHistorieSet;
import nl.bzk.brp.model.MaterieleHistorieSetImpl;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.ElementEnum;
import nl.bzk.brp.model.logisch.verconv.LO3Voorkomen;
import nl.bzk.brp.model.operationeel.kern.ActieModel;
import nl.bzk.brp.model.operationeel.kern.HisPersoonBijhoudingModel;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpDatum;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpNadereBijhoudingsaardCode;
import nl.bzk.migratiebrp.conversie.model.brp.groep.BrpBijhoudingInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Documentatie;
import nl.bzk.migratiebrp.conversie.model.lo3.categorie.Lo3InschrijvingInhoud;
import nl.bzk.migratiebrp.conversie.regels.proces.brpnaarlo3.attributen.BrpInschrijvingConverteerder.BijhoudingConverteerder;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Component;
/**
* Verwerkt mutaties in persoon/bijhouding (voor inschrijving).
*/
@Component
public final class PersoonBijhoudingInschrijvingMutatieVerwerker
extends AbstractMaterieelMutatieVerwerker<Lo3InschrijvingInhoud, BrpBijhoudingInhoud, HisPersoonBijhoudingModel>
{
private static final Logger LOGGER = LoggerFactory.getLogger();
private static final MaterieleHistorieSet<HisPersoonBijhoudingModel> EMPTY_SET =
new MaterieleHistorieSetImpl<>(new HashSet<HisPersoonBijhoudingModel>());
@Autowired
private VerConvRepository verConvRepository;
/**
* Constructor.
*
* @param mapper
* mapper
* @param converteerder
* converteerder
*/
@Autowired
protected PersoonBijhoudingInschrijvingMutatieVerwerker(final BijhoudingMapper mapper, final BijhoudingConverteerder converteerder) {
super(mapper, converteerder, ElementEnum.PERSOON_INSCHRIJVING);
}
/**
* Bekijk of het actuele record van deze historie set via de lo3 herkomst is gekoppeld aan categorie 08. Als dit zo
* is, dan bevat deze set geen wijzigingen voor deze mutatieverwerker (cat 07) en moet de hele set worden genegeerd.
*/
@Override
protected MaterieleHistorieSet<HisPersoonBijhoudingModel> filterHistorieSet(
final MaterieleHistorieSet<HisPersoonBijhoudingModel> historieSet,
final List<Long> acties)
{
// Bepaal actie inhoud die aan administratieve handeling hangt.
ActieModel actueel = null;
for (final HisPersoonBijhoudingModel historie : historieSet) {
final ActieModel actieInhoud = historie.getVerantwoordingInhoud();
if (actieInhoud != null && acties.contains(actieInhoud.getID())) {
actueel = actieInhoud;
break;
}
}
// Bepaal of deze via lo3 herkomst uit cat 8 komt
final LO3Voorkomen lo3Voorkomen = verConvRepository.zoekLo3VoorkomenVoorActie(actueel);
if (lo3Voorkomen != null && lo3Voorkomen.getLO3Categorie() != null && "08".equals(lo3Voorkomen.getLO3Categorie().getWaarde())) {
// Zo ja, hele set niet gebruiken
LOGGER.info("Historie negeren; actuele actie inhoud is gekoppeld aan categorie 08");
return EMPTY_SET;
} else {
// Zo nee, hele set gebruiken
return historieSet;
}
}
@Override
protected Lo3Documentatie verwerkInhoudInDocumentatie(final HisPersoonBijhoudingModel brpHistorie, final Lo3Documentatie documentatie) {
// Geen documentatie voor categorie 07 (anders gaat groep 88 fout)
return null;
}
@Override
protected Lo3InschrijvingInhoud verwerkInhoud(
final Lo3InschrijvingInhoud lo3Inhoud,
final BrpBijhoudingInhoud brpInhoud,
final HisPersoonBijhoudingModel brpHistorie,
final OnderzoekMapper onderzoekMapper)
{
final Lo3InschrijvingInhoud result = super.verwerkInhoud(lo3Inhoud, brpInhoud, brpHistorie, onderzoekMapper);
if (heeftRedenOpschorting(brpInhoud)) {
final Lo3InschrijvingInhoud.Builder builder = new Lo3InschrijvingInhoud.Builder(result);
if (brpHistorie.getDatumAanvangGeldigheid() != null) {
// Cat 07 heeft geen onderzoek, dus null is ok
final BrpDatum datumAanvangGeldigheid = new BrpDatum(brpHistorie.getDatumAanvangGeldigheid().getWaarde(), null);
builder.setDatumOpschortingBijhouding(datumAanvangGeldigheid.converteerNaarLo3Datum());
}
return builder.build();
} else {
return result;
}
}
private boolean heeftRedenOpschorting(final BrpBijhoudingInhoud brpInhoud) {
return brpInhoud.getNadereBijhoudingsaardCode() != null
&& brpInhoud.getNadereBijhoudingsaardCode().getWaarde() != null
&& (BrpNadereBijhoudingsaardCode.VERTROKKEN_ONBEKEND_WAARHEEN.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.RECHTSTREEKS_NIET_INGEZETENE.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.EMIGRATIE.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.OVERLEDEN.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.MINISTERIEEL_BESLUIT.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.FOUT.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde()));
}
}
| MinBZK/OperatieBRP | 2016/brp 2016-02-09/gba/gba-conversie/src/main/java/nl/bzk/brp/levering/lo3/conversie/mutatie/PersoonBijhoudingInschrijvingMutatieVerwerker.java | 1,847 | // Cat 07 heeft geen onderzoek, dus null is ok | 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.levering.lo3.conversie.mutatie;
import java.util.HashSet;
import java.util.List;
import nl.bzk.brp.gba.dataaccess.VerConvRepository;
import nl.bzk.brp.levering.lo3.mapper.BijhoudingMapper;
import nl.bzk.brp.levering.lo3.mapper.OnderzoekMapper;
import nl.bzk.brp.logging.Logger;
import nl.bzk.brp.logging.LoggerFactory;
import nl.bzk.brp.model.MaterieleHistorieSet;
import nl.bzk.brp.model.MaterieleHistorieSetImpl;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.ElementEnum;
import nl.bzk.brp.model.logisch.verconv.LO3Voorkomen;
import nl.bzk.brp.model.operationeel.kern.ActieModel;
import nl.bzk.brp.model.operationeel.kern.HisPersoonBijhoudingModel;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpDatum;
import nl.bzk.migratiebrp.conversie.model.brp.attribuut.BrpNadereBijhoudingsaardCode;
import nl.bzk.migratiebrp.conversie.model.brp.groep.BrpBijhoudingInhoud;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Documentatie;
import nl.bzk.migratiebrp.conversie.model.lo3.categorie.Lo3InschrijvingInhoud;
import nl.bzk.migratiebrp.conversie.regels.proces.brpnaarlo3.attributen.BrpInschrijvingConverteerder.BijhoudingConverteerder;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Component;
/**
* Verwerkt mutaties in persoon/bijhouding (voor inschrijving).
*/
@Component
public final class PersoonBijhoudingInschrijvingMutatieVerwerker
extends AbstractMaterieelMutatieVerwerker<Lo3InschrijvingInhoud, BrpBijhoudingInhoud, HisPersoonBijhoudingModel>
{
private static final Logger LOGGER = LoggerFactory.getLogger();
private static final MaterieleHistorieSet<HisPersoonBijhoudingModel> EMPTY_SET =
new MaterieleHistorieSetImpl<>(new HashSet<HisPersoonBijhoudingModel>());
@Autowired
private VerConvRepository verConvRepository;
/**
* Constructor.
*
* @param mapper
* mapper
* @param converteerder
* converteerder
*/
@Autowired
protected PersoonBijhoudingInschrijvingMutatieVerwerker(final BijhoudingMapper mapper, final BijhoudingConverteerder converteerder) {
super(mapper, converteerder, ElementEnum.PERSOON_INSCHRIJVING);
}
/**
* Bekijk of het actuele record van deze historie set via de lo3 herkomst is gekoppeld aan categorie 08. Als dit zo
* is, dan bevat deze set geen wijzigingen voor deze mutatieverwerker (cat 07) en moet de hele set worden genegeerd.
*/
@Override
protected MaterieleHistorieSet<HisPersoonBijhoudingModel> filterHistorieSet(
final MaterieleHistorieSet<HisPersoonBijhoudingModel> historieSet,
final List<Long> acties)
{
// Bepaal actie inhoud die aan administratieve handeling hangt.
ActieModel actueel = null;
for (final HisPersoonBijhoudingModel historie : historieSet) {
final ActieModel actieInhoud = historie.getVerantwoordingInhoud();
if (actieInhoud != null && acties.contains(actieInhoud.getID())) {
actueel = actieInhoud;
break;
}
}
// Bepaal of deze via lo3 herkomst uit cat 8 komt
final LO3Voorkomen lo3Voorkomen = verConvRepository.zoekLo3VoorkomenVoorActie(actueel);
if (lo3Voorkomen != null && lo3Voorkomen.getLO3Categorie() != null && "08".equals(lo3Voorkomen.getLO3Categorie().getWaarde())) {
// Zo ja, hele set niet gebruiken
LOGGER.info("Historie negeren; actuele actie inhoud is gekoppeld aan categorie 08");
return EMPTY_SET;
} else {
// Zo nee, hele set gebruiken
return historieSet;
}
}
@Override
protected Lo3Documentatie verwerkInhoudInDocumentatie(final HisPersoonBijhoudingModel brpHistorie, final Lo3Documentatie documentatie) {
// Geen documentatie voor categorie 07 (anders gaat groep 88 fout)
return null;
}
@Override
protected Lo3InschrijvingInhoud verwerkInhoud(
final Lo3InschrijvingInhoud lo3Inhoud,
final BrpBijhoudingInhoud brpInhoud,
final HisPersoonBijhoudingModel brpHistorie,
final OnderzoekMapper onderzoekMapper)
{
final Lo3InschrijvingInhoud result = super.verwerkInhoud(lo3Inhoud, brpInhoud, brpHistorie, onderzoekMapper);
if (heeftRedenOpschorting(brpInhoud)) {
final Lo3InschrijvingInhoud.Builder builder = new Lo3InschrijvingInhoud.Builder(result);
if (brpHistorie.getDatumAanvangGeldigheid() != null) {
// Cat 07<SUF>
final BrpDatum datumAanvangGeldigheid = new BrpDatum(brpHistorie.getDatumAanvangGeldigheid().getWaarde(), null);
builder.setDatumOpschortingBijhouding(datumAanvangGeldigheid.converteerNaarLo3Datum());
}
return builder.build();
} else {
return result;
}
}
private boolean heeftRedenOpschorting(final BrpBijhoudingInhoud brpInhoud) {
return brpInhoud.getNadereBijhoudingsaardCode() != null
&& brpInhoud.getNadereBijhoudingsaardCode().getWaarde() != null
&& (BrpNadereBijhoudingsaardCode.VERTROKKEN_ONBEKEND_WAARHEEN.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.RECHTSTREEKS_NIET_INGEZETENE.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.EMIGRATIE.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.OVERLEDEN.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.MINISTERIEEL_BESLUIT.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde())
|| BrpNadereBijhoudingsaardCode.FOUT.getWaarde().equals(brpInhoud.getNadereBijhoudingsaardCode().getWaarde()));
}
}
|
211680_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.bijhouding.business.regels.impl.gegevenset.persoon.bijhouding;
import java.util.List;
import nl.bzk.brp.bijhouding.business.regels.Afleidingsregel;
import nl.bzk.brp.dataaccess.repository.ReferentieDataRepository;
import nl.bzk.brp.model.algemeen.attribuuttype.kern.DatumEvtDeelsOnbekendAttribuut;
import nl.bzk.brp.model.algemeen.attribuuttype.kern.DatumTijdAttribuut;
import nl.bzk.brp.model.algemeen.attribuuttype.kern.NaamEnumeratiewaardeAttribuut;
import nl.bzk.brp.model.algemeen.attribuuttype.kern.PartijCodeAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Bijhoudingsaard;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.LandGebied;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.NadereBijhoudingsaard;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Partij;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Regel;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortActie;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortActieAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortAdministratieveHandeling;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortAdministratieveHandelingAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortDocument;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortDocumentAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortMigratie;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortPersoon;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.TestPartijBuilder;
import nl.bzk.brp.model.hisvolledig.impl.kern.PersoonHisVolledigImpl;
import nl.bzk.brp.model.operationeel.kern.ActieBronModel;
import nl.bzk.brp.model.operationeel.kern.ActieModel;
import nl.bzk.brp.model.operationeel.kern.AdministratieveHandelingModel;
import nl.bzk.brp.model.operationeel.kern.DocumentModel;
import nl.bzk.brp.model.operationeel.kern.HisPersoonBijhoudingModel;
import nl.bzk.brp.util.hisvolledig.kern.PersoonHisVolledigImplBuilder;
import org.junit.Assert;
import org.junit.Before;
import org.junit.Test;
import org.mockito.Mock;
import org.mockito.Mockito;
import org.mockito.MockitoAnnotations;
import org.springframework.test.util.ReflectionTestUtils;
public class BijhoudingAfleidingDoorEmigratieTest {
@Mock
private ReferentieDataRepository referentieDataRepository;
private final LandGebied afghanistan = new LandGebied(null, null, null, null, null);
private final SoortDocument ministerBesluit =
new SoortDocument(NaamEnumeratiewaardeAttribuut.DOCUMENT_NAAM_MINISTERIEEL_BESLUIT, null, null);
private final SoortDocument koninklijkBesluit =
new SoortDocument(NaamEnumeratiewaardeAttribuut.DOCUMENT_NAAM_KONINKLIJK_BESLUIT, null, null);
private final Partij ministertje = TestPartijBuilder.maker().metNaam("ministertje").maak();
@Before
public void init() {
MockitoAnnotations.initMocks(this);
Mockito.when(referentieDataRepository.vindPartijOpCode(PartijCodeAttribuut.MINISTER))
.thenReturn(ministertje);
}
@Test
public void testLeidAfPersoonIsNietIngezetene() {
final ActieModel actieModel = maakActie(null);
final PersoonHisVolledigImpl persoonHisVolledig =
maakPersoonModel(Bijhoudingsaard.NIET_INGEZETENE, SoortMigratie.EMIGRATIE, afghanistan);
final List<Afleidingsregel> afleidingsregels =
new BijhoudingAfleidingDoorEmigratie(persoonHisVolledig, actieModel).leidAf().getVervolgAfleidingen();
//Geen recordjes dus bijgekomen!
Assert.assertEquals(1, persoonHisVolledig.getPersoonBijhoudingHistorie().getAantal());
Assert.assertTrue(afleidingsregels.isEmpty());
}
@Test
public void testLeidAfPersoonIsGeimigreerd() {
final ActieModel actieModel = maakActie(null);
final PersoonHisVolledigImpl persoonHisVolledig =
maakPersoonModel(Bijhoudingsaard.INGEZETENE, SoortMigratie.IMMIGRATIE, afghanistan);
final List<Afleidingsregel> afleidingsregels =
new BijhoudingAfleidingDoorEmigratie(persoonHisVolledig, actieModel).leidAf().getVervolgAfleidingen();
//Geen recordjes dus bijgekomen!
Assert.assertEquals(1, persoonHisVolledig.getPersoonBijhoudingHistorie().getAantal());
Assert.assertTrue(afleidingsregels.isEmpty());
}
@Test
public void testLeidAfEmigratie() {
final ActieModel actieModel = maakActie(null);
final PersoonHisVolledigImpl persoonHisVolledig =
maakPersoonModel(Bijhoudingsaard.INGEZETENE, SoortMigratie.EMIGRATIE, afghanistan);
final BijhoudingAfleidingDoorEmigratie bijhoudingAfleidingDoorEmigratie =
new BijhoudingAfleidingDoorEmigratie(persoonHisVolledig, actieModel);
ReflectionTestUtils.setField(bijhoudingAfleidingDoorEmigratie, "referentieDataRepository", referentieDataRepository);
final List<Afleidingsregel> afleidingsregels = bijhoudingAfleidingDoorEmigratie.leidAf().getVervolgAfleidingen();
Assert.assertEquals(3, persoonHisVolledig.getPersoonBijhoudingHistorie().getAantal());
final HisPersoonBijhoudingModel afgeleideBijhouding =
persoonHisVolledig.getPersoonBijhoudingHistorie().getActueleRecord();
Assert.assertEquals(NadereBijhoudingsaard.EMIGRATIE, afgeleideBijhouding.getNadereBijhoudingsaard().getWaarde());
Assert.assertEquals(Bijhoudingsaard.NIET_INGEZETENE, afgeleideBijhouding.getBijhoudingsaard().getWaarde());
Assert.assertEquals(ministertje, afgeleideBijhouding.getBijhoudingspartij().getWaarde());
Assert.assertNull(afgeleideBijhouding.getIndicatieOnverwerktDocumentAanwezig());
Assert.assertEquals(20140101, afgeleideBijhouding.getDatumAanvangGeldigheid().getWaarde().intValue());
Assert.assertTrue(afleidingsregels.isEmpty());
}
@Test
public void testLeidAfVertrokkenNaarOnbekendWaarheen() {
final ActieModel actieModel = maakActie(null);
final PersoonHisVolledigImpl persoonHisVolledig =
maakPersoonModel(Bijhoudingsaard.INGEZETENE, SoortMigratie.EMIGRATIE, null);
final BijhoudingAfleidingDoorEmigratie bijhoudingAfleidingDoorEmigratie =
new BijhoudingAfleidingDoorEmigratie(persoonHisVolledig, actieModel);
ReflectionTestUtils.setField(bijhoudingAfleidingDoorEmigratie, "referentieDataRepository", referentieDataRepository);
final List<Afleidingsregel> afleidingsregels = bijhoudingAfleidingDoorEmigratie.leidAf().getVervolgAfleidingen();
Assert.assertEquals(3, persoonHisVolledig.getPersoonBijhoudingHistorie().getAantal());
final HisPersoonBijhoudingModel afgeleideBijhouding =
persoonHisVolledig.getPersoonBijhoudingHistorie().getActueleRecord();
Assert.assertEquals(NadereBijhoudingsaard.VERTROKKEN_ONBEKEND_WAARHEEN,
afgeleideBijhouding.getNadereBijhoudingsaard().getWaarde());
Assert.assertEquals(Bijhoudingsaard.NIET_INGEZETENE, afgeleideBijhouding.getBijhoudingsaard().getWaarde());
Assert.assertEquals(ministertje, afgeleideBijhouding.getBijhoudingspartij().getWaarde());
Assert.assertNull(afgeleideBijhouding.getIndicatieOnverwerktDocumentAanwezig());
Assert.assertEquals(20140101, afgeleideBijhouding.getDatumAanvangGeldigheid().getWaarde().intValue());
Assert.assertTrue(afleidingsregels.isEmpty());
}
@Test
public void testLeidAfMinistrieelBesluit() {
final ActieModel actieModel = maakActie(ministerBesluit);
final PersoonHisVolledigImpl persoonHisVolledig =
maakPersoonModel(Bijhoudingsaard.INGEZETENE, SoortMigratie.EMIGRATIE, afghanistan);
final BijhoudingAfleidingDoorEmigratie bijhoudingAfleidingDoorEmigratie =
new BijhoudingAfleidingDoorEmigratie(persoonHisVolledig, actieModel);
ReflectionTestUtils.setField(bijhoudingAfleidingDoorEmigratie, "referentieDataRepository", referentieDataRepository);
final List<Afleidingsregel> afleidingsregels = bijhoudingAfleidingDoorEmigratie.leidAf().getVervolgAfleidingen();
Assert.assertEquals(3, persoonHisVolledig.getPersoonBijhoudingHistorie().getAantal());
final HisPersoonBijhoudingModel afgeleideBijhouding =
persoonHisVolledig.getPersoonBijhoudingHistorie().getActueleRecord();
Assert.assertEquals(NadereBijhoudingsaard.MINISTERIEEL_BESLUIT,
afgeleideBijhouding.getNadereBijhoudingsaard().getWaarde());
Assert.assertEquals(Bijhoudingsaard.NIET_INGEZETENE, afgeleideBijhouding.getBijhoudingsaard().getWaarde());
Assert.assertEquals(ministertje, afgeleideBijhouding.getBijhoudingspartij().getWaarde());
Assert.assertNull(afgeleideBijhouding.getIndicatieOnverwerktDocumentAanwezig());
Assert.assertEquals(20140101, afgeleideBijhouding.getDatumAanvangGeldigheid().getWaarde().intValue());
Assert.assertTrue(afleidingsregels.isEmpty());
}
@Test
public void testLeidAfVertrokkenOnbekendWaarheenOndanksMinistrieelBesluit() {
final ActieModel actieModel = maakActie(ministerBesluit);
final PersoonHisVolledigImpl persoonHisVolledig =
maakPersoonModel(Bijhoudingsaard.INGEZETENE, SoortMigratie.EMIGRATIE, null);
final BijhoudingAfleidingDoorEmigratie bijhoudingAfleidingDoorEmigratie =
new BijhoudingAfleidingDoorEmigratie(persoonHisVolledig, actieModel);
ReflectionTestUtils.setField(bijhoudingAfleidingDoorEmigratie, "referentieDataRepository", referentieDataRepository);
final List<Afleidingsregel> afleidingsregels = bijhoudingAfleidingDoorEmigratie.leidAf().getVervolgAfleidingen();
Assert.assertEquals(3, persoonHisVolledig.getPersoonBijhoudingHistorie().getAantal());
final HisPersoonBijhoudingModel afgeleideBijhouding =
persoonHisVolledig.getPersoonBijhoudingHistorie().getActueleRecord();
Assert.assertEquals(NadereBijhoudingsaard.VERTROKKEN_ONBEKEND_WAARHEEN,
afgeleideBijhouding.getNadereBijhoudingsaard().getWaarde());
Assert.assertEquals(Bijhoudingsaard.NIET_INGEZETENE, afgeleideBijhouding.getBijhoudingsaard().getWaarde());
Assert.assertEquals(ministertje, afgeleideBijhouding.getBijhoudingspartij().getWaarde());
Assert.assertNull(afgeleideBijhouding.getIndicatieOnverwerktDocumentAanwezig());
Assert.assertEquals(20140101, afgeleideBijhouding.getDatumAanvangGeldigheid().getWaarde().intValue());
Assert.assertTrue(afleidingsregels.isEmpty());
}
@Test
public void testLeidAfAnderSoortDocumentAlsVerantwoording() {
final ActieModel actieModel = maakActie(koninklijkBesluit);
final PersoonHisVolledigImpl persoonHisVolledig =
maakPersoonModel(Bijhoudingsaard.INGEZETENE, SoortMigratie.EMIGRATIE, afghanistan);
final BijhoudingAfleidingDoorEmigratie bijhoudingAfleidingDoorEmigratie =
new BijhoudingAfleidingDoorEmigratie(persoonHisVolledig, actieModel);
ReflectionTestUtils.setField(bijhoudingAfleidingDoorEmigratie, "referentieDataRepository", referentieDataRepository);
final List<Afleidingsregel> afleidingsregels = bijhoudingAfleidingDoorEmigratie.leidAf().getVervolgAfleidingen();
Assert.assertEquals(3, persoonHisVolledig.getPersoonBijhoudingHistorie().getAantal());
final HisPersoonBijhoudingModel afgeleideBijhouding =
persoonHisVolledig.getPersoonBijhoudingHistorie().getActueleRecord();
Assert.assertEquals(NadereBijhoudingsaard.EMIGRATIE,
afgeleideBijhouding.getNadereBijhoudingsaard().getWaarde());
Assert.assertEquals(Bijhoudingsaard.NIET_INGEZETENE, afgeleideBijhouding.getBijhoudingsaard().getWaarde());
Assert.assertEquals(ministertje, afgeleideBijhouding.getBijhoudingspartij().getWaarde());
Assert.assertNull(afgeleideBijhouding.getIndicatieOnverwerktDocumentAanwezig());
Assert.assertEquals(20140101, afgeleideBijhouding.getDatumAanvangGeldigheid().getWaarde().intValue());
Assert.assertTrue(afleidingsregels.isEmpty());
}
private ActieModel maakActie(final SoortDocument verantwoordingDocument) {
final ActieModel actieModel = new ActieModel(
new SoortActieAttribuut(SoortActie.REGISTRATIE_MIGRATIE),
new AdministratieveHandelingModel(
new SoortAdministratieveHandelingAttribuut(SoortAdministratieveHandeling.VERHUIZING_NAAR_BUITENLAND),
null,
null,
null),
null,
new DatumEvtDeelsOnbekendAttribuut(20140101),
null,
DatumTijdAttribuut.nu(), null);
if (verantwoordingDocument != null) {
DocumentModel documentModel = new DocumentModel(new SoortDocumentAttribuut(verantwoordingDocument));
ActieBronModel actieBronModel = new ActieBronModel(actieModel, documentModel, null, null);
actieModel.getBronnen().add(actieBronModel);
}
return actieModel;
}
private PersoonHisVolledigImpl maakPersoonModel(final Bijhoudingsaard huidigeBijhAard,
final SoortMigratie huidigeSoortMigratie,
final LandGebied landGebiedMigratie)
{
if (landGebiedMigratie == null) {
return new PersoonHisVolledigImplBuilder(SoortPersoon.INGESCHREVENE)
.nieuwMigratieRecord(20120101, null, 20120101)
.soortMigratie(huidigeSoortMigratie).eindeRecord()
.nieuwBijhoudingRecord(20120101, null, 20120101)
.bijhoudingsaard(huidigeBijhAard).eindeRecord().build();
} else {
return new PersoonHisVolledigImplBuilder(SoortPersoon.INGESCHREVENE)
.nieuwMigratieRecord(20120101, null, 20120101)
.soortMigratie(huidigeSoortMigratie)
.landGebiedMigratie(landGebiedMigratie).eindeRecord()
.nieuwBijhoudingRecord(20120101, null, 20120101)
.bijhoudingsaard(huidigeBijhAard).eindeRecord().build();
}
}
@Test
public void testGetRegel() {
Assert.assertEquals(Regel.VR00015b, new BijhoudingAfleidingDoorEmigratie(null, null).getRegel());
}
}
| MinBZK/OperatieBRP | 2016/brp 2016-02-09/bijhouding/business/src/test/java/nl/bzk/brp/bijhouding/business/regels/impl/gegevenset/persoon/bijhouding/BijhoudingAfleidingDoorEmigratieTest.java | 4,367 | //Geen recordjes dus bijgekomen!
| 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.bijhouding.business.regels.impl.gegevenset.persoon.bijhouding;
import java.util.List;
import nl.bzk.brp.bijhouding.business.regels.Afleidingsregel;
import nl.bzk.brp.dataaccess.repository.ReferentieDataRepository;
import nl.bzk.brp.model.algemeen.attribuuttype.kern.DatumEvtDeelsOnbekendAttribuut;
import nl.bzk.brp.model.algemeen.attribuuttype.kern.DatumTijdAttribuut;
import nl.bzk.brp.model.algemeen.attribuuttype.kern.NaamEnumeratiewaardeAttribuut;
import nl.bzk.brp.model.algemeen.attribuuttype.kern.PartijCodeAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Bijhoudingsaard;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.LandGebied;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.NadereBijhoudingsaard;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Partij;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Regel;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortActie;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortActieAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortAdministratieveHandeling;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortAdministratieveHandelingAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortDocument;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortDocumentAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortMigratie;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortPersoon;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.TestPartijBuilder;
import nl.bzk.brp.model.hisvolledig.impl.kern.PersoonHisVolledigImpl;
import nl.bzk.brp.model.operationeel.kern.ActieBronModel;
import nl.bzk.brp.model.operationeel.kern.ActieModel;
import nl.bzk.brp.model.operationeel.kern.AdministratieveHandelingModel;
import nl.bzk.brp.model.operationeel.kern.DocumentModel;
import nl.bzk.brp.model.operationeel.kern.HisPersoonBijhoudingModel;
import nl.bzk.brp.util.hisvolledig.kern.PersoonHisVolledigImplBuilder;
import org.junit.Assert;
import org.junit.Before;
import org.junit.Test;
import org.mockito.Mock;
import org.mockito.Mockito;
import org.mockito.MockitoAnnotations;
import org.springframework.test.util.ReflectionTestUtils;
public class BijhoudingAfleidingDoorEmigratieTest {
@Mock
private ReferentieDataRepository referentieDataRepository;
private final LandGebied afghanistan = new LandGebied(null, null, null, null, null);
private final SoortDocument ministerBesluit =
new SoortDocument(NaamEnumeratiewaardeAttribuut.DOCUMENT_NAAM_MINISTERIEEL_BESLUIT, null, null);
private final SoortDocument koninklijkBesluit =
new SoortDocument(NaamEnumeratiewaardeAttribuut.DOCUMENT_NAAM_KONINKLIJK_BESLUIT, null, null);
private final Partij ministertje = TestPartijBuilder.maker().metNaam("ministertje").maak();
@Before
public void init() {
MockitoAnnotations.initMocks(this);
Mockito.when(referentieDataRepository.vindPartijOpCode(PartijCodeAttribuut.MINISTER))
.thenReturn(ministertje);
}
@Test
public void testLeidAfPersoonIsNietIngezetene() {
final ActieModel actieModel = maakActie(null);
final PersoonHisVolledigImpl persoonHisVolledig =
maakPersoonModel(Bijhoudingsaard.NIET_INGEZETENE, SoortMigratie.EMIGRATIE, afghanistan);
final List<Afleidingsregel> afleidingsregels =
new BijhoudingAfleidingDoorEmigratie(persoonHisVolledig, actieModel).leidAf().getVervolgAfleidingen();
//Geen recordjes<SUF>
Assert.assertEquals(1, persoonHisVolledig.getPersoonBijhoudingHistorie().getAantal());
Assert.assertTrue(afleidingsregels.isEmpty());
}
@Test
public void testLeidAfPersoonIsGeimigreerd() {
final ActieModel actieModel = maakActie(null);
final PersoonHisVolledigImpl persoonHisVolledig =
maakPersoonModel(Bijhoudingsaard.INGEZETENE, SoortMigratie.IMMIGRATIE, afghanistan);
final List<Afleidingsregel> afleidingsregels =
new BijhoudingAfleidingDoorEmigratie(persoonHisVolledig, actieModel).leidAf().getVervolgAfleidingen();
//Geen recordjes dus bijgekomen!
Assert.assertEquals(1, persoonHisVolledig.getPersoonBijhoudingHistorie().getAantal());
Assert.assertTrue(afleidingsregels.isEmpty());
}
@Test
public void testLeidAfEmigratie() {
final ActieModel actieModel = maakActie(null);
final PersoonHisVolledigImpl persoonHisVolledig =
maakPersoonModel(Bijhoudingsaard.INGEZETENE, SoortMigratie.EMIGRATIE, afghanistan);
final BijhoudingAfleidingDoorEmigratie bijhoudingAfleidingDoorEmigratie =
new BijhoudingAfleidingDoorEmigratie(persoonHisVolledig, actieModel);
ReflectionTestUtils.setField(bijhoudingAfleidingDoorEmigratie, "referentieDataRepository", referentieDataRepository);
final List<Afleidingsregel> afleidingsregels = bijhoudingAfleidingDoorEmigratie.leidAf().getVervolgAfleidingen();
Assert.assertEquals(3, persoonHisVolledig.getPersoonBijhoudingHistorie().getAantal());
final HisPersoonBijhoudingModel afgeleideBijhouding =
persoonHisVolledig.getPersoonBijhoudingHistorie().getActueleRecord();
Assert.assertEquals(NadereBijhoudingsaard.EMIGRATIE, afgeleideBijhouding.getNadereBijhoudingsaard().getWaarde());
Assert.assertEquals(Bijhoudingsaard.NIET_INGEZETENE, afgeleideBijhouding.getBijhoudingsaard().getWaarde());
Assert.assertEquals(ministertje, afgeleideBijhouding.getBijhoudingspartij().getWaarde());
Assert.assertNull(afgeleideBijhouding.getIndicatieOnverwerktDocumentAanwezig());
Assert.assertEquals(20140101, afgeleideBijhouding.getDatumAanvangGeldigheid().getWaarde().intValue());
Assert.assertTrue(afleidingsregels.isEmpty());
}
@Test
public void testLeidAfVertrokkenNaarOnbekendWaarheen() {
final ActieModel actieModel = maakActie(null);
final PersoonHisVolledigImpl persoonHisVolledig =
maakPersoonModel(Bijhoudingsaard.INGEZETENE, SoortMigratie.EMIGRATIE, null);
final BijhoudingAfleidingDoorEmigratie bijhoudingAfleidingDoorEmigratie =
new BijhoudingAfleidingDoorEmigratie(persoonHisVolledig, actieModel);
ReflectionTestUtils.setField(bijhoudingAfleidingDoorEmigratie, "referentieDataRepository", referentieDataRepository);
final List<Afleidingsregel> afleidingsregels = bijhoudingAfleidingDoorEmigratie.leidAf().getVervolgAfleidingen();
Assert.assertEquals(3, persoonHisVolledig.getPersoonBijhoudingHistorie().getAantal());
final HisPersoonBijhoudingModel afgeleideBijhouding =
persoonHisVolledig.getPersoonBijhoudingHistorie().getActueleRecord();
Assert.assertEquals(NadereBijhoudingsaard.VERTROKKEN_ONBEKEND_WAARHEEN,
afgeleideBijhouding.getNadereBijhoudingsaard().getWaarde());
Assert.assertEquals(Bijhoudingsaard.NIET_INGEZETENE, afgeleideBijhouding.getBijhoudingsaard().getWaarde());
Assert.assertEquals(ministertje, afgeleideBijhouding.getBijhoudingspartij().getWaarde());
Assert.assertNull(afgeleideBijhouding.getIndicatieOnverwerktDocumentAanwezig());
Assert.assertEquals(20140101, afgeleideBijhouding.getDatumAanvangGeldigheid().getWaarde().intValue());
Assert.assertTrue(afleidingsregels.isEmpty());
}
@Test
public void testLeidAfMinistrieelBesluit() {
final ActieModel actieModel = maakActie(ministerBesluit);
final PersoonHisVolledigImpl persoonHisVolledig =
maakPersoonModel(Bijhoudingsaard.INGEZETENE, SoortMigratie.EMIGRATIE, afghanistan);
final BijhoudingAfleidingDoorEmigratie bijhoudingAfleidingDoorEmigratie =
new BijhoudingAfleidingDoorEmigratie(persoonHisVolledig, actieModel);
ReflectionTestUtils.setField(bijhoudingAfleidingDoorEmigratie, "referentieDataRepository", referentieDataRepository);
final List<Afleidingsregel> afleidingsregels = bijhoudingAfleidingDoorEmigratie.leidAf().getVervolgAfleidingen();
Assert.assertEquals(3, persoonHisVolledig.getPersoonBijhoudingHistorie().getAantal());
final HisPersoonBijhoudingModel afgeleideBijhouding =
persoonHisVolledig.getPersoonBijhoudingHistorie().getActueleRecord();
Assert.assertEquals(NadereBijhoudingsaard.MINISTERIEEL_BESLUIT,
afgeleideBijhouding.getNadereBijhoudingsaard().getWaarde());
Assert.assertEquals(Bijhoudingsaard.NIET_INGEZETENE, afgeleideBijhouding.getBijhoudingsaard().getWaarde());
Assert.assertEquals(ministertje, afgeleideBijhouding.getBijhoudingspartij().getWaarde());
Assert.assertNull(afgeleideBijhouding.getIndicatieOnverwerktDocumentAanwezig());
Assert.assertEquals(20140101, afgeleideBijhouding.getDatumAanvangGeldigheid().getWaarde().intValue());
Assert.assertTrue(afleidingsregels.isEmpty());
}
@Test
public void testLeidAfVertrokkenOnbekendWaarheenOndanksMinistrieelBesluit() {
final ActieModel actieModel = maakActie(ministerBesluit);
final PersoonHisVolledigImpl persoonHisVolledig =
maakPersoonModel(Bijhoudingsaard.INGEZETENE, SoortMigratie.EMIGRATIE, null);
final BijhoudingAfleidingDoorEmigratie bijhoudingAfleidingDoorEmigratie =
new BijhoudingAfleidingDoorEmigratie(persoonHisVolledig, actieModel);
ReflectionTestUtils.setField(bijhoudingAfleidingDoorEmigratie, "referentieDataRepository", referentieDataRepository);
final List<Afleidingsregel> afleidingsregels = bijhoudingAfleidingDoorEmigratie.leidAf().getVervolgAfleidingen();
Assert.assertEquals(3, persoonHisVolledig.getPersoonBijhoudingHistorie().getAantal());
final HisPersoonBijhoudingModel afgeleideBijhouding =
persoonHisVolledig.getPersoonBijhoudingHistorie().getActueleRecord();
Assert.assertEquals(NadereBijhoudingsaard.VERTROKKEN_ONBEKEND_WAARHEEN,
afgeleideBijhouding.getNadereBijhoudingsaard().getWaarde());
Assert.assertEquals(Bijhoudingsaard.NIET_INGEZETENE, afgeleideBijhouding.getBijhoudingsaard().getWaarde());
Assert.assertEquals(ministertje, afgeleideBijhouding.getBijhoudingspartij().getWaarde());
Assert.assertNull(afgeleideBijhouding.getIndicatieOnverwerktDocumentAanwezig());
Assert.assertEquals(20140101, afgeleideBijhouding.getDatumAanvangGeldigheid().getWaarde().intValue());
Assert.assertTrue(afleidingsregels.isEmpty());
}
@Test
public void testLeidAfAnderSoortDocumentAlsVerantwoording() {
final ActieModel actieModel = maakActie(koninklijkBesluit);
final PersoonHisVolledigImpl persoonHisVolledig =
maakPersoonModel(Bijhoudingsaard.INGEZETENE, SoortMigratie.EMIGRATIE, afghanistan);
final BijhoudingAfleidingDoorEmigratie bijhoudingAfleidingDoorEmigratie =
new BijhoudingAfleidingDoorEmigratie(persoonHisVolledig, actieModel);
ReflectionTestUtils.setField(bijhoudingAfleidingDoorEmigratie, "referentieDataRepository", referentieDataRepository);
final List<Afleidingsregel> afleidingsregels = bijhoudingAfleidingDoorEmigratie.leidAf().getVervolgAfleidingen();
Assert.assertEquals(3, persoonHisVolledig.getPersoonBijhoudingHistorie().getAantal());
final HisPersoonBijhoudingModel afgeleideBijhouding =
persoonHisVolledig.getPersoonBijhoudingHistorie().getActueleRecord();
Assert.assertEquals(NadereBijhoudingsaard.EMIGRATIE,
afgeleideBijhouding.getNadereBijhoudingsaard().getWaarde());
Assert.assertEquals(Bijhoudingsaard.NIET_INGEZETENE, afgeleideBijhouding.getBijhoudingsaard().getWaarde());
Assert.assertEquals(ministertje, afgeleideBijhouding.getBijhoudingspartij().getWaarde());
Assert.assertNull(afgeleideBijhouding.getIndicatieOnverwerktDocumentAanwezig());
Assert.assertEquals(20140101, afgeleideBijhouding.getDatumAanvangGeldigheid().getWaarde().intValue());
Assert.assertTrue(afleidingsregels.isEmpty());
}
private ActieModel maakActie(final SoortDocument verantwoordingDocument) {
final ActieModel actieModel = new ActieModel(
new SoortActieAttribuut(SoortActie.REGISTRATIE_MIGRATIE),
new AdministratieveHandelingModel(
new SoortAdministratieveHandelingAttribuut(SoortAdministratieveHandeling.VERHUIZING_NAAR_BUITENLAND),
null,
null,
null),
null,
new DatumEvtDeelsOnbekendAttribuut(20140101),
null,
DatumTijdAttribuut.nu(), null);
if (verantwoordingDocument != null) {
DocumentModel documentModel = new DocumentModel(new SoortDocumentAttribuut(verantwoordingDocument));
ActieBronModel actieBronModel = new ActieBronModel(actieModel, documentModel, null, null);
actieModel.getBronnen().add(actieBronModel);
}
return actieModel;
}
private PersoonHisVolledigImpl maakPersoonModel(final Bijhoudingsaard huidigeBijhAard,
final SoortMigratie huidigeSoortMigratie,
final LandGebied landGebiedMigratie)
{
if (landGebiedMigratie == null) {
return new PersoonHisVolledigImplBuilder(SoortPersoon.INGESCHREVENE)
.nieuwMigratieRecord(20120101, null, 20120101)
.soortMigratie(huidigeSoortMigratie).eindeRecord()
.nieuwBijhoudingRecord(20120101, null, 20120101)
.bijhoudingsaard(huidigeBijhAard).eindeRecord().build();
} else {
return new PersoonHisVolledigImplBuilder(SoortPersoon.INGESCHREVENE)
.nieuwMigratieRecord(20120101, null, 20120101)
.soortMigratie(huidigeSoortMigratie)
.landGebiedMigratie(landGebiedMigratie).eindeRecord()
.nieuwBijhoudingRecord(20120101, null, 20120101)
.bijhoudingsaard(huidigeBijhAard).eindeRecord().build();
}
}
@Test
public void testGetRegel() {
Assert.assertEquals(Regel.VR00015b, new BijhoudingAfleidingDoorEmigratie(null, null).getRegel());
}
}
|
211680_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.bijhouding.business.regels.impl.gegevenset.persoon.bijhouding;
import java.util.List;
import nl.bzk.brp.bijhouding.business.regels.Afleidingsregel;
import nl.bzk.brp.dataaccess.repository.ReferentieDataRepository;
import nl.bzk.brp.model.algemeen.attribuuttype.kern.DatumEvtDeelsOnbekendAttribuut;
import nl.bzk.brp.model.algemeen.attribuuttype.kern.DatumTijdAttribuut;
import nl.bzk.brp.model.algemeen.attribuuttype.kern.NaamEnumeratiewaardeAttribuut;
import nl.bzk.brp.model.algemeen.attribuuttype.kern.PartijCodeAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Bijhoudingsaard;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.LandGebied;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.NadereBijhoudingsaard;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Partij;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Regel;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortActie;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortActieAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortAdministratieveHandeling;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortAdministratieveHandelingAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortDocument;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortDocumentAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortMigratie;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortPersoon;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.TestPartijBuilder;
import nl.bzk.brp.model.hisvolledig.impl.kern.PersoonHisVolledigImpl;
import nl.bzk.brp.model.operationeel.kern.ActieBronModel;
import nl.bzk.brp.model.operationeel.kern.ActieModel;
import nl.bzk.brp.model.operationeel.kern.AdministratieveHandelingModel;
import nl.bzk.brp.model.operationeel.kern.DocumentModel;
import nl.bzk.brp.model.operationeel.kern.HisPersoonBijhoudingModel;
import nl.bzk.brp.util.hisvolledig.kern.PersoonHisVolledigImplBuilder;
import org.junit.Assert;
import org.junit.Before;
import org.junit.Test;
import org.mockito.Mock;
import org.mockito.Mockito;
import org.mockito.MockitoAnnotations;
import org.springframework.test.util.ReflectionTestUtils;
public class BijhoudingAfleidingDoorEmigratieTest {
@Mock
private ReferentieDataRepository referentieDataRepository;
private final LandGebied afghanistan = new LandGebied(null, null, null, null, null);
private final SoortDocument ministerBesluit =
new SoortDocument(NaamEnumeratiewaardeAttribuut.DOCUMENT_NAAM_MINISTERIEEL_BESLUIT, null, null);
private final SoortDocument koninklijkBesluit =
new SoortDocument(NaamEnumeratiewaardeAttribuut.DOCUMENT_NAAM_KONINKLIJK_BESLUIT, null, null);
private final Partij ministertje = TestPartijBuilder.maker().metNaam("ministertje").maak();
@Before
public void init() {
MockitoAnnotations.initMocks(this);
Mockito.when(referentieDataRepository.vindPartijOpCode(PartijCodeAttribuut.MINISTER))
.thenReturn(ministertje);
}
@Test
public void testLeidAfPersoonIsNietIngezetene() {
final ActieModel actieModel = maakActie(null);
final PersoonHisVolledigImpl persoonHisVolledig =
maakPersoonModel(Bijhoudingsaard.NIET_INGEZETENE, SoortMigratie.EMIGRATIE, afghanistan);
final List<Afleidingsregel> afleidingsregels =
new BijhoudingAfleidingDoorEmigratie(persoonHisVolledig, actieModel).leidAf().getVervolgAfleidingen();
//Geen recordjes dus bijgekomen!
Assert.assertEquals(1, persoonHisVolledig.getPersoonBijhoudingHistorie().getAantal());
Assert.assertTrue(afleidingsregels.isEmpty());
}
@Test
public void testLeidAfPersoonIsGeimigreerd() {
final ActieModel actieModel = maakActie(null);
final PersoonHisVolledigImpl persoonHisVolledig =
maakPersoonModel(Bijhoudingsaard.INGEZETENE, SoortMigratie.IMMIGRATIE, afghanistan);
final List<Afleidingsregel> afleidingsregels =
new BijhoudingAfleidingDoorEmigratie(persoonHisVolledig, actieModel).leidAf().getVervolgAfleidingen();
//Geen recordjes dus bijgekomen!
Assert.assertEquals(1, persoonHisVolledig.getPersoonBijhoudingHistorie().getAantal());
Assert.assertTrue(afleidingsregels.isEmpty());
}
@Test
public void testLeidAfEmigratie() {
final ActieModel actieModel = maakActie(null);
final PersoonHisVolledigImpl persoonHisVolledig =
maakPersoonModel(Bijhoudingsaard.INGEZETENE, SoortMigratie.EMIGRATIE, afghanistan);
final BijhoudingAfleidingDoorEmigratie bijhoudingAfleidingDoorEmigratie =
new BijhoudingAfleidingDoorEmigratie(persoonHisVolledig, actieModel);
ReflectionTestUtils.setField(bijhoudingAfleidingDoorEmigratie, "referentieDataRepository", referentieDataRepository);
final List<Afleidingsregel> afleidingsregels = bijhoudingAfleidingDoorEmigratie.leidAf().getVervolgAfleidingen();
Assert.assertEquals(3, persoonHisVolledig.getPersoonBijhoudingHistorie().getAantal());
final HisPersoonBijhoudingModel afgeleideBijhouding =
persoonHisVolledig.getPersoonBijhoudingHistorie().getActueleRecord();
Assert.assertEquals(NadereBijhoudingsaard.EMIGRATIE, afgeleideBijhouding.getNadereBijhoudingsaard().getWaarde());
Assert.assertEquals(Bijhoudingsaard.NIET_INGEZETENE, afgeleideBijhouding.getBijhoudingsaard().getWaarde());
Assert.assertEquals(ministertje, afgeleideBijhouding.getBijhoudingspartij().getWaarde());
Assert.assertNull(afgeleideBijhouding.getIndicatieOnverwerktDocumentAanwezig());
Assert.assertEquals(20140101, afgeleideBijhouding.getDatumAanvangGeldigheid().getWaarde().intValue());
Assert.assertTrue(afleidingsregels.isEmpty());
}
@Test
public void testLeidAfVertrokkenNaarOnbekendWaarheen() {
final ActieModel actieModel = maakActie(null);
final PersoonHisVolledigImpl persoonHisVolledig =
maakPersoonModel(Bijhoudingsaard.INGEZETENE, SoortMigratie.EMIGRATIE, null);
final BijhoudingAfleidingDoorEmigratie bijhoudingAfleidingDoorEmigratie =
new BijhoudingAfleidingDoorEmigratie(persoonHisVolledig, actieModel);
ReflectionTestUtils.setField(bijhoudingAfleidingDoorEmigratie, "referentieDataRepository", referentieDataRepository);
final List<Afleidingsregel> afleidingsregels = bijhoudingAfleidingDoorEmigratie.leidAf().getVervolgAfleidingen();
Assert.assertEquals(3, persoonHisVolledig.getPersoonBijhoudingHistorie().getAantal());
final HisPersoonBijhoudingModel afgeleideBijhouding =
persoonHisVolledig.getPersoonBijhoudingHistorie().getActueleRecord();
Assert.assertEquals(NadereBijhoudingsaard.VERTROKKEN_ONBEKEND_WAARHEEN,
afgeleideBijhouding.getNadereBijhoudingsaard().getWaarde());
Assert.assertEquals(Bijhoudingsaard.NIET_INGEZETENE, afgeleideBijhouding.getBijhoudingsaard().getWaarde());
Assert.assertEquals(ministertje, afgeleideBijhouding.getBijhoudingspartij().getWaarde());
Assert.assertNull(afgeleideBijhouding.getIndicatieOnverwerktDocumentAanwezig());
Assert.assertEquals(20140101, afgeleideBijhouding.getDatumAanvangGeldigheid().getWaarde().intValue());
Assert.assertTrue(afleidingsregels.isEmpty());
}
@Test
public void testLeidAfMinistrieelBesluit() {
final ActieModel actieModel = maakActie(ministerBesluit);
final PersoonHisVolledigImpl persoonHisVolledig =
maakPersoonModel(Bijhoudingsaard.INGEZETENE, SoortMigratie.EMIGRATIE, afghanistan);
final BijhoudingAfleidingDoorEmigratie bijhoudingAfleidingDoorEmigratie =
new BijhoudingAfleidingDoorEmigratie(persoonHisVolledig, actieModel);
ReflectionTestUtils.setField(bijhoudingAfleidingDoorEmigratie, "referentieDataRepository", referentieDataRepository);
final List<Afleidingsregel> afleidingsregels = bijhoudingAfleidingDoorEmigratie.leidAf().getVervolgAfleidingen();
Assert.assertEquals(3, persoonHisVolledig.getPersoonBijhoudingHistorie().getAantal());
final HisPersoonBijhoudingModel afgeleideBijhouding =
persoonHisVolledig.getPersoonBijhoudingHistorie().getActueleRecord();
Assert.assertEquals(NadereBijhoudingsaard.MINISTERIEEL_BESLUIT,
afgeleideBijhouding.getNadereBijhoudingsaard().getWaarde());
Assert.assertEquals(Bijhoudingsaard.NIET_INGEZETENE, afgeleideBijhouding.getBijhoudingsaard().getWaarde());
Assert.assertEquals(ministertje, afgeleideBijhouding.getBijhoudingspartij().getWaarde());
Assert.assertNull(afgeleideBijhouding.getIndicatieOnverwerktDocumentAanwezig());
Assert.assertEquals(20140101, afgeleideBijhouding.getDatumAanvangGeldigheid().getWaarde().intValue());
Assert.assertTrue(afleidingsregels.isEmpty());
}
@Test
public void testLeidAfVertrokkenOnbekendWaarheenOndanksMinistrieelBesluit() {
final ActieModel actieModel = maakActie(ministerBesluit);
final PersoonHisVolledigImpl persoonHisVolledig =
maakPersoonModel(Bijhoudingsaard.INGEZETENE, SoortMigratie.EMIGRATIE, null);
final BijhoudingAfleidingDoorEmigratie bijhoudingAfleidingDoorEmigratie =
new BijhoudingAfleidingDoorEmigratie(persoonHisVolledig, actieModel);
ReflectionTestUtils.setField(bijhoudingAfleidingDoorEmigratie, "referentieDataRepository", referentieDataRepository);
final List<Afleidingsregel> afleidingsregels = bijhoudingAfleidingDoorEmigratie.leidAf().getVervolgAfleidingen();
Assert.assertEquals(3, persoonHisVolledig.getPersoonBijhoudingHistorie().getAantal());
final HisPersoonBijhoudingModel afgeleideBijhouding =
persoonHisVolledig.getPersoonBijhoudingHistorie().getActueleRecord();
Assert.assertEquals(NadereBijhoudingsaard.VERTROKKEN_ONBEKEND_WAARHEEN,
afgeleideBijhouding.getNadereBijhoudingsaard().getWaarde());
Assert.assertEquals(Bijhoudingsaard.NIET_INGEZETENE, afgeleideBijhouding.getBijhoudingsaard().getWaarde());
Assert.assertEquals(ministertje, afgeleideBijhouding.getBijhoudingspartij().getWaarde());
Assert.assertNull(afgeleideBijhouding.getIndicatieOnverwerktDocumentAanwezig());
Assert.assertEquals(20140101, afgeleideBijhouding.getDatumAanvangGeldigheid().getWaarde().intValue());
Assert.assertTrue(afleidingsregels.isEmpty());
}
@Test
public void testLeidAfAnderSoortDocumentAlsVerantwoording() {
final ActieModel actieModel = maakActie(koninklijkBesluit);
final PersoonHisVolledigImpl persoonHisVolledig =
maakPersoonModel(Bijhoudingsaard.INGEZETENE, SoortMigratie.EMIGRATIE, afghanistan);
final BijhoudingAfleidingDoorEmigratie bijhoudingAfleidingDoorEmigratie =
new BijhoudingAfleidingDoorEmigratie(persoonHisVolledig, actieModel);
ReflectionTestUtils.setField(bijhoudingAfleidingDoorEmigratie, "referentieDataRepository", referentieDataRepository);
final List<Afleidingsregel> afleidingsregels = bijhoudingAfleidingDoorEmigratie.leidAf().getVervolgAfleidingen();
Assert.assertEquals(3, persoonHisVolledig.getPersoonBijhoudingHistorie().getAantal());
final HisPersoonBijhoudingModel afgeleideBijhouding =
persoonHisVolledig.getPersoonBijhoudingHistorie().getActueleRecord();
Assert.assertEquals(NadereBijhoudingsaard.EMIGRATIE,
afgeleideBijhouding.getNadereBijhoudingsaard().getWaarde());
Assert.assertEquals(Bijhoudingsaard.NIET_INGEZETENE, afgeleideBijhouding.getBijhoudingsaard().getWaarde());
Assert.assertEquals(ministertje, afgeleideBijhouding.getBijhoudingspartij().getWaarde());
Assert.assertNull(afgeleideBijhouding.getIndicatieOnverwerktDocumentAanwezig());
Assert.assertEquals(20140101, afgeleideBijhouding.getDatumAanvangGeldigheid().getWaarde().intValue());
Assert.assertTrue(afleidingsregels.isEmpty());
}
private ActieModel maakActie(final SoortDocument verantwoordingDocument) {
final ActieModel actieModel = new ActieModel(
new SoortActieAttribuut(SoortActie.REGISTRATIE_MIGRATIE),
new AdministratieveHandelingModel(
new SoortAdministratieveHandelingAttribuut(SoortAdministratieveHandeling.VERHUIZING_NAAR_BUITENLAND),
null,
null,
null),
null,
new DatumEvtDeelsOnbekendAttribuut(20140101),
null,
DatumTijdAttribuut.nu(), null);
if (verantwoordingDocument != null) {
DocumentModel documentModel = new DocumentModel(new SoortDocumentAttribuut(verantwoordingDocument));
ActieBronModel actieBronModel = new ActieBronModel(actieModel, documentModel, null, null);
actieModel.getBronnen().add(actieBronModel);
}
return actieModel;
}
private PersoonHisVolledigImpl maakPersoonModel(final Bijhoudingsaard huidigeBijhAard,
final SoortMigratie huidigeSoortMigratie,
final LandGebied landGebiedMigratie)
{
if (landGebiedMigratie == null) {
return new PersoonHisVolledigImplBuilder(SoortPersoon.INGESCHREVENE)
.nieuwMigratieRecord(20120101, null, 20120101)
.soortMigratie(huidigeSoortMigratie).eindeRecord()
.nieuwBijhoudingRecord(20120101, null, 20120101)
.bijhoudingsaard(huidigeBijhAard).eindeRecord().build();
} else {
return new PersoonHisVolledigImplBuilder(SoortPersoon.INGESCHREVENE)
.nieuwMigratieRecord(20120101, null, 20120101)
.soortMigratie(huidigeSoortMigratie)
.landGebiedMigratie(landGebiedMigratie).eindeRecord()
.nieuwBijhoudingRecord(20120101, null, 20120101)
.bijhoudingsaard(huidigeBijhAard).eindeRecord().build();
}
}
@Test
public void testGetRegel() {
Assert.assertEquals(Regel.VR00015b, new BijhoudingAfleidingDoorEmigratie(null, null).getRegel());
}
}
| MinBZK/OperatieBRP | 2016/brp 2016-02-09/bijhouding/business/src/test/java/nl/bzk/brp/bijhouding/business/regels/impl/gegevenset/persoon/bijhouding/BijhoudingAfleidingDoorEmigratieTest.java | 4,367 | //Geen recordjes dus bijgekomen!
| 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.bijhouding.business.regels.impl.gegevenset.persoon.bijhouding;
import java.util.List;
import nl.bzk.brp.bijhouding.business.regels.Afleidingsregel;
import nl.bzk.brp.dataaccess.repository.ReferentieDataRepository;
import nl.bzk.brp.model.algemeen.attribuuttype.kern.DatumEvtDeelsOnbekendAttribuut;
import nl.bzk.brp.model.algemeen.attribuuttype.kern.DatumTijdAttribuut;
import nl.bzk.brp.model.algemeen.attribuuttype.kern.NaamEnumeratiewaardeAttribuut;
import nl.bzk.brp.model.algemeen.attribuuttype.kern.PartijCodeAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Bijhoudingsaard;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.LandGebied;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.NadereBijhoudingsaard;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Partij;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.Regel;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortActie;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortActieAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortAdministratieveHandeling;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortAdministratieveHandelingAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortDocument;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortDocumentAttribuut;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortMigratie;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.SoortPersoon;
import nl.bzk.brp.model.algemeen.stamgegeven.kern.TestPartijBuilder;
import nl.bzk.brp.model.hisvolledig.impl.kern.PersoonHisVolledigImpl;
import nl.bzk.brp.model.operationeel.kern.ActieBronModel;
import nl.bzk.brp.model.operationeel.kern.ActieModel;
import nl.bzk.brp.model.operationeel.kern.AdministratieveHandelingModel;
import nl.bzk.brp.model.operationeel.kern.DocumentModel;
import nl.bzk.brp.model.operationeel.kern.HisPersoonBijhoudingModel;
import nl.bzk.brp.util.hisvolledig.kern.PersoonHisVolledigImplBuilder;
import org.junit.Assert;
import org.junit.Before;
import org.junit.Test;
import org.mockito.Mock;
import org.mockito.Mockito;
import org.mockito.MockitoAnnotations;
import org.springframework.test.util.ReflectionTestUtils;
public class BijhoudingAfleidingDoorEmigratieTest {
@Mock
private ReferentieDataRepository referentieDataRepository;
private final LandGebied afghanistan = new LandGebied(null, null, null, null, null);
private final SoortDocument ministerBesluit =
new SoortDocument(NaamEnumeratiewaardeAttribuut.DOCUMENT_NAAM_MINISTERIEEL_BESLUIT, null, null);
private final SoortDocument koninklijkBesluit =
new SoortDocument(NaamEnumeratiewaardeAttribuut.DOCUMENT_NAAM_KONINKLIJK_BESLUIT, null, null);
private final Partij ministertje = TestPartijBuilder.maker().metNaam("ministertje").maak();
@Before
public void init() {
MockitoAnnotations.initMocks(this);
Mockito.when(referentieDataRepository.vindPartijOpCode(PartijCodeAttribuut.MINISTER))
.thenReturn(ministertje);
}
@Test
public void testLeidAfPersoonIsNietIngezetene() {
final ActieModel actieModel = maakActie(null);
final PersoonHisVolledigImpl persoonHisVolledig =
maakPersoonModel(Bijhoudingsaard.NIET_INGEZETENE, SoortMigratie.EMIGRATIE, afghanistan);
final List<Afleidingsregel> afleidingsregels =
new BijhoudingAfleidingDoorEmigratie(persoonHisVolledig, actieModel).leidAf().getVervolgAfleidingen();
//Geen recordjes dus bijgekomen!
Assert.assertEquals(1, persoonHisVolledig.getPersoonBijhoudingHistorie().getAantal());
Assert.assertTrue(afleidingsregels.isEmpty());
}
@Test
public void testLeidAfPersoonIsGeimigreerd() {
final ActieModel actieModel = maakActie(null);
final PersoonHisVolledigImpl persoonHisVolledig =
maakPersoonModel(Bijhoudingsaard.INGEZETENE, SoortMigratie.IMMIGRATIE, afghanistan);
final List<Afleidingsregel> afleidingsregels =
new BijhoudingAfleidingDoorEmigratie(persoonHisVolledig, actieModel).leidAf().getVervolgAfleidingen();
//Geen recordjes<SUF>
Assert.assertEquals(1, persoonHisVolledig.getPersoonBijhoudingHistorie().getAantal());
Assert.assertTrue(afleidingsregels.isEmpty());
}
@Test
public void testLeidAfEmigratie() {
final ActieModel actieModel = maakActie(null);
final PersoonHisVolledigImpl persoonHisVolledig =
maakPersoonModel(Bijhoudingsaard.INGEZETENE, SoortMigratie.EMIGRATIE, afghanistan);
final BijhoudingAfleidingDoorEmigratie bijhoudingAfleidingDoorEmigratie =
new BijhoudingAfleidingDoorEmigratie(persoonHisVolledig, actieModel);
ReflectionTestUtils.setField(bijhoudingAfleidingDoorEmigratie, "referentieDataRepository", referentieDataRepository);
final List<Afleidingsregel> afleidingsregels = bijhoudingAfleidingDoorEmigratie.leidAf().getVervolgAfleidingen();
Assert.assertEquals(3, persoonHisVolledig.getPersoonBijhoudingHistorie().getAantal());
final HisPersoonBijhoudingModel afgeleideBijhouding =
persoonHisVolledig.getPersoonBijhoudingHistorie().getActueleRecord();
Assert.assertEquals(NadereBijhoudingsaard.EMIGRATIE, afgeleideBijhouding.getNadereBijhoudingsaard().getWaarde());
Assert.assertEquals(Bijhoudingsaard.NIET_INGEZETENE, afgeleideBijhouding.getBijhoudingsaard().getWaarde());
Assert.assertEquals(ministertje, afgeleideBijhouding.getBijhoudingspartij().getWaarde());
Assert.assertNull(afgeleideBijhouding.getIndicatieOnverwerktDocumentAanwezig());
Assert.assertEquals(20140101, afgeleideBijhouding.getDatumAanvangGeldigheid().getWaarde().intValue());
Assert.assertTrue(afleidingsregels.isEmpty());
}
@Test
public void testLeidAfVertrokkenNaarOnbekendWaarheen() {
final ActieModel actieModel = maakActie(null);
final PersoonHisVolledigImpl persoonHisVolledig =
maakPersoonModel(Bijhoudingsaard.INGEZETENE, SoortMigratie.EMIGRATIE, null);
final BijhoudingAfleidingDoorEmigratie bijhoudingAfleidingDoorEmigratie =
new BijhoudingAfleidingDoorEmigratie(persoonHisVolledig, actieModel);
ReflectionTestUtils.setField(bijhoudingAfleidingDoorEmigratie, "referentieDataRepository", referentieDataRepository);
final List<Afleidingsregel> afleidingsregels = bijhoudingAfleidingDoorEmigratie.leidAf().getVervolgAfleidingen();
Assert.assertEquals(3, persoonHisVolledig.getPersoonBijhoudingHistorie().getAantal());
final HisPersoonBijhoudingModel afgeleideBijhouding =
persoonHisVolledig.getPersoonBijhoudingHistorie().getActueleRecord();
Assert.assertEquals(NadereBijhoudingsaard.VERTROKKEN_ONBEKEND_WAARHEEN,
afgeleideBijhouding.getNadereBijhoudingsaard().getWaarde());
Assert.assertEquals(Bijhoudingsaard.NIET_INGEZETENE, afgeleideBijhouding.getBijhoudingsaard().getWaarde());
Assert.assertEquals(ministertje, afgeleideBijhouding.getBijhoudingspartij().getWaarde());
Assert.assertNull(afgeleideBijhouding.getIndicatieOnverwerktDocumentAanwezig());
Assert.assertEquals(20140101, afgeleideBijhouding.getDatumAanvangGeldigheid().getWaarde().intValue());
Assert.assertTrue(afleidingsregels.isEmpty());
}
@Test
public void testLeidAfMinistrieelBesluit() {
final ActieModel actieModel = maakActie(ministerBesluit);
final PersoonHisVolledigImpl persoonHisVolledig =
maakPersoonModel(Bijhoudingsaard.INGEZETENE, SoortMigratie.EMIGRATIE, afghanistan);
final BijhoudingAfleidingDoorEmigratie bijhoudingAfleidingDoorEmigratie =
new BijhoudingAfleidingDoorEmigratie(persoonHisVolledig, actieModel);
ReflectionTestUtils.setField(bijhoudingAfleidingDoorEmigratie, "referentieDataRepository", referentieDataRepository);
final List<Afleidingsregel> afleidingsregels = bijhoudingAfleidingDoorEmigratie.leidAf().getVervolgAfleidingen();
Assert.assertEquals(3, persoonHisVolledig.getPersoonBijhoudingHistorie().getAantal());
final HisPersoonBijhoudingModel afgeleideBijhouding =
persoonHisVolledig.getPersoonBijhoudingHistorie().getActueleRecord();
Assert.assertEquals(NadereBijhoudingsaard.MINISTERIEEL_BESLUIT,
afgeleideBijhouding.getNadereBijhoudingsaard().getWaarde());
Assert.assertEquals(Bijhoudingsaard.NIET_INGEZETENE, afgeleideBijhouding.getBijhoudingsaard().getWaarde());
Assert.assertEquals(ministertje, afgeleideBijhouding.getBijhoudingspartij().getWaarde());
Assert.assertNull(afgeleideBijhouding.getIndicatieOnverwerktDocumentAanwezig());
Assert.assertEquals(20140101, afgeleideBijhouding.getDatumAanvangGeldigheid().getWaarde().intValue());
Assert.assertTrue(afleidingsregels.isEmpty());
}
@Test
public void testLeidAfVertrokkenOnbekendWaarheenOndanksMinistrieelBesluit() {
final ActieModel actieModel = maakActie(ministerBesluit);
final PersoonHisVolledigImpl persoonHisVolledig =
maakPersoonModel(Bijhoudingsaard.INGEZETENE, SoortMigratie.EMIGRATIE, null);
final BijhoudingAfleidingDoorEmigratie bijhoudingAfleidingDoorEmigratie =
new BijhoudingAfleidingDoorEmigratie(persoonHisVolledig, actieModel);
ReflectionTestUtils.setField(bijhoudingAfleidingDoorEmigratie, "referentieDataRepository", referentieDataRepository);
final List<Afleidingsregel> afleidingsregels = bijhoudingAfleidingDoorEmigratie.leidAf().getVervolgAfleidingen();
Assert.assertEquals(3, persoonHisVolledig.getPersoonBijhoudingHistorie().getAantal());
final HisPersoonBijhoudingModel afgeleideBijhouding =
persoonHisVolledig.getPersoonBijhoudingHistorie().getActueleRecord();
Assert.assertEquals(NadereBijhoudingsaard.VERTROKKEN_ONBEKEND_WAARHEEN,
afgeleideBijhouding.getNadereBijhoudingsaard().getWaarde());
Assert.assertEquals(Bijhoudingsaard.NIET_INGEZETENE, afgeleideBijhouding.getBijhoudingsaard().getWaarde());
Assert.assertEquals(ministertje, afgeleideBijhouding.getBijhoudingspartij().getWaarde());
Assert.assertNull(afgeleideBijhouding.getIndicatieOnverwerktDocumentAanwezig());
Assert.assertEquals(20140101, afgeleideBijhouding.getDatumAanvangGeldigheid().getWaarde().intValue());
Assert.assertTrue(afleidingsregels.isEmpty());
}
@Test
public void testLeidAfAnderSoortDocumentAlsVerantwoording() {
final ActieModel actieModel = maakActie(koninklijkBesluit);
final PersoonHisVolledigImpl persoonHisVolledig =
maakPersoonModel(Bijhoudingsaard.INGEZETENE, SoortMigratie.EMIGRATIE, afghanistan);
final BijhoudingAfleidingDoorEmigratie bijhoudingAfleidingDoorEmigratie =
new BijhoudingAfleidingDoorEmigratie(persoonHisVolledig, actieModel);
ReflectionTestUtils.setField(bijhoudingAfleidingDoorEmigratie, "referentieDataRepository", referentieDataRepository);
final List<Afleidingsregel> afleidingsregels = bijhoudingAfleidingDoorEmigratie.leidAf().getVervolgAfleidingen();
Assert.assertEquals(3, persoonHisVolledig.getPersoonBijhoudingHistorie().getAantal());
final HisPersoonBijhoudingModel afgeleideBijhouding =
persoonHisVolledig.getPersoonBijhoudingHistorie().getActueleRecord();
Assert.assertEquals(NadereBijhoudingsaard.EMIGRATIE,
afgeleideBijhouding.getNadereBijhoudingsaard().getWaarde());
Assert.assertEquals(Bijhoudingsaard.NIET_INGEZETENE, afgeleideBijhouding.getBijhoudingsaard().getWaarde());
Assert.assertEquals(ministertje, afgeleideBijhouding.getBijhoudingspartij().getWaarde());
Assert.assertNull(afgeleideBijhouding.getIndicatieOnverwerktDocumentAanwezig());
Assert.assertEquals(20140101, afgeleideBijhouding.getDatumAanvangGeldigheid().getWaarde().intValue());
Assert.assertTrue(afleidingsregels.isEmpty());
}
private ActieModel maakActie(final SoortDocument verantwoordingDocument) {
final ActieModel actieModel = new ActieModel(
new SoortActieAttribuut(SoortActie.REGISTRATIE_MIGRATIE),
new AdministratieveHandelingModel(
new SoortAdministratieveHandelingAttribuut(SoortAdministratieveHandeling.VERHUIZING_NAAR_BUITENLAND),
null,
null,
null),
null,
new DatumEvtDeelsOnbekendAttribuut(20140101),
null,
DatumTijdAttribuut.nu(), null);
if (verantwoordingDocument != null) {
DocumentModel documentModel = new DocumentModel(new SoortDocumentAttribuut(verantwoordingDocument));
ActieBronModel actieBronModel = new ActieBronModel(actieModel, documentModel, null, null);
actieModel.getBronnen().add(actieBronModel);
}
return actieModel;
}
private PersoonHisVolledigImpl maakPersoonModel(final Bijhoudingsaard huidigeBijhAard,
final SoortMigratie huidigeSoortMigratie,
final LandGebied landGebiedMigratie)
{
if (landGebiedMigratie == null) {
return new PersoonHisVolledigImplBuilder(SoortPersoon.INGESCHREVENE)
.nieuwMigratieRecord(20120101, null, 20120101)
.soortMigratie(huidigeSoortMigratie).eindeRecord()
.nieuwBijhoudingRecord(20120101, null, 20120101)
.bijhoudingsaard(huidigeBijhAard).eindeRecord().build();
} else {
return new PersoonHisVolledigImplBuilder(SoortPersoon.INGESCHREVENE)
.nieuwMigratieRecord(20120101, null, 20120101)
.soortMigratie(huidigeSoortMigratie)
.landGebiedMigratie(landGebiedMigratie).eindeRecord()
.nieuwBijhoudingRecord(20120101, null, 20120101)
.bijhoudingsaard(huidigeBijhAard).eindeRecord().build();
}
}
@Test
public void testGetRegel() {
Assert.assertEquals(Regel.VR00015b, new BijhoudingAfleidingDoorEmigratie(null, null).getRegel());
}
}
|
211683_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.perf.isc.environment;
import java.io.File;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.PrintWriter;
import java.text.DecimalFormat;
import java.text.SimpleDateFormat;
import java.util.Date;
import java.util.concurrent.atomic.AtomicInteger;
import javax.inject.Inject;
import javax.inject.Named;
import javax.jms.Destination;
import javax.jms.JMSException;
import javax.jms.Message;
import javax.jms.Session;
import javax.jms.TextMessage;
import nl.bzk.migratiebrp.bericht.model.JMSConstants;
import nl.bzk.migratiebrp.test.perf.isc.bericht.TestBericht;
import nl.bzk.migratiebrp.util.common.logging.Logger;
import nl.bzk.migratiebrp.util.common.logging.LoggerFactory;
import org.springframework.dao.DataAccessException;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jms.core.JmsTemplate;
import org.springframework.jms.core.MessageCreator;
/**
* Test omgeving (abstract).
*/
public final class TestEnvironment {
private static final int HONDERD_LOOPS = 100;
private static final long MILLIS = 3000L;
private static final long LOOP_WACHTTIJD = 10L;
private static final long LOOP_WACHTTIJD_IN_MILLIS = LOOP_WACHTTIJD * MILLIS;
private static final Logger LOG = LoggerFactory.getLogger();
private static final DecimalFormat EREF_FORMAT = new DecimalFormat("000000");
private static final SimpleDateFormat PREFIX_FORMAT = new SimpleDateFormat("HHmmss");
private static final String EREF_PREFIX = PREFIX_FORMAT.format(new Date());
/* TIMEOUT */
private static final int TIMEOUT = 500;
private static final AtomicInteger COUNTER = new AtomicInteger();
@Inject
private JmsTemplate jmsTemplate;
@Inject
@Named("vospgOntvangstQueue")
private Destination vospgOntvangst;
@Inject
private JdbcTemplate jdbcTemplate;
private Long initEndedProcessCount = 0L;
/**
* Genereer (max lengte 12) ID. Let op: enkel uniek binnen JVM (implementatie dmv AtomicInteger).
*
* @return id
*/
public String generateId() {
return EREF_PREFIX + EREF_FORMAT.format(COUNTER.getAndIncrement());
}
/**
* Verzend een bericht.
*
* @param testBericht
* testBericht
*/
public void verzendBericht(final TestBericht testBericht) {
jmsTemplate.send(vospgOntvangst, new MessageCreator() {
@Override
public Message createMessage(final Session session) throws JMSException {
final Message message = session.createTextMessage(testBericht.getInhoud());
final String messageId = generateId();
message.setStringProperty(JMSConstants.BERICHT_MS_SEQUENCE_NUMBER, messageId);
message.setStringProperty(JMSConstants.BERICHT_REFERENTIE, messageId);
message.setStringProperty(JMSConstants.BERICHT_ORIGINATOR, testBericht.getLo3Gemeente());
return message;
}
});
}
/**
* Voer stappen voor de testcase uit.
*/
public void beforeTestCase() {
// Clear queues
clearQueue(vospgOntvangst);
initEndedProcessCount = getEndedProcessCount();
}
private void clearQueue(final Destination destination) {
final long timeout = jmsTemplate.getReceiveTimeout();
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
while (jmsTemplate.receive(destination) != null) {
LOG.error("Message on queue before test case!!!!");
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
}
/**
* Dump vospg.ontvangst queue naar outputDirectory.
*
* @param outputDirectory
* De outputDirectory waarheen gedumpt wordt.
* @return true als er iets gedumpt is.
*/
public boolean dumpQueues(final File outputDirectory) {
return !dumpQueue(vospgOntvangst, outputDirectory, "9999-uit-vospg-");
}
/**
* Dump queue naar file.
*
* @param destination
* De JMX Destination waarvan we berichten lezen
* @param outputDirectory
* De outputDirectory waarheen gedumpt wordt.
* @param prefix
* De file prefix voor de dump.
* @return true als er niets te dumpen viel.
*/
private boolean dumpQueue(final Destination destination, final File outputDirectory, final String prefix) {
final long timeout = jmsTemplate.getReceiveTimeout();
long volgnummer = 0;
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
Message message;
while ((message = jmsTemplate.receive(destination)) != null) {
LOG.info("Onverwacht bericht op queue na testcase");
final File outputFile = new File(outputDirectory, prefix + volgnummer++ + ".txt");
outputFile.getParentFile().mkdirs();
try (FileOutputStream fis = new FileOutputStream(outputFile)) {
final PrintWriter writer = new PrintWriter(fis);
writer.print(((TextMessage) message).getText());
writer.close();
} catch (final IOException e) {
LOG.info("Probleem bij wegschrijven bericht.", e);
} catch (final JMSException e) {
LOG.info("Probleem bij versturen bericht.", e);
}
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
return volgnummer == 0;
}
/**
* Voer stappen na de testcase uit.
*
* @param wanted
* Aantal verwachte berichten.
* @param started
* Starttijd.
* @throws InterruptedException
* kan worden gegooid bij aanroepen van Thread.sleep().
*/
public void afterTestCase(final long wanted, final Date started) throws InterruptedException {
// Wanted number of messages
LOG.info(new Date() + "; Wanted: " + wanted);
LOG.info(started + "; Started");
long current = 0;
// give ten minute warmup initially
int loopsCurrentSame = -HONDERD_LOOPS;
while (current < wanted) {
final long processCount = getEndedProcessCount() - initEndedProcessCount;
LOG.info(new Date() + "; Processes ended so far: " + processCount);
if (current == processCount) {
loopsCurrentSame++;
} else {
current = processCount;
loopsCurrentSame = 0;
}
if (loopsCurrentSame >= HONDERD_LOOPS) {
LOG.info(new Date() + "; No processes ended (in ten minutes); breaking ...");
break;
}
// Check each 10 seconds
Thread.sleep(LOOP_WACHTTIJD_IN_MILLIS);
}
LOG.info(new Date() + "; Ending with: " + current);
}
/**
* Geef de waarde van ended process count.
*
* @return Het aantal beeindigde processen.
*/
public Long getEndedProcessCount() {
try {
final String sql = "select count(*) from mig_extractie_proces where proces_naam = 'uc202' and einddatum is not null";
return jdbcTemplate.queryForObject(sql, Long.class);
} catch (final DataAccessException e) {
throw new RuntimeException(e);
}
}
/**
* Controleer of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*
* @param expectedAmount
* Het verwachte aantal.
* @return of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*/
public boolean verifyEndedProcesses(final long expectedAmount) {
boolean result;
if (expectedAmount == getEndedProcessCount() - initEndedProcessCount) {
LOG.info("Amount of ended processes is correct");
result = true;
} else {
LOG.info("Expected amount of ended processes: " + expectedAmount);
LOG.info("Initial amount of ended processes: " + initEndedProcessCount);
LOG.info("Current amount of ended processes: " + getEndedProcessCount());
LOG.info("Amount of ended processes during this test: " + (getEndedProcessCount() - initEndedProcessCount));
result = false;
}
return result;
}
}
| MinBZK/OperatieBRP | 2016/migratie 2016-02-09/migr-test-perf-isc/src/main/java/nl/bzk/migratiebrp/test/perf/isc/environment/TestEnvironment.java | 2,300 | /**
* Genereer (max lengte 12) ID. Let op: enkel uniek binnen JVM (implementatie dmv AtomicInteger).
*
* @return id
*/ | 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.perf.isc.environment;
import java.io.File;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.PrintWriter;
import java.text.DecimalFormat;
import java.text.SimpleDateFormat;
import java.util.Date;
import java.util.concurrent.atomic.AtomicInteger;
import javax.inject.Inject;
import javax.inject.Named;
import javax.jms.Destination;
import javax.jms.JMSException;
import javax.jms.Message;
import javax.jms.Session;
import javax.jms.TextMessage;
import nl.bzk.migratiebrp.bericht.model.JMSConstants;
import nl.bzk.migratiebrp.test.perf.isc.bericht.TestBericht;
import nl.bzk.migratiebrp.util.common.logging.Logger;
import nl.bzk.migratiebrp.util.common.logging.LoggerFactory;
import org.springframework.dao.DataAccessException;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jms.core.JmsTemplate;
import org.springframework.jms.core.MessageCreator;
/**
* Test omgeving (abstract).
*/
public final class TestEnvironment {
private static final int HONDERD_LOOPS = 100;
private static final long MILLIS = 3000L;
private static final long LOOP_WACHTTIJD = 10L;
private static final long LOOP_WACHTTIJD_IN_MILLIS = LOOP_WACHTTIJD * MILLIS;
private static final Logger LOG = LoggerFactory.getLogger();
private static final DecimalFormat EREF_FORMAT = new DecimalFormat("000000");
private static final SimpleDateFormat PREFIX_FORMAT = new SimpleDateFormat("HHmmss");
private static final String EREF_PREFIX = PREFIX_FORMAT.format(new Date());
/* TIMEOUT */
private static final int TIMEOUT = 500;
private static final AtomicInteger COUNTER = new AtomicInteger();
@Inject
private JmsTemplate jmsTemplate;
@Inject
@Named("vospgOntvangstQueue")
private Destination vospgOntvangst;
@Inject
private JdbcTemplate jdbcTemplate;
private Long initEndedProcessCount = 0L;
/**
* Genereer (max lengte<SUF>*/
public String generateId() {
return EREF_PREFIX + EREF_FORMAT.format(COUNTER.getAndIncrement());
}
/**
* Verzend een bericht.
*
* @param testBericht
* testBericht
*/
public void verzendBericht(final TestBericht testBericht) {
jmsTemplate.send(vospgOntvangst, new MessageCreator() {
@Override
public Message createMessage(final Session session) throws JMSException {
final Message message = session.createTextMessage(testBericht.getInhoud());
final String messageId = generateId();
message.setStringProperty(JMSConstants.BERICHT_MS_SEQUENCE_NUMBER, messageId);
message.setStringProperty(JMSConstants.BERICHT_REFERENTIE, messageId);
message.setStringProperty(JMSConstants.BERICHT_ORIGINATOR, testBericht.getLo3Gemeente());
return message;
}
});
}
/**
* Voer stappen voor de testcase uit.
*/
public void beforeTestCase() {
// Clear queues
clearQueue(vospgOntvangst);
initEndedProcessCount = getEndedProcessCount();
}
private void clearQueue(final Destination destination) {
final long timeout = jmsTemplate.getReceiveTimeout();
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
while (jmsTemplate.receive(destination) != null) {
LOG.error("Message on queue before test case!!!!");
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
}
/**
* Dump vospg.ontvangst queue naar outputDirectory.
*
* @param outputDirectory
* De outputDirectory waarheen gedumpt wordt.
* @return true als er iets gedumpt is.
*/
public boolean dumpQueues(final File outputDirectory) {
return !dumpQueue(vospgOntvangst, outputDirectory, "9999-uit-vospg-");
}
/**
* Dump queue naar file.
*
* @param destination
* De JMX Destination waarvan we berichten lezen
* @param outputDirectory
* De outputDirectory waarheen gedumpt wordt.
* @param prefix
* De file prefix voor de dump.
* @return true als er niets te dumpen viel.
*/
private boolean dumpQueue(final Destination destination, final File outputDirectory, final String prefix) {
final long timeout = jmsTemplate.getReceiveTimeout();
long volgnummer = 0;
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
Message message;
while ((message = jmsTemplate.receive(destination)) != null) {
LOG.info("Onverwacht bericht op queue na testcase");
final File outputFile = new File(outputDirectory, prefix + volgnummer++ + ".txt");
outputFile.getParentFile().mkdirs();
try (FileOutputStream fis = new FileOutputStream(outputFile)) {
final PrintWriter writer = new PrintWriter(fis);
writer.print(((TextMessage) message).getText());
writer.close();
} catch (final IOException e) {
LOG.info("Probleem bij wegschrijven bericht.", e);
} catch (final JMSException e) {
LOG.info("Probleem bij versturen bericht.", e);
}
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
return volgnummer == 0;
}
/**
* Voer stappen na de testcase uit.
*
* @param wanted
* Aantal verwachte berichten.
* @param started
* Starttijd.
* @throws InterruptedException
* kan worden gegooid bij aanroepen van Thread.sleep().
*/
public void afterTestCase(final long wanted, final Date started) throws InterruptedException {
// Wanted number of messages
LOG.info(new Date() + "; Wanted: " + wanted);
LOG.info(started + "; Started");
long current = 0;
// give ten minute warmup initially
int loopsCurrentSame = -HONDERD_LOOPS;
while (current < wanted) {
final long processCount = getEndedProcessCount() - initEndedProcessCount;
LOG.info(new Date() + "; Processes ended so far: " + processCount);
if (current == processCount) {
loopsCurrentSame++;
} else {
current = processCount;
loopsCurrentSame = 0;
}
if (loopsCurrentSame >= HONDERD_LOOPS) {
LOG.info(new Date() + "; No processes ended (in ten minutes); breaking ...");
break;
}
// Check each 10 seconds
Thread.sleep(LOOP_WACHTTIJD_IN_MILLIS);
}
LOG.info(new Date() + "; Ending with: " + current);
}
/**
* Geef de waarde van ended process count.
*
* @return Het aantal beeindigde processen.
*/
public Long getEndedProcessCount() {
try {
final String sql = "select count(*) from mig_extractie_proces where proces_naam = 'uc202' and einddatum is not null";
return jdbcTemplate.queryForObject(sql, Long.class);
} catch (final DataAccessException e) {
throw new RuntimeException(e);
}
}
/**
* Controleer of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*
* @param expectedAmount
* Het verwachte aantal.
* @return of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*/
public boolean verifyEndedProcesses(final long expectedAmount) {
boolean result;
if (expectedAmount == getEndedProcessCount() - initEndedProcessCount) {
LOG.info("Amount of ended processes is correct");
result = true;
} else {
LOG.info("Expected amount of ended processes: " + expectedAmount);
LOG.info("Initial amount of ended processes: " + initEndedProcessCount);
LOG.info("Current amount of ended processes: " + getEndedProcessCount());
LOG.info("Amount of ended processes during this test: " + (getEndedProcessCount() - initEndedProcessCount));
result = false;
}
return result;
}
}
|
211683_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.perf.isc.environment;
import java.io.File;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.PrintWriter;
import java.text.DecimalFormat;
import java.text.SimpleDateFormat;
import java.util.Date;
import java.util.concurrent.atomic.AtomicInteger;
import javax.inject.Inject;
import javax.inject.Named;
import javax.jms.Destination;
import javax.jms.JMSException;
import javax.jms.Message;
import javax.jms.Session;
import javax.jms.TextMessage;
import nl.bzk.migratiebrp.bericht.model.JMSConstants;
import nl.bzk.migratiebrp.test.perf.isc.bericht.TestBericht;
import nl.bzk.migratiebrp.util.common.logging.Logger;
import nl.bzk.migratiebrp.util.common.logging.LoggerFactory;
import org.springframework.dao.DataAccessException;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jms.core.JmsTemplate;
import org.springframework.jms.core.MessageCreator;
/**
* Test omgeving (abstract).
*/
public final class TestEnvironment {
private static final int HONDERD_LOOPS = 100;
private static final long MILLIS = 3000L;
private static final long LOOP_WACHTTIJD = 10L;
private static final long LOOP_WACHTTIJD_IN_MILLIS = LOOP_WACHTTIJD * MILLIS;
private static final Logger LOG = LoggerFactory.getLogger();
private static final DecimalFormat EREF_FORMAT = new DecimalFormat("000000");
private static final SimpleDateFormat PREFIX_FORMAT = new SimpleDateFormat("HHmmss");
private static final String EREF_PREFIX = PREFIX_FORMAT.format(new Date());
/* TIMEOUT */
private static final int TIMEOUT = 500;
private static final AtomicInteger COUNTER = new AtomicInteger();
@Inject
private JmsTemplate jmsTemplate;
@Inject
@Named("vospgOntvangstQueue")
private Destination vospgOntvangst;
@Inject
private JdbcTemplate jdbcTemplate;
private Long initEndedProcessCount = 0L;
/**
* Genereer (max lengte 12) ID. Let op: enkel uniek binnen JVM (implementatie dmv AtomicInteger).
*
* @return id
*/
public String generateId() {
return EREF_PREFIX + EREF_FORMAT.format(COUNTER.getAndIncrement());
}
/**
* Verzend een bericht.
*
* @param testBericht
* testBericht
*/
public void verzendBericht(final TestBericht testBericht) {
jmsTemplate.send(vospgOntvangst, new MessageCreator() {
@Override
public Message createMessage(final Session session) throws JMSException {
final Message message = session.createTextMessage(testBericht.getInhoud());
final String messageId = generateId();
message.setStringProperty(JMSConstants.BERICHT_MS_SEQUENCE_NUMBER, messageId);
message.setStringProperty(JMSConstants.BERICHT_REFERENTIE, messageId);
message.setStringProperty(JMSConstants.BERICHT_ORIGINATOR, testBericht.getLo3Gemeente());
return message;
}
});
}
/**
* Voer stappen voor de testcase uit.
*/
public void beforeTestCase() {
// Clear queues
clearQueue(vospgOntvangst);
initEndedProcessCount = getEndedProcessCount();
}
private void clearQueue(final Destination destination) {
final long timeout = jmsTemplate.getReceiveTimeout();
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
while (jmsTemplate.receive(destination) != null) {
LOG.error("Message on queue before test case!!!!");
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
}
/**
* Dump vospg.ontvangst queue naar outputDirectory.
*
* @param outputDirectory
* De outputDirectory waarheen gedumpt wordt.
* @return true als er iets gedumpt is.
*/
public boolean dumpQueues(final File outputDirectory) {
return !dumpQueue(vospgOntvangst, outputDirectory, "9999-uit-vospg-");
}
/**
* Dump queue naar file.
*
* @param destination
* De JMX Destination waarvan we berichten lezen
* @param outputDirectory
* De outputDirectory waarheen gedumpt wordt.
* @param prefix
* De file prefix voor de dump.
* @return true als er niets te dumpen viel.
*/
private boolean dumpQueue(final Destination destination, final File outputDirectory, final String prefix) {
final long timeout = jmsTemplate.getReceiveTimeout();
long volgnummer = 0;
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
Message message;
while ((message = jmsTemplate.receive(destination)) != null) {
LOG.info("Onverwacht bericht op queue na testcase");
final File outputFile = new File(outputDirectory, prefix + volgnummer++ + ".txt");
outputFile.getParentFile().mkdirs();
try (FileOutputStream fis = new FileOutputStream(outputFile)) {
final PrintWriter writer = new PrintWriter(fis);
writer.print(((TextMessage) message).getText());
writer.close();
} catch (final IOException e) {
LOG.info("Probleem bij wegschrijven bericht.", e);
} catch (final JMSException e) {
LOG.info("Probleem bij versturen bericht.", e);
}
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
return volgnummer == 0;
}
/**
* Voer stappen na de testcase uit.
*
* @param wanted
* Aantal verwachte berichten.
* @param started
* Starttijd.
* @throws InterruptedException
* kan worden gegooid bij aanroepen van Thread.sleep().
*/
public void afterTestCase(final long wanted, final Date started) throws InterruptedException {
// Wanted number of messages
LOG.info(new Date() + "; Wanted: " + wanted);
LOG.info(started + "; Started");
long current = 0;
// give ten minute warmup initially
int loopsCurrentSame = -HONDERD_LOOPS;
while (current < wanted) {
final long processCount = getEndedProcessCount() - initEndedProcessCount;
LOG.info(new Date() + "; Processes ended so far: " + processCount);
if (current == processCount) {
loopsCurrentSame++;
} else {
current = processCount;
loopsCurrentSame = 0;
}
if (loopsCurrentSame >= HONDERD_LOOPS) {
LOG.info(new Date() + "; No processes ended (in ten minutes); breaking ...");
break;
}
// Check each 10 seconds
Thread.sleep(LOOP_WACHTTIJD_IN_MILLIS);
}
LOG.info(new Date() + "; Ending with: " + current);
}
/**
* Geef de waarde van ended process count.
*
* @return Het aantal beeindigde processen.
*/
public Long getEndedProcessCount() {
try {
final String sql = "select count(*) from mig_extractie_proces where proces_naam = 'uc202' and einddatum is not null";
return jdbcTemplate.queryForObject(sql, Long.class);
} catch (final DataAccessException e) {
throw new RuntimeException(e);
}
}
/**
* Controleer of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*
* @param expectedAmount
* Het verwachte aantal.
* @return of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*/
public boolean verifyEndedProcesses(final long expectedAmount) {
boolean result;
if (expectedAmount == getEndedProcessCount() - initEndedProcessCount) {
LOG.info("Amount of ended processes is correct");
result = true;
} else {
LOG.info("Expected amount of ended processes: " + expectedAmount);
LOG.info("Initial amount of ended processes: " + initEndedProcessCount);
LOG.info("Current amount of ended processes: " + getEndedProcessCount());
LOG.info("Amount of ended processes during this test: " + (getEndedProcessCount() - initEndedProcessCount));
result = false;
}
return result;
}
}
| MinBZK/OperatieBRP | 2016/migratie 2016-02-09/migr-test-perf-isc/src/main/java/nl/bzk/migratiebrp/test/perf/isc/environment/TestEnvironment.java | 2,300 | /**
* Verzend een bericht.
*
* @param testBericht
* testBericht
*/ | 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.perf.isc.environment;
import java.io.File;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.PrintWriter;
import java.text.DecimalFormat;
import java.text.SimpleDateFormat;
import java.util.Date;
import java.util.concurrent.atomic.AtomicInteger;
import javax.inject.Inject;
import javax.inject.Named;
import javax.jms.Destination;
import javax.jms.JMSException;
import javax.jms.Message;
import javax.jms.Session;
import javax.jms.TextMessage;
import nl.bzk.migratiebrp.bericht.model.JMSConstants;
import nl.bzk.migratiebrp.test.perf.isc.bericht.TestBericht;
import nl.bzk.migratiebrp.util.common.logging.Logger;
import nl.bzk.migratiebrp.util.common.logging.LoggerFactory;
import org.springframework.dao.DataAccessException;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jms.core.JmsTemplate;
import org.springframework.jms.core.MessageCreator;
/**
* Test omgeving (abstract).
*/
public final class TestEnvironment {
private static final int HONDERD_LOOPS = 100;
private static final long MILLIS = 3000L;
private static final long LOOP_WACHTTIJD = 10L;
private static final long LOOP_WACHTTIJD_IN_MILLIS = LOOP_WACHTTIJD * MILLIS;
private static final Logger LOG = LoggerFactory.getLogger();
private static final DecimalFormat EREF_FORMAT = new DecimalFormat("000000");
private static final SimpleDateFormat PREFIX_FORMAT = new SimpleDateFormat("HHmmss");
private static final String EREF_PREFIX = PREFIX_FORMAT.format(new Date());
/* TIMEOUT */
private static final int TIMEOUT = 500;
private static final AtomicInteger COUNTER = new AtomicInteger();
@Inject
private JmsTemplate jmsTemplate;
@Inject
@Named("vospgOntvangstQueue")
private Destination vospgOntvangst;
@Inject
private JdbcTemplate jdbcTemplate;
private Long initEndedProcessCount = 0L;
/**
* Genereer (max lengte 12) ID. Let op: enkel uniek binnen JVM (implementatie dmv AtomicInteger).
*
* @return id
*/
public String generateId() {
return EREF_PREFIX + EREF_FORMAT.format(COUNTER.getAndIncrement());
}
/**
* Verzend een bericht.
<SUF>*/
public void verzendBericht(final TestBericht testBericht) {
jmsTemplate.send(vospgOntvangst, new MessageCreator() {
@Override
public Message createMessage(final Session session) throws JMSException {
final Message message = session.createTextMessage(testBericht.getInhoud());
final String messageId = generateId();
message.setStringProperty(JMSConstants.BERICHT_MS_SEQUENCE_NUMBER, messageId);
message.setStringProperty(JMSConstants.BERICHT_REFERENTIE, messageId);
message.setStringProperty(JMSConstants.BERICHT_ORIGINATOR, testBericht.getLo3Gemeente());
return message;
}
});
}
/**
* Voer stappen voor de testcase uit.
*/
public void beforeTestCase() {
// Clear queues
clearQueue(vospgOntvangst);
initEndedProcessCount = getEndedProcessCount();
}
private void clearQueue(final Destination destination) {
final long timeout = jmsTemplate.getReceiveTimeout();
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
while (jmsTemplate.receive(destination) != null) {
LOG.error("Message on queue before test case!!!!");
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
}
/**
* Dump vospg.ontvangst queue naar outputDirectory.
*
* @param outputDirectory
* De outputDirectory waarheen gedumpt wordt.
* @return true als er iets gedumpt is.
*/
public boolean dumpQueues(final File outputDirectory) {
return !dumpQueue(vospgOntvangst, outputDirectory, "9999-uit-vospg-");
}
/**
* Dump queue naar file.
*
* @param destination
* De JMX Destination waarvan we berichten lezen
* @param outputDirectory
* De outputDirectory waarheen gedumpt wordt.
* @param prefix
* De file prefix voor de dump.
* @return true als er niets te dumpen viel.
*/
private boolean dumpQueue(final Destination destination, final File outputDirectory, final String prefix) {
final long timeout = jmsTemplate.getReceiveTimeout();
long volgnummer = 0;
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
Message message;
while ((message = jmsTemplate.receive(destination)) != null) {
LOG.info("Onverwacht bericht op queue na testcase");
final File outputFile = new File(outputDirectory, prefix + volgnummer++ + ".txt");
outputFile.getParentFile().mkdirs();
try (FileOutputStream fis = new FileOutputStream(outputFile)) {
final PrintWriter writer = new PrintWriter(fis);
writer.print(((TextMessage) message).getText());
writer.close();
} catch (final IOException e) {
LOG.info("Probleem bij wegschrijven bericht.", e);
} catch (final JMSException e) {
LOG.info("Probleem bij versturen bericht.", e);
}
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
return volgnummer == 0;
}
/**
* Voer stappen na de testcase uit.
*
* @param wanted
* Aantal verwachte berichten.
* @param started
* Starttijd.
* @throws InterruptedException
* kan worden gegooid bij aanroepen van Thread.sleep().
*/
public void afterTestCase(final long wanted, final Date started) throws InterruptedException {
// Wanted number of messages
LOG.info(new Date() + "; Wanted: " + wanted);
LOG.info(started + "; Started");
long current = 0;
// give ten minute warmup initially
int loopsCurrentSame = -HONDERD_LOOPS;
while (current < wanted) {
final long processCount = getEndedProcessCount() - initEndedProcessCount;
LOG.info(new Date() + "; Processes ended so far: " + processCount);
if (current == processCount) {
loopsCurrentSame++;
} else {
current = processCount;
loopsCurrentSame = 0;
}
if (loopsCurrentSame >= HONDERD_LOOPS) {
LOG.info(new Date() + "; No processes ended (in ten minutes); breaking ...");
break;
}
// Check each 10 seconds
Thread.sleep(LOOP_WACHTTIJD_IN_MILLIS);
}
LOG.info(new Date() + "; Ending with: " + current);
}
/**
* Geef de waarde van ended process count.
*
* @return Het aantal beeindigde processen.
*/
public Long getEndedProcessCount() {
try {
final String sql = "select count(*) from mig_extractie_proces where proces_naam = 'uc202' and einddatum is not null";
return jdbcTemplate.queryForObject(sql, Long.class);
} catch (final DataAccessException e) {
throw new RuntimeException(e);
}
}
/**
* Controleer of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*
* @param expectedAmount
* Het verwachte aantal.
* @return of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*/
public boolean verifyEndedProcesses(final long expectedAmount) {
boolean result;
if (expectedAmount == getEndedProcessCount() - initEndedProcessCount) {
LOG.info("Amount of ended processes is correct");
result = true;
} else {
LOG.info("Expected amount of ended processes: " + expectedAmount);
LOG.info("Initial amount of ended processes: " + initEndedProcessCount);
LOG.info("Current amount of ended processes: " + getEndedProcessCount());
LOG.info("Amount of ended processes during this test: " + (getEndedProcessCount() - initEndedProcessCount));
result = false;
}
return result;
}
}
|
211683_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.test.perf.isc.environment;
import java.io.File;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.PrintWriter;
import java.text.DecimalFormat;
import java.text.SimpleDateFormat;
import java.util.Date;
import java.util.concurrent.atomic.AtomicInteger;
import javax.inject.Inject;
import javax.inject.Named;
import javax.jms.Destination;
import javax.jms.JMSException;
import javax.jms.Message;
import javax.jms.Session;
import javax.jms.TextMessage;
import nl.bzk.migratiebrp.bericht.model.JMSConstants;
import nl.bzk.migratiebrp.test.perf.isc.bericht.TestBericht;
import nl.bzk.migratiebrp.util.common.logging.Logger;
import nl.bzk.migratiebrp.util.common.logging.LoggerFactory;
import org.springframework.dao.DataAccessException;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jms.core.JmsTemplate;
import org.springframework.jms.core.MessageCreator;
/**
* Test omgeving (abstract).
*/
public final class TestEnvironment {
private static final int HONDERD_LOOPS = 100;
private static final long MILLIS = 3000L;
private static final long LOOP_WACHTTIJD = 10L;
private static final long LOOP_WACHTTIJD_IN_MILLIS = LOOP_WACHTTIJD * MILLIS;
private static final Logger LOG = LoggerFactory.getLogger();
private static final DecimalFormat EREF_FORMAT = new DecimalFormat("000000");
private static final SimpleDateFormat PREFIX_FORMAT = new SimpleDateFormat("HHmmss");
private static final String EREF_PREFIX = PREFIX_FORMAT.format(new Date());
/* TIMEOUT */
private static final int TIMEOUT = 500;
private static final AtomicInteger COUNTER = new AtomicInteger();
@Inject
private JmsTemplate jmsTemplate;
@Inject
@Named("vospgOntvangstQueue")
private Destination vospgOntvangst;
@Inject
private JdbcTemplate jdbcTemplate;
private Long initEndedProcessCount = 0L;
/**
* Genereer (max lengte 12) ID. Let op: enkel uniek binnen JVM (implementatie dmv AtomicInteger).
*
* @return id
*/
public String generateId() {
return EREF_PREFIX + EREF_FORMAT.format(COUNTER.getAndIncrement());
}
/**
* Verzend een bericht.
*
* @param testBericht
* testBericht
*/
public void verzendBericht(final TestBericht testBericht) {
jmsTemplate.send(vospgOntvangst, new MessageCreator() {
@Override
public Message createMessage(final Session session) throws JMSException {
final Message message = session.createTextMessage(testBericht.getInhoud());
final String messageId = generateId();
message.setStringProperty(JMSConstants.BERICHT_MS_SEQUENCE_NUMBER, messageId);
message.setStringProperty(JMSConstants.BERICHT_REFERENTIE, messageId);
message.setStringProperty(JMSConstants.BERICHT_ORIGINATOR, testBericht.getLo3Gemeente());
return message;
}
});
}
/**
* Voer stappen voor de testcase uit.
*/
public void beforeTestCase() {
// Clear queues
clearQueue(vospgOntvangst);
initEndedProcessCount = getEndedProcessCount();
}
private void clearQueue(final Destination destination) {
final long timeout = jmsTemplate.getReceiveTimeout();
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
while (jmsTemplate.receive(destination) != null) {
LOG.error("Message on queue before test case!!!!");
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
}
/**
* Dump vospg.ontvangst queue naar outputDirectory.
*
* @param outputDirectory
* De outputDirectory waarheen gedumpt wordt.
* @return true als er iets gedumpt is.
*/
public boolean dumpQueues(final File outputDirectory) {
return !dumpQueue(vospgOntvangst, outputDirectory, "9999-uit-vospg-");
}
/**
* Dump queue naar file.
*
* @param destination
* De JMX Destination waarvan we berichten lezen
* @param outputDirectory
* De outputDirectory waarheen gedumpt wordt.
* @param prefix
* De file prefix voor de dump.
* @return true als er niets te dumpen viel.
*/
private boolean dumpQueue(final Destination destination, final File outputDirectory, final String prefix) {
final long timeout = jmsTemplate.getReceiveTimeout();
long volgnummer = 0;
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
Message message;
while ((message = jmsTemplate.receive(destination)) != null) {
LOG.info("Onverwacht bericht op queue na testcase");
final File outputFile = new File(outputDirectory, prefix + volgnummer++ + ".txt");
outputFile.getParentFile().mkdirs();
try (FileOutputStream fis = new FileOutputStream(outputFile)) {
final PrintWriter writer = new PrintWriter(fis);
writer.print(((TextMessage) message).getText());
writer.close();
} catch (final IOException e) {
LOG.info("Probleem bij wegschrijven bericht.", e);
} catch (final JMSException e) {
LOG.info("Probleem bij versturen bericht.", e);
}
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
return volgnummer == 0;
}
/**
* Voer stappen na de testcase uit.
*
* @param wanted
* Aantal verwachte berichten.
* @param started
* Starttijd.
* @throws InterruptedException
* kan worden gegooid bij aanroepen van Thread.sleep().
*/
public void afterTestCase(final long wanted, final Date started) throws InterruptedException {
// Wanted number of messages
LOG.info(new Date() + "; Wanted: " + wanted);
LOG.info(started + "; Started");
long current = 0;
// give ten minute warmup initially
int loopsCurrentSame = -HONDERD_LOOPS;
while (current < wanted) {
final long processCount = getEndedProcessCount() - initEndedProcessCount;
LOG.info(new Date() + "; Processes ended so far: " + processCount);
if (current == processCount) {
loopsCurrentSame++;
} else {
current = processCount;
loopsCurrentSame = 0;
}
if (loopsCurrentSame >= HONDERD_LOOPS) {
LOG.info(new Date() + "; No processes ended (in ten minutes); breaking ...");
break;
}
// Check each 10 seconds
Thread.sleep(LOOP_WACHTTIJD_IN_MILLIS);
}
LOG.info(new Date() + "; Ending with: " + current);
}
/**
* Geef de waarde van ended process count.
*
* @return Het aantal beeindigde processen.
*/
public Long getEndedProcessCount() {
try {
final String sql = "select count(*) from mig_extractie_proces where proces_naam = 'uc202' and einddatum is not null";
return jdbcTemplate.queryForObject(sql, Long.class);
} catch (final DataAccessException e) {
throw new RuntimeException(e);
}
}
/**
* Controleer of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*
* @param expectedAmount
* Het verwachte aantal.
* @return of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*/
public boolean verifyEndedProcesses(final long expectedAmount) {
boolean result;
if (expectedAmount == getEndedProcessCount() - initEndedProcessCount) {
LOG.info("Amount of ended processes is correct");
result = true;
} else {
LOG.info("Expected amount of ended processes: " + expectedAmount);
LOG.info("Initial amount of ended processes: " + initEndedProcessCount);
LOG.info("Current amount of ended processes: " + getEndedProcessCount());
LOG.info("Amount of ended processes during this test: " + (getEndedProcessCount() - initEndedProcessCount));
result = false;
}
return result;
}
}
| MinBZK/OperatieBRP | 2016/migratie 2016-02-09/migr-test-perf-isc/src/main/java/nl/bzk/migratiebrp/test/perf/isc/environment/TestEnvironment.java | 2,300 | /**
* Voer stappen voor de testcase uit.
*/ | 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.perf.isc.environment;
import java.io.File;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.PrintWriter;
import java.text.DecimalFormat;
import java.text.SimpleDateFormat;
import java.util.Date;
import java.util.concurrent.atomic.AtomicInteger;
import javax.inject.Inject;
import javax.inject.Named;
import javax.jms.Destination;
import javax.jms.JMSException;
import javax.jms.Message;
import javax.jms.Session;
import javax.jms.TextMessage;
import nl.bzk.migratiebrp.bericht.model.JMSConstants;
import nl.bzk.migratiebrp.test.perf.isc.bericht.TestBericht;
import nl.bzk.migratiebrp.util.common.logging.Logger;
import nl.bzk.migratiebrp.util.common.logging.LoggerFactory;
import org.springframework.dao.DataAccessException;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jms.core.JmsTemplate;
import org.springframework.jms.core.MessageCreator;
/**
* Test omgeving (abstract).
*/
public final class TestEnvironment {
private static final int HONDERD_LOOPS = 100;
private static final long MILLIS = 3000L;
private static final long LOOP_WACHTTIJD = 10L;
private static final long LOOP_WACHTTIJD_IN_MILLIS = LOOP_WACHTTIJD * MILLIS;
private static final Logger LOG = LoggerFactory.getLogger();
private static final DecimalFormat EREF_FORMAT = new DecimalFormat("000000");
private static final SimpleDateFormat PREFIX_FORMAT = new SimpleDateFormat("HHmmss");
private static final String EREF_PREFIX = PREFIX_FORMAT.format(new Date());
/* TIMEOUT */
private static final int TIMEOUT = 500;
private static final AtomicInteger COUNTER = new AtomicInteger();
@Inject
private JmsTemplate jmsTemplate;
@Inject
@Named("vospgOntvangstQueue")
private Destination vospgOntvangst;
@Inject
private JdbcTemplate jdbcTemplate;
private Long initEndedProcessCount = 0L;
/**
* Genereer (max lengte 12) ID. Let op: enkel uniek binnen JVM (implementatie dmv AtomicInteger).
*
* @return id
*/
public String generateId() {
return EREF_PREFIX + EREF_FORMAT.format(COUNTER.getAndIncrement());
}
/**
* Verzend een bericht.
*
* @param testBericht
* testBericht
*/
public void verzendBericht(final TestBericht testBericht) {
jmsTemplate.send(vospgOntvangst, new MessageCreator() {
@Override
public Message createMessage(final Session session) throws JMSException {
final Message message = session.createTextMessage(testBericht.getInhoud());
final String messageId = generateId();
message.setStringProperty(JMSConstants.BERICHT_MS_SEQUENCE_NUMBER, messageId);
message.setStringProperty(JMSConstants.BERICHT_REFERENTIE, messageId);
message.setStringProperty(JMSConstants.BERICHT_ORIGINATOR, testBericht.getLo3Gemeente());
return message;
}
});
}
/**
* Voer stappen voor<SUF>*/
public void beforeTestCase() {
// Clear queues
clearQueue(vospgOntvangst);
initEndedProcessCount = getEndedProcessCount();
}
private void clearQueue(final Destination destination) {
final long timeout = jmsTemplate.getReceiveTimeout();
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
while (jmsTemplate.receive(destination) != null) {
LOG.error("Message on queue before test case!!!!");
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
}
/**
* Dump vospg.ontvangst queue naar outputDirectory.
*
* @param outputDirectory
* De outputDirectory waarheen gedumpt wordt.
* @return true als er iets gedumpt is.
*/
public boolean dumpQueues(final File outputDirectory) {
return !dumpQueue(vospgOntvangst, outputDirectory, "9999-uit-vospg-");
}
/**
* Dump queue naar file.
*
* @param destination
* De JMX Destination waarvan we berichten lezen
* @param outputDirectory
* De outputDirectory waarheen gedumpt wordt.
* @param prefix
* De file prefix voor de dump.
* @return true als er niets te dumpen viel.
*/
private boolean dumpQueue(final Destination destination, final File outputDirectory, final String prefix) {
final long timeout = jmsTemplate.getReceiveTimeout();
long volgnummer = 0;
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
Message message;
while ((message = jmsTemplate.receive(destination)) != null) {
LOG.info("Onverwacht bericht op queue na testcase");
final File outputFile = new File(outputDirectory, prefix + volgnummer++ + ".txt");
outputFile.getParentFile().mkdirs();
try (FileOutputStream fis = new FileOutputStream(outputFile)) {
final PrintWriter writer = new PrintWriter(fis);
writer.print(((TextMessage) message).getText());
writer.close();
} catch (final IOException e) {
LOG.info("Probleem bij wegschrijven bericht.", e);
} catch (final JMSException e) {
LOG.info("Probleem bij versturen bericht.", e);
}
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
return volgnummer == 0;
}
/**
* Voer stappen na de testcase uit.
*
* @param wanted
* Aantal verwachte berichten.
* @param started
* Starttijd.
* @throws InterruptedException
* kan worden gegooid bij aanroepen van Thread.sleep().
*/
public void afterTestCase(final long wanted, final Date started) throws InterruptedException {
// Wanted number of messages
LOG.info(new Date() + "; Wanted: " + wanted);
LOG.info(started + "; Started");
long current = 0;
// give ten minute warmup initially
int loopsCurrentSame = -HONDERD_LOOPS;
while (current < wanted) {
final long processCount = getEndedProcessCount() - initEndedProcessCount;
LOG.info(new Date() + "; Processes ended so far: " + processCount);
if (current == processCount) {
loopsCurrentSame++;
} else {
current = processCount;
loopsCurrentSame = 0;
}
if (loopsCurrentSame >= HONDERD_LOOPS) {
LOG.info(new Date() + "; No processes ended (in ten minutes); breaking ...");
break;
}
// Check each 10 seconds
Thread.sleep(LOOP_WACHTTIJD_IN_MILLIS);
}
LOG.info(new Date() + "; Ending with: " + current);
}
/**
* Geef de waarde van ended process count.
*
* @return Het aantal beeindigde processen.
*/
public Long getEndedProcessCount() {
try {
final String sql = "select count(*) from mig_extractie_proces where proces_naam = 'uc202' and einddatum is not null";
return jdbcTemplate.queryForObject(sql, Long.class);
} catch (final DataAccessException e) {
throw new RuntimeException(e);
}
}
/**
* Controleer of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*
* @param expectedAmount
* Het verwachte aantal.
* @return of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*/
public boolean verifyEndedProcesses(final long expectedAmount) {
boolean result;
if (expectedAmount == getEndedProcessCount() - initEndedProcessCount) {
LOG.info("Amount of ended processes is correct");
result = true;
} else {
LOG.info("Expected amount of ended processes: " + expectedAmount);
LOG.info("Initial amount of ended processes: " + initEndedProcessCount);
LOG.info("Current amount of ended processes: " + getEndedProcessCount());
LOG.info("Amount of ended processes during this test: " + (getEndedProcessCount() - initEndedProcessCount));
result = false;
}
return result;
}
}
|
211683_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.test.perf.isc.environment;
import java.io.File;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.PrintWriter;
import java.text.DecimalFormat;
import java.text.SimpleDateFormat;
import java.util.Date;
import java.util.concurrent.atomic.AtomicInteger;
import javax.inject.Inject;
import javax.inject.Named;
import javax.jms.Destination;
import javax.jms.JMSException;
import javax.jms.Message;
import javax.jms.Session;
import javax.jms.TextMessage;
import nl.bzk.migratiebrp.bericht.model.JMSConstants;
import nl.bzk.migratiebrp.test.perf.isc.bericht.TestBericht;
import nl.bzk.migratiebrp.util.common.logging.Logger;
import nl.bzk.migratiebrp.util.common.logging.LoggerFactory;
import org.springframework.dao.DataAccessException;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jms.core.JmsTemplate;
import org.springframework.jms.core.MessageCreator;
/**
* Test omgeving (abstract).
*/
public final class TestEnvironment {
private static final int HONDERD_LOOPS = 100;
private static final long MILLIS = 3000L;
private static final long LOOP_WACHTTIJD = 10L;
private static final long LOOP_WACHTTIJD_IN_MILLIS = LOOP_WACHTTIJD * MILLIS;
private static final Logger LOG = LoggerFactory.getLogger();
private static final DecimalFormat EREF_FORMAT = new DecimalFormat("000000");
private static final SimpleDateFormat PREFIX_FORMAT = new SimpleDateFormat("HHmmss");
private static final String EREF_PREFIX = PREFIX_FORMAT.format(new Date());
/* TIMEOUT */
private static final int TIMEOUT = 500;
private static final AtomicInteger COUNTER = new AtomicInteger();
@Inject
private JmsTemplate jmsTemplate;
@Inject
@Named("vospgOntvangstQueue")
private Destination vospgOntvangst;
@Inject
private JdbcTemplate jdbcTemplate;
private Long initEndedProcessCount = 0L;
/**
* Genereer (max lengte 12) ID. Let op: enkel uniek binnen JVM (implementatie dmv AtomicInteger).
*
* @return id
*/
public String generateId() {
return EREF_PREFIX + EREF_FORMAT.format(COUNTER.getAndIncrement());
}
/**
* Verzend een bericht.
*
* @param testBericht
* testBericht
*/
public void verzendBericht(final TestBericht testBericht) {
jmsTemplate.send(vospgOntvangst, new MessageCreator() {
@Override
public Message createMessage(final Session session) throws JMSException {
final Message message = session.createTextMessage(testBericht.getInhoud());
final String messageId = generateId();
message.setStringProperty(JMSConstants.BERICHT_MS_SEQUENCE_NUMBER, messageId);
message.setStringProperty(JMSConstants.BERICHT_REFERENTIE, messageId);
message.setStringProperty(JMSConstants.BERICHT_ORIGINATOR, testBericht.getLo3Gemeente());
return message;
}
});
}
/**
* Voer stappen voor de testcase uit.
*/
public void beforeTestCase() {
// Clear queues
clearQueue(vospgOntvangst);
initEndedProcessCount = getEndedProcessCount();
}
private void clearQueue(final Destination destination) {
final long timeout = jmsTemplate.getReceiveTimeout();
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
while (jmsTemplate.receive(destination) != null) {
LOG.error("Message on queue before test case!!!!");
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
}
/**
* Dump vospg.ontvangst queue naar outputDirectory.
*
* @param outputDirectory
* De outputDirectory waarheen gedumpt wordt.
* @return true als er iets gedumpt is.
*/
public boolean dumpQueues(final File outputDirectory) {
return !dumpQueue(vospgOntvangst, outputDirectory, "9999-uit-vospg-");
}
/**
* Dump queue naar file.
*
* @param destination
* De JMX Destination waarvan we berichten lezen
* @param outputDirectory
* De outputDirectory waarheen gedumpt wordt.
* @param prefix
* De file prefix voor de dump.
* @return true als er niets te dumpen viel.
*/
private boolean dumpQueue(final Destination destination, final File outputDirectory, final String prefix) {
final long timeout = jmsTemplate.getReceiveTimeout();
long volgnummer = 0;
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
Message message;
while ((message = jmsTemplate.receive(destination)) != null) {
LOG.info("Onverwacht bericht op queue na testcase");
final File outputFile = new File(outputDirectory, prefix + volgnummer++ + ".txt");
outputFile.getParentFile().mkdirs();
try (FileOutputStream fis = new FileOutputStream(outputFile)) {
final PrintWriter writer = new PrintWriter(fis);
writer.print(((TextMessage) message).getText());
writer.close();
} catch (final IOException e) {
LOG.info("Probleem bij wegschrijven bericht.", e);
} catch (final JMSException e) {
LOG.info("Probleem bij versturen bericht.", e);
}
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
return volgnummer == 0;
}
/**
* Voer stappen na de testcase uit.
*
* @param wanted
* Aantal verwachte berichten.
* @param started
* Starttijd.
* @throws InterruptedException
* kan worden gegooid bij aanroepen van Thread.sleep().
*/
public void afterTestCase(final long wanted, final Date started) throws InterruptedException {
// Wanted number of messages
LOG.info(new Date() + "; Wanted: " + wanted);
LOG.info(started + "; Started");
long current = 0;
// give ten minute warmup initially
int loopsCurrentSame = -HONDERD_LOOPS;
while (current < wanted) {
final long processCount = getEndedProcessCount() - initEndedProcessCount;
LOG.info(new Date() + "; Processes ended so far: " + processCount);
if (current == processCount) {
loopsCurrentSame++;
} else {
current = processCount;
loopsCurrentSame = 0;
}
if (loopsCurrentSame >= HONDERD_LOOPS) {
LOG.info(new Date() + "; No processes ended (in ten minutes); breaking ...");
break;
}
// Check each 10 seconds
Thread.sleep(LOOP_WACHTTIJD_IN_MILLIS);
}
LOG.info(new Date() + "; Ending with: " + current);
}
/**
* Geef de waarde van ended process count.
*
* @return Het aantal beeindigde processen.
*/
public Long getEndedProcessCount() {
try {
final String sql = "select count(*) from mig_extractie_proces where proces_naam = 'uc202' and einddatum is not null";
return jdbcTemplate.queryForObject(sql, Long.class);
} catch (final DataAccessException e) {
throw new RuntimeException(e);
}
}
/**
* Controleer of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*
* @param expectedAmount
* Het verwachte aantal.
* @return of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*/
public boolean verifyEndedProcesses(final long expectedAmount) {
boolean result;
if (expectedAmount == getEndedProcessCount() - initEndedProcessCount) {
LOG.info("Amount of ended processes is correct");
result = true;
} else {
LOG.info("Expected amount of ended processes: " + expectedAmount);
LOG.info("Initial amount of ended processes: " + initEndedProcessCount);
LOG.info("Current amount of ended processes: " + getEndedProcessCount());
LOG.info("Amount of ended processes during this test: " + (getEndedProcessCount() - initEndedProcessCount));
result = false;
}
return result;
}
}
| MinBZK/OperatieBRP | 2016/migratie 2016-02-09/migr-test-perf-isc/src/main/java/nl/bzk/migratiebrp/test/perf/isc/environment/TestEnvironment.java | 2,300 | /**
* Dump queue naar file.
*
* @param destination
* De JMX Destination waarvan we berichten lezen
* @param outputDirectory
* De outputDirectory waarheen gedumpt wordt.
* @param prefix
* De file prefix voor de dump.
* @return true als er niets te dumpen viel.
*/ | 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.perf.isc.environment;
import java.io.File;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.PrintWriter;
import java.text.DecimalFormat;
import java.text.SimpleDateFormat;
import java.util.Date;
import java.util.concurrent.atomic.AtomicInteger;
import javax.inject.Inject;
import javax.inject.Named;
import javax.jms.Destination;
import javax.jms.JMSException;
import javax.jms.Message;
import javax.jms.Session;
import javax.jms.TextMessage;
import nl.bzk.migratiebrp.bericht.model.JMSConstants;
import nl.bzk.migratiebrp.test.perf.isc.bericht.TestBericht;
import nl.bzk.migratiebrp.util.common.logging.Logger;
import nl.bzk.migratiebrp.util.common.logging.LoggerFactory;
import org.springframework.dao.DataAccessException;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jms.core.JmsTemplate;
import org.springframework.jms.core.MessageCreator;
/**
* Test omgeving (abstract).
*/
public final class TestEnvironment {
private static final int HONDERD_LOOPS = 100;
private static final long MILLIS = 3000L;
private static final long LOOP_WACHTTIJD = 10L;
private static final long LOOP_WACHTTIJD_IN_MILLIS = LOOP_WACHTTIJD * MILLIS;
private static final Logger LOG = LoggerFactory.getLogger();
private static final DecimalFormat EREF_FORMAT = new DecimalFormat("000000");
private static final SimpleDateFormat PREFIX_FORMAT = new SimpleDateFormat("HHmmss");
private static final String EREF_PREFIX = PREFIX_FORMAT.format(new Date());
/* TIMEOUT */
private static final int TIMEOUT = 500;
private static final AtomicInteger COUNTER = new AtomicInteger();
@Inject
private JmsTemplate jmsTemplate;
@Inject
@Named("vospgOntvangstQueue")
private Destination vospgOntvangst;
@Inject
private JdbcTemplate jdbcTemplate;
private Long initEndedProcessCount = 0L;
/**
* Genereer (max lengte 12) ID. Let op: enkel uniek binnen JVM (implementatie dmv AtomicInteger).
*
* @return id
*/
public String generateId() {
return EREF_PREFIX + EREF_FORMAT.format(COUNTER.getAndIncrement());
}
/**
* Verzend een bericht.
*
* @param testBericht
* testBericht
*/
public void verzendBericht(final TestBericht testBericht) {
jmsTemplate.send(vospgOntvangst, new MessageCreator() {
@Override
public Message createMessage(final Session session) throws JMSException {
final Message message = session.createTextMessage(testBericht.getInhoud());
final String messageId = generateId();
message.setStringProperty(JMSConstants.BERICHT_MS_SEQUENCE_NUMBER, messageId);
message.setStringProperty(JMSConstants.BERICHT_REFERENTIE, messageId);
message.setStringProperty(JMSConstants.BERICHT_ORIGINATOR, testBericht.getLo3Gemeente());
return message;
}
});
}
/**
* Voer stappen voor de testcase uit.
*/
public void beforeTestCase() {
// Clear queues
clearQueue(vospgOntvangst);
initEndedProcessCount = getEndedProcessCount();
}
private void clearQueue(final Destination destination) {
final long timeout = jmsTemplate.getReceiveTimeout();
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
while (jmsTemplate.receive(destination) != null) {
LOG.error("Message on queue before test case!!!!");
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
}
/**
* Dump vospg.ontvangst queue naar outputDirectory.
*
* @param outputDirectory
* De outputDirectory waarheen gedumpt wordt.
* @return true als er iets gedumpt is.
*/
public boolean dumpQueues(final File outputDirectory) {
return !dumpQueue(vospgOntvangst, outputDirectory, "9999-uit-vospg-");
}
/**
* Dump queue naar<SUF>*/
private boolean dumpQueue(final Destination destination, final File outputDirectory, final String prefix) {
final long timeout = jmsTemplate.getReceiveTimeout();
long volgnummer = 0;
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
Message message;
while ((message = jmsTemplate.receive(destination)) != null) {
LOG.info("Onverwacht bericht op queue na testcase");
final File outputFile = new File(outputDirectory, prefix + volgnummer++ + ".txt");
outputFile.getParentFile().mkdirs();
try (FileOutputStream fis = new FileOutputStream(outputFile)) {
final PrintWriter writer = new PrintWriter(fis);
writer.print(((TextMessage) message).getText());
writer.close();
} catch (final IOException e) {
LOG.info("Probleem bij wegschrijven bericht.", e);
} catch (final JMSException e) {
LOG.info("Probleem bij versturen bericht.", e);
}
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
return volgnummer == 0;
}
/**
* Voer stappen na de testcase uit.
*
* @param wanted
* Aantal verwachte berichten.
* @param started
* Starttijd.
* @throws InterruptedException
* kan worden gegooid bij aanroepen van Thread.sleep().
*/
public void afterTestCase(final long wanted, final Date started) throws InterruptedException {
// Wanted number of messages
LOG.info(new Date() + "; Wanted: " + wanted);
LOG.info(started + "; Started");
long current = 0;
// give ten minute warmup initially
int loopsCurrentSame = -HONDERD_LOOPS;
while (current < wanted) {
final long processCount = getEndedProcessCount() - initEndedProcessCount;
LOG.info(new Date() + "; Processes ended so far: " + processCount);
if (current == processCount) {
loopsCurrentSame++;
} else {
current = processCount;
loopsCurrentSame = 0;
}
if (loopsCurrentSame >= HONDERD_LOOPS) {
LOG.info(new Date() + "; No processes ended (in ten minutes); breaking ...");
break;
}
// Check each 10 seconds
Thread.sleep(LOOP_WACHTTIJD_IN_MILLIS);
}
LOG.info(new Date() + "; Ending with: " + current);
}
/**
* Geef de waarde van ended process count.
*
* @return Het aantal beeindigde processen.
*/
public Long getEndedProcessCount() {
try {
final String sql = "select count(*) from mig_extractie_proces where proces_naam = 'uc202' and einddatum is not null";
return jdbcTemplate.queryForObject(sql, Long.class);
} catch (final DataAccessException e) {
throw new RuntimeException(e);
}
}
/**
* Controleer of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*
* @param expectedAmount
* Het verwachte aantal.
* @return of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*/
public boolean verifyEndedProcesses(final long expectedAmount) {
boolean result;
if (expectedAmount == getEndedProcessCount() - initEndedProcessCount) {
LOG.info("Amount of ended processes is correct");
result = true;
} else {
LOG.info("Expected amount of ended processes: " + expectedAmount);
LOG.info("Initial amount of ended processes: " + initEndedProcessCount);
LOG.info("Current amount of ended processes: " + getEndedProcessCount());
LOG.info("Amount of ended processes during this test: " + (getEndedProcessCount() - initEndedProcessCount));
result = false;
}
return result;
}
}
|
211683_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.perf.isc.environment;
import java.io.File;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.PrintWriter;
import java.text.DecimalFormat;
import java.text.SimpleDateFormat;
import java.util.Date;
import java.util.concurrent.atomic.AtomicInteger;
import javax.inject.Inject;
import javax.inject.Named;
import javax.jms.Destination;
import javax.jms.JMSException;
import javax.jms.Message;
import javax.jms.Session;
import javax.jms.TextMessage;
import nl.bzk.migratiebrp.bericht.model.JMSConstants;
import nl.bzk.migratiebrp.test.perf.isc.bericht.TestBericht;
import nl.bzk.migratiebrp.util.common.logging.Logger;
import nl.bzk.migratiebrp.util.common.logging.LoggerFactory;
import org.springframework.dao.DataAccessException;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jms.core.JmsTemplate;
import org.springframework.jms.core.MessageCreator;
/**
* Test omgeving (abstract).
*/
public final class TestEnvironment {
private static final int HONDERD_LOOPS = 100;
private static final long MILLIS = 3000L;
private static final long LOOP_WACHTTIJD = 10L;
private static final long LOOP_WACHTTIJD_IN_MILLIS = LOOP_WACHTTIJD * MILLIS;
private static final Logger LOG = LoggerFactory.getLogger();
private static final DecimalFormat EREF_FORMAT = new DecimalFormat("000000");
private static final SimpleDateFormat PREFIX_FORMAT = new SimpleDateFormat("HHmmss");
private static final String EREF_PREFIX = PREFIX_FORMAT.format(new Date());
/* TIMEOUT */
private static final int TIMEOUT = 500;
private static final AtomicInteger COUNTER = new AtomicInteger();
@Inject
private JmsTemplate jmsTemplate;
@Inject
@Named("vospgOntvangstQueue")
private Destination vospgOntvangst;
@Inject
private JdbcTemplate jdbcTemplate;
private Long initEndedProcessCount = 0L;
/**
* Genereer (max lengte 12) ID. Let op: enkel uniek binnen JVM (implementatie dmv AtomicInteger).
*
* @return id
*/
public String generateId() {
return EREF_PREFIX + EREF_FORMAT.format(COUNTER.getAndIncrement());
}
/**
* Verzend een bericht.
*
* @param testBericht
* testBericht
*/
public void verzendBericht(final TestBericht testBericht) {
jmsTemplate.send(vospgOntvangst, new MessageCreator() {
@Override
public Message createMessage(final Session session) throws JMSException {
final Message message = session.createTextMessage(testBericht.getInhoud());
final String messageId = generateId();
message.setStringProperty(JMSConstants.BERICHT_MS_SEQUENCE_NUMBER, messageId);
message.setStringProperty(JMSConstants.BERICHT_REFERENTIE, messageId);
message.setStringProperty(JMSConstants.BERICHT_ORIGINATOR, testBericht.getLo3Gemeente());
return message;
}
});
}
/**
* Voer stappen voor de testcase uit.
*/
public void beforeTestCase() {
// Clear queues
clearQueue(vospgOntvangst);
initEndedProcessCount = getEndedProcessCount();
}
private void clearQueue(final Destination destination) {
final long timeout = jmsTemplate.getReceiveTimeout();
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
while (jmsTemplate.receive(destination) != null) {
LOG.error("Message on queue before test case!!!!");
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
}
/**
* Dump vospg.ontvangst queue naar outputDirectory.
*
* @param outputDirectory
* De outputDirectory waarheen gedumpt wordt.
* @return true als er iets gedumpt is.
*/
public boolean dumpQueues(final File outputDirectory) {
return !dumpQueue(vospgOntvangst, outputDirectory, "9999-uit-vospg-");
}
/**
* Dump queue naar file.
*
* @param destination
* De JMX Destination waarvan we berichten lezen
* @param outputDirectory
* De outputDirectory waarheen gedumpt wordt.
* @param prefix
* De file prefix voor de dump.
* @return true als er niets te dumpen viel.
*/
private boolean dumpQueue(final Destination destination, final File outputDirectory, final String prefix) {
final long timeout = jmsTemplate.getReceiveTimeout();
long volgnummer = 0;
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
Message message;
while ((message = jmsTemplate.receive(destination)) != null) {
LOG.info("Onverwacht bericht op queue na testcase");
final File outputFile = new File(outputDirectory, prefix + volgnummer++ + ".txt");
outputFile.getParentFile().mkdirs();
try (FileOutputStream fis = new FileOutputStream(outputFile)) {
final PrintWriter writer = new PrintWriter(fis);
writer.print(((TextMessage) message).getText());
writer.close();
} catch (final IOException e) {
LOG.info("Probleem bij wegschrijven bericht.", e);
} catch (final JMSException e) {
LOG.info("Probleem bij versturen bericht.", e);
}
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
return volgnummer == 0;
}
/**
* Voer stappen na de testcase uit.
*
* @param wanted
* Aantal verwachte berichten.
* @param started
* Starttijd.
* @throws InterruptedException
* kan worden gegooid bij aanroepen van Thread.sleep().
*/
public void afterTestCase(final long wanted, final Date started) throws InterruptedException {
// Wanted number of messages
LOG.info(new Date() + "; Wanted: " + wanted);
LOG.info(started + "; Started");
long current = 0;
// give ten minute warmup initially
int loopsCurrentSame = -HONDERD_LOOPS;
while (current < wanted) {
final long processCount = getEndedProcessCount() - initEndedProcessCount;
LOG.info(new Date() + "; Processes ended so far: " + processCount);
if (current == processCount) {
loopsCurrentSame++;
} else {
current = processCount;
loopsCurrentSame = 0;
}
if (loopsCurrentSame >= HONDERD_LOOPS) {
LOG.info(new Date() + "; No processes ended (in ten minutes); breaking ...");
break;
}
// Check each 10 seconds
Thread.sleep(LOOP_WACHTTIJD_IN_MILLIS);
}
LOG.info(new Date() + "; Ending with: " + current);
}
/**
* Geef de waarde van ended process count.
*
* @return Het aantal beeindigde processen.
*/
public Long getEndedProcessCount() {
try {
final String sql = "select count(*) from mig_extractie_proces where proces_naam = 'uc202' and einddatum is not null";
return jdbcTemplate.queryForObject(sql, Long.class);
} catch (final DataAccessException e) {
throw new RuntimeException(e);
}
}
/**
* Controleer of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*
* @param expectedAmount
* Het verwachte aantal.
* @return of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*/
public boolean verifyEndedProcesses(final long expectedAmount) {
boolean result;
if (expectedAmount == getEndedProcessCount() - initEndedProcessCount) {
LOG.info("Amount of ended processes is correct");
result = true;
} else {
LOG.info("Expected amount of ended processes: " + expectedAmount);
LOG.info("Initial amount of ended processes: " + initEndedProcessCount);
LOG.info("Current amount of ended processes: " + getEndedProcessCount());
LOG.info("Amount of ended processes during this test: " + (getEndedProcessCount() - initEndedProcessCount));
result = false;
}
return result;
}
}
| MinBZK/OperatieBRP | 2016/migratie 2016-02-09/migr-test-perf-isc/src/main/java/nl/bzk/migratiebrp/test/perf/isc/environment/TestEnvironment.java | 2,300 | /**
* Voer stappen na de testcase uit.
*
* @param wanted
* Aantal verwachte berichten.
* @param started
* Starttijd.
* @throws InterruptedException
* kan worden gegooid bij aanroepen van Thread.sleep().
*/ | 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.perf.isc.environment;
import java.io.File;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.PrintWriter;
import java.text.DecimalFormat;
import java.text.SimpleDateFormat;
import java.util.Date;
import java.util.concurrent.atomic.AtomicInteger;
import javax.inject.Inject;
import javax.inject.Named;
import javax.jms.Destination;
import javax.jms.JMSException;
import javax.jms.Message;
import javax.jms.Session;
import javax.jms.TextMessage;
import nl.bzk.migratiebrp.bericht.model.JMSConstants;
import nl.bzk.migratiebrp.test.perf.isc.bericht.TestBericht;
import nl.bzk.migratiebrp.util.common.logging.Logger;
import nl.bzk.migratiebrp.util.common.logging.LoggerFactory;
import org.springframework.dao.DataAccessException;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jms.core.JmsTemplate;
import org.springframework.jms.core.MessageCreator;
/**
* Test omgeving (abstract).
*/
public final class TestEnvironment {
private static final int HONDERD_LOOPS = 100;
private static final long MILLIS = 3000L;
private static final long LOOP_WACHTTIJD = 10L;
private static final long LOOP_WACHTTIJD_IN_MILLIS = LOOP_WACHTTIJD * MILLIS;
private static final Logger LOG = LoggerFactory.getLogger();
private static final DecimalFormat EREF_FORMAT = new DecimalFormat("000000");
private static final SimpleDateFormat PREFIX_FORMAT = new SimpleDateFormat("HHmmss");
private static final String EREF_PREFIX = PREFIX_FORMAT.format(new Date());
/* TIMEOUT */
private static final int TIMEOUT = 500;
private static final AtomicInteger COUNTER = new AtomicInteger();
@Inject
private JmsTemplate jmsTemplate;
@Inject
@Named("vospgOntvangstQueue")
private Destination vospgOntvangst;
@Inject
private JdbcTemplate jdbcTemplate;
private Long initEndedProcessCount = 0L;
/**
* Genereer (max lengte 12) ID. Let op: enkel uniek binnen JVM (implementatie dmv AtomicInteger).
*
* @return id
*/
public String generateId() {
return EREF_PREFIX + EREF_FORMAT.format(COUNTER.getAndIncrement());
}
/**
* Verzend een bericht.
*
* @param testBericht
* testBericht
*/
public void verzendBericht(final TestBericht testBericht) {
jmsTemplate.send(vospgOntvangst, new MessageCreator() {
@Override
public Message createMessage(final Session session) throws JMSException {
final Message message = session.createTextMessage(testBericht.getInhoud());
final String messageId = generateId();
message.setStringProperty(JMSConstants.BERICHT_MS_SEQUENCE_NUMBER, messageId);
message.setStringProperty(JMSConstants.BERICHT_REFERENTIE, messageId);
message.setStringProperty(JMSConstants.BERICHT_ORIGINATOR, testBericht.getLo3Gemeente());
return message;
}
});
}
/**
* Voer stappen voor de testcase uit.
*/
public void beforeTestCase() {
// Clear queues
clearQueue(vospgOntvangst);
initEndedProcessCount = getEndedProcessCount();
}
private void clearQueue(final Destination destination) {
final long timeout = jmsTemplate.getReceiveTimeout();
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
while (jmsTemplate.receive(destination) != null) {
LOG.error("Message on queue before test case!!!!");
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
}
/**
* Dump vospg.ontvangst queue naar outputDirectory.
*
* @param outputDirectory
* De outputDirectory waarheen gedumpt wordt.
* @return true als er iets gedumpt is.
*/
public boolean dumpQueues(final File outputDirectory) {
return !dumpQueue(vospgOntvangst, outputDirectory, "9999-uit-vospg-");
}
/**
* Dump queue naar file.
*
* @param destination
* De JMX Destination waarvan we berichten lezen
* @param outputDirectory
* De outputDirectory waarheen gedumpt wordt.
* @param prefix
* De file prefix voor de dump.
* @return true als er niets te dumpen viel.
*/
private boolean dumpQueue(final Destination destination, final File outputDirectory, final String prefix) {
final long timeout = jmsTemplate.getReceiveTimeout();
long volgnummer = 0;
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
Message message;
while ((message = jmsTemplate.receive(destination)) != null) {
LOG.info("Onverwacht bericht op queue na testcase");
final File outputFile = new File(outputDirectory, prefix + volgnummer++ + ".txt");
outputFile.getParentFile().mkdirs();
try (FileOutputStream fis = new FileOutputStream(outputFile)) {
final PrintWriter writer = new PrintWriter(fis);
writer.print(((TextMessage) message).getText());
writer.close();
} catch (final IOException e) {
LOG.info("Probleem bij wegschrijven bericht.", e);
} catch (final JMSException e) {
LOG.info("Probleem bij versturen bericht.", e);
}
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
return volgnummer == 0;
}
/**
* Voer stappen na<SUF>*/
public void afterTestCase(final long wanted, final Date started) throws InterruptedException {
// Wanted number of messages
LOG.info(new Date() + "; Wanted: " + wanted);
LOG.info(started + "; Started");
long current = 0;
// give ten minute warmup initially
int loopsCurrentSame = -HONDERD_LOOPS;
while (current < wanted) {
final long processCount = getEndedProcessCount() - initEndedProcessCount;
LOG.info(new Date() + "; Processes ended so far: " + processCount);
if (current == processCount) {
loopsCurrentSame++;
} else {
current = processCount;
loopsCurrentSame = 0;
}
if (loopsCurrentSame >= HONDERD_LOOPS) {
LOG.info(new Date() + "; No processes ended (in ten minutes); breaking ...");
break;
}
// Check each 10 seconds
Thread.sleep(LOOP_WACHTTIJD_IN_MILLIS);
}
LOG.info(new Date() + "; Ending with: " + current);
}
/**
* Geef de waarde van ended process count.
*
* @return Het aantal beeindigde processen.
*/
public Long getEndedProcessCount() {
try {
final String sql = "select count(*) from mig_extractie_proces where proces_naam = 'uc202' and einddatum is not null";
return jdbcTemplate.queryForObject(sql, Long.class);
} catch (final DataAccessException e) {
throw new RuntimeException(e);
}
}
/**
* Controleer of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*
* @param expectedAmount
* Het verwachte aantal.
* @return of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*/
public boolean verifyEndedProcesses(final long expectedAmount) {
boolean result;
if (expectedAmount == getEndedProcessCount() - initEndedProcessCount) {
LOG.info("Amount of ended processes is correct");
result = true;
} else {
LOG.info("Expected amount of ended processes: " + expectedAmount);
LOG.info("Initial amount of ended processes: " + initEndedProcessCount);
LOG.info("Current amount of ended processes: " + getEndedProcessCount());
LOG.info("Amount of ended processes during this test: " + (getEndedProcessCount() - initEndedProcessCount));
result = false;
}
return result;
}
}
|
211683_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.migratiebrp.test.perf.isc.environment;
import java.io.File;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.PrintWriter;
import java.text.DecimalFormat;
import java.text.SimpleDateFormat;
import java.util.Date;
import java.util.concurrent.atomic.AtomicInteger;
import javax.inject.Inject;
import javax.inject.Named;
import javax.jms.Destination;
import javax.jms.JMSException;
import javax.jms.Message;
import javax.jms.Session;
import javax.jms.TextMessage;
import nl.bzk.migratiebrp.bericht.model.JMSConstants;
import nl.bzk.migratiebrp.test.perf.isc.bericht.TestBericht;
import nl.bzk.migratiebrp.util.common.logging.Logger;
import nl.bzk.migratiebrp.util.common.logging.LoggerFactory;
import org.springframework.dao.DataAccessException;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jms.core.JmsTemplate;
import org.springframework.jms.core.MessageCreator;
/**
* Test omgeving (abstract).
*/
public final class TestEnvironment {
private static final int HONDERD_LOOPS = 100;
private static final long MILLIS = 3000L;
private static final long LOOP_WACHTTIJD = 10L;
private static final long LOOP_WACHTTIJD_IN_MILLIS = LOOP_WACHTTIJD * MILLIS;
private static final Logger LOG = LoggerFactory.getLogger();
private static final DecimalFormat EREF_FORMAT = new DecimalFormat("000000");
private static final SimpleDateFormat PREFIX_FORMAT = new SimpleDateFormat("HHmmss");
private static final String EREF_PREFIX = PREFIX_FORMAT.format(new Date());
/* TIMEOUT */
private static final int TIMEOUT = 500;
private static final AtomicInteger COUNTER = new AtomicInteger();
@Inject
private JmsTemplate jmsTemplate;
@Inject
@Named("vospgOntvangstQueue")
private Destination vospgOntvangst;
@Inject
private JdbcTemplate jdbcTemplate;
private Long initEndedProcessCount = 0L;
/**
* Genereer (max lengte 12) ID. Let op: enkel uniek binnen JVM (implementatie dmv AtomicInteger).
*
* @return id
*/
public String generateId() {
return EREF_PREFIX + EREF_FORMAT.format(COUNTER.getAndIncrement());
}
/**
* Verzend een bericht.
*
* @param testBericht
* testBericht
*/
public void verzendBericht(final TestBericht testBericht) {
jmsTemplate.send(vospgOntvangst, new MessageCreator() {
@Override
public Message createMessage(final Session session) throws JMSException {
final Message message = session.createTextMessage(testBericht.getInhoud());
final String messageId = generateId();
message.setStringProperty(JMSConstants.BERICHT_MS_SEQUENCE_NUMBER, messageId);
message.setStringProperty(JMSConstants.BERICHT_REFERENTIE, messageId);
message.setStringProperty(JMSConstants.BERICHT_ORIGINATOR, testBericht.getLo3Gemeente());
return message;
}
});
}
/**
* Voer stappen voor de testcase uit.
*/
public void beforeTestCase() {
// Clear queues
clearQueue(vospgOntvangst);
initEndedProcessCount = getEndedProcessCount();
}
private void clearQueue(final Destination destination) {
final long timeout = jmsTemplate.getReceiveTimeout();
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
while (jmsTemplate.receive(destination) != null) {
LOG.error("Message on queue before test case!!!!");
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
}
/**
* Dump vospg.ontvangst queue naar outputDirectory.
*
* @param outputDirectory
* De outputDirectory waarheen gedumpt wordt.
* @return true als er iets gedumpt is.
*/
public boolean dumpQueues(final File outputDirectory) {
return !dumpQueue(vospgOntvangst, outputDirectory, "9999-uit-vospg-");
}
/**
* Dump queue naar file.
*
* @param destination
* De JMX Destination waarvan we berichten lezen
* @param outputDirectory
* De outputDirectory waarheen gedumpt wordt.
* @param prefix
* De file prefix voor de dump.
* @return true als er niets te dumpen viel.
*/
private boolean dumpQueue(final Destination destination, final File outputDirectory, final String prefix) {
final long timeout = jmsTemplate.getReceiveTimeout();
long volgnummer = 0;
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
Message message;
while ((message = jmsTemplate.receive(destination)) != null) {
LOG.info("Onverwacht bericht op queue na testcase");
final File outputFile = new File(outputDirectory, prefix + volgnummer++ + ".txt");
outputFile.getParentFile().mkdirs();
try (FileOutputStream fis = new FileOutputStream(outputFile)) {
final PrintWriter writer = new PrintWriter(fis);
writer.print(((TextMessage) message).getText());
writer.close();
} catch (final IOException e) {
LOG.info("Probleem bij wegschrijven bericht.", e);
} catch (final JMSException e) {
LOG.info("Probleem bij versturen bericht.", e);
}
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
return volgnummer == 0;
}
/**
* Voer stappen na de testcase uit.
*
* @param wanted
* Aantal verwachte berichten.
* @param started
* Starttijd.
* @throws InterruptedException
* kan worden gegooid bij aanroepen van Thread.sleep().
*/
public void afterTestCase(final long wanted, final Date started) throws InterruptedException {
// Wanted number of messages
LOG.info(new Date() + "; Wanted: " + wanted);
LOG.info(started + "; Started");
long current = 0;
// give ten minute warmup initially
int loopsCurrentSame = -HONDERD_LOOPS;
while (current < wanted) {
final long processCount = getEndedProcessCount() - initEndedProcessCount;
LOG.info(new Date() + "; Processes ended so far: " + processCount);
if (current == processCount) {
loopsCurrentSame++;
} else {
current = processCount;
loopsCurrentSame = 0;
}
if (loopsCurrentSame >= HONDERD_LOOPS) {
LOG.info(new Date() + "; No processes ended (in ten minutes); breaking ...");
break;
}
// Check each 10 seconds
Thread.sleep(LOOP_WACHTTIJD_IN_MILLIS);
}
LOG.info(new Date() + "; Ending with: " + current);
}
/**
* Geef de waarde van ended process count.
*
* @return Het aantal beeindigde processen.
*/
public Long getEndedProcessCount() {
try {
final String sql = "select count(*) from mig_extractie_proces where proces_naam = 'uc202' and einddatum is not null";
return jdbcTemplate.queryForObject(sql, Long.class);
} catch (final DataAccessException e) {
throw new RuntimeException(e);
}
}
/**
* Controleer of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*
* @param expectedAmount
* Het verwachte aantal.
* @return of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*/
public boolean verifyEndedProcesses(final long expectedAmount) {
boolean result;
if (expectedAmount == getEndedProcessCount() - initEndedProcessCount) {
LOG.info("Amount of ended processes is correct");
result = true;
} else {
LOG.info("Expected amount of ended processes: " + expectedAmount);
LOG.info("Initial amount of ended processes: " + initEndedProcessCount);
LOG.info("Current amount of ended processes: " + getEndedProcessCount());
LOG.info("Amount of ended processes during this test: " + (getEndedProcessCount() - initEndedProcessCount));
result = false;
}
return result;
}
}
| MinBZK/OperatieBRP | 2016/migratie 2016-02-09/migr-test-perf-isc/src/main/java/nl/bzk/migratiebrp/test/perf/isc/environment/TestEnvironment.java | 2,300 | /**
* Geef de waarde van ended process count.
*
* @return Het aantal beeindigde processen.
*/ | 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.perf.isc.environment;
import java.io.File;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.PrintWriter;
import java.text.DecimalFormat;
import java.text.SimpleDateFormat;
import java.util.Date;
import java.util.concurrent.atomic.AtomicInteger;
import javax.inject.Inject;
import javax.inject.Named;
import javax.jms.Destination;
import javax.jms.JMSException;
import javax.jms.Message;
import javax.jms.Session;
import javax.jms.TextMessage;
import nl.bzk.migratiebrp.bericht.model.JMSConstants;
import nl.bzk.migratiebrp.test.perf.isc.bericht.TestBericht;
import nl.bzk.migratiebrp.util.common.logging.Logger;
import nl.bzk.migratiebrp.util.common.logging.LoggerFactory;
import org.springframework.dao.DataAccessException;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jms.core.JmsTemplate;
import org.springframework.jms.core.MessageCreator;
/**
* Test omgeving (abstract).
*/
public final class TestEnvironment {
private static final int HONDERD_LOOPS = 100;
private static final long MILLIS = 3000L;
private static final long LOOP_WACHTTIJD = 10L;
private static final long LOOP_WACHTTIJD_IN_MILLIS = LOOP_WACHTTIJD * MILLIS;
private static final Logger LOG = LoggerFactory.getLogger();
private static final DecimalFormat EREF_FORMAT = new DecimalFormat("000000");
private static final SimpleDateFormat PREFIX_FORMAT = new SimpleDateFormat("HHmmss");
private static final String EREF_PREFIX = PREFIX_FORMAT.format(new Date());
/* TIMEOUT */
private static final int TIMEOUT = 500;
private static final AtomicInteger COUNTER = new AtomicInteger();
@Inject
private JmsTemplate jmsTemplate;
@Inject
@Named("vospgOntvangstQueue")
private Destination vospgOntvangst;
@Inject
private JdbcTemplate jdbcTemplate;
private Long initEndedProcessCount = 0L;
/**
* Genereer (max lengte 12) ID. Let op: enkel uniek binnen JVM (implementatie dmv AtomicInteger).
*
* @return id
*/
public String generateId() {
return EREF_PREFIX + EREF_FORMAT.format(COUNTER.getAndIncrement());
}
/**
* Verzend een bericht.
*
* @param testBericht
* testBericht
*/
public void verzendBericht(final TestBericht testBericht) {
jmsTemplate.send(vospgOntvangst, new MessageCreator() {
@Override
public Message createMessage(final Session session) throws JMSException {
final Message message = session.createTextMessage(testBericht.getInhoud());
final String messageId = generateId();
message.setStringProperty(JMSConstants.BERICHT_MS_SEQUENCE_NUMBER, messageId);
message.setStringProperty(JMSConstants.BERICHT_REFERENTIE, messageId);
message.setStringProperty(JMSConstants.BERICHT_ORIGINATOR, testBericht.getLo3Gemeente());
return message;
}
});
}
/**
* Voer stappen voor de testcase uit.
*/
public void beforeTestCase() {
// Clear queues
clearQueue(vospgOntvangst);
initEndedProcessCount = getEndedProcessCount();
}
private void clearQueue(final Destination destination) {
final long timeout = jmsTemplate.getReceiveTimeout();
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
while (jmsTemplate.receive(destination) != null) {
LOG.error("Message on queue before test case!!!!");
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
}
/**
* Dump vospg.ontvangst queue naar outputDirectory.
*
* @param outputDirectory
* De outputDirectory waarheen gedumpt wordt.
* @return true als er iets gedumpt is.
*/
public boolean dumpQueues(final File outputDirectory) {
return !dumpQueue(vospgOntvangst, outputDirectory, "9999-uit-vospg-");
}
/**
* Dump queue naar file.
*
* @param destination
* De JMX Destination waarvan we berichten lezen
* @param outputDirectory
* De outputDirectory waarheen gedumpt wordt.
* @param prefix
* De file prefix voor de dump.
* @return true als er niets te dumpen viel.
*/
private boolean dumpQueue(final Destination destination, final File outputDirectory, final String prefix) {
final long timeout = jmsTemplate.getReceiveTimeout();
long volgnummer = 0;
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
Message message;
while ((message = jmsTemplate.receive(destination)) != null) {
LOG.info("Onverwacht bericht op queue na testcase");
final File outputFile = new File(outputDirectory, prefix + volgnummer++ + ".txt");
outputFile.getParentFile().mkdirs();
try (FileOutputStream fis = new FileOutputStream(outputFile)) {
final PrintWriter writer = new PrintWriter(fis);
writer.print(((TextMessage) message).getText());
writer.close();
} catch (final IOException e) {
LOG.info("Probleem bij wegschrijven bericht.", e);
} catch (final JMSException e) {
LOG.info("Probleem bij versturen bericht.", e);
}
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
return volgnummer == 0;
}
/**
* Voer stappen na de testcase uit.
*
* @param wanted
* Aantal verwachte berichten.
* @param started
* Starttijd.
* @throws InterruptedException
* kan worden gegooid bij aanroepen van Thread.sleep().
*/
public void afterTestCase(final long wanted, final Date started) throws InterruptedException {
// Wanted number of messages
LOG.info(new Date() + "; Wanted: " + wanted);
LOG.info(started + "; Started");
long current = 0;
// give ten minute warmup initially
int loopsCurrentSame = -HONDERD_LOOPS;
while (current < wanted) {
final long processCount = getEndedProcessCount() - initEndedProcessCount;
LOG.info(new Date() + "; Processes ended so far: " + processCount);
if (current == processCount) {
loopsCurrentSame++;
} else {
current = processCount;
loopsCurrentSame = 0;
}
if (loopsCurrentSame >= HONDERD_LOOPS) {
LOG.info(new Date() + "; No processes ended (in ten minutes); breaking ...");
break;
}
// Check each 10 seconds
Thread.sleep(LOOP_WACHTTIJD_IN_MILLIS);
}
LOG.info(new Date() + "; Ending with: " + current);
}
/**
* Geef de waarde<SUF>*/
public Long getEndedProcessCount() {
try {
final String sql = "select count(*) from mig_extractie_proces where proces_naam = 'uc202' and einddatum is not null";
return jdbcTemplate.queryForObject(sql, Long.class);
} catch (final DataAccessException e) {
throw new RuntimeException(e);
}
}
/**
* Controleer of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*
* @param expectedAmount
* Het verwachte aantal.
* @return of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*/
public boolean verifyEndedProcesses(final long expectedAmount) {
boolean result;
if (expectedAmount == getEndedProcessCount() - initEndedProcessCount) {
LOG.info("Amount of ended processes is correct");
result = true;
} else {
LOG.info("Expected amount of ended processes: " + expectedAmount);
LOG.info("Initial amount of ended processes: " + initEndedProcessCount);
LOG.info("Current amount of ended processes: " + getEndedProcessCount());
LOG.info("Amount of ended processes during this test: " + (getEndedProcessCount() - initEndedProcessCount));
result = false;
}
return result;
}
}
|
211683_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.perf.isc.environment;
import java.io.File;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.PrintWriter;
import java.text.DecimalFormat;
import java.text.SimpleDateFormat;
import java.util.Date;
import java.util.concurrent.atomic.AtomicInteger;
import javax.inject.Inject;
import javax.inject.Named;
import javax.jms.Destination;
import javax.jms.JMSException;
import javax.jms.Message;
import javax.jms.Session;
import javax.jms.TextMessage;
import nl.bzk.migratiebrp.bericht.model.JMSConstants;
import nl.bzk.migratiebrp.test.perf.isc.bericht.TestBericht;
import nl.bzk.migratiebrp.util.common.logging.Logger;
import nl.bzk.migratiebrp.util.common.logging.LoggerFactory;
import org.springframework.dao.DataAccessException;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jms.core.JmsTemplate;
import org.springframework.jms.core.MessageCreator;
/**
* Test omgeving (abstract).
*/
public final class TestEnvironment {
private static final int HONDERD_LOOPS = 100;
private static final long MILLIS = 3000L;
private static final long LOOP_WACHTTIJD = 10L;
private static final long LOOP_WACHTTIJD_IN_MILLIS = LOOP_WACHTTIJD * MILLIS;
private static final Logger LOG = LoggerFactory.getLogger();
private static final DecimalFormat EREF_FORMAT = new DecimalFormat("000000");
private static final SimpleDateFormat PREFIX_FORMAT = new SimpleDateFormat("HHmmss");
private static final String EREF_PREFIX = PREFIX_FORMAT.format(new Date());
/* TIMEOUT */
private static final int TIMEOUT = 500;
private static final AtomicInteger COUNTER = new AtomicInteger();
@Inject
private JmsTemplate jmsTemplate;
@Inject
@Named("vospgOntvangstQueue")
private Destination vospgOntvangst;
@Inject
private JdbcTemplate jdbcTemplate;
private Long initEndedProcessCount = 0L;
/**
* Genereer (max lengte 12) ID. Let op: enkel uniek binnen JVM (implementatie dmv AtomicInteger).
*
* @return id
*/
public String generateId() {
return EREF_PREFIX + EREF_FORMAT.format(COUNTER.getAndIncrement());
}
/**
* Verzend een bericht.
*
* @param testBericht
* testBericht
*/
public void verzendBericht(final TestBericht testBericht) {
jmsTemplate.send(vospgOntvangst, new MessageCreator() {
@Override
public Message createMessage(final Session session) throws JMSException {
final Message message = session.createTextMessage(testBericht.getInhoud());
final String messageId = generateId();
message.setStringProperty(JMSConstants.BERICHT_MS_SEQUENCE_NUMBER, messageId);
message.setStringProperty(JMSConstants.BERICHT_REFERENTIE, messageId);
message.setStringProperty(JMSConstants.BERICHT_ORIGINATOR, testBericht.getLo3Gemeente());
return message;
}
});
}
/**
* Voer stappen voor de testcase uit.
*/
public void beforeTestCase() {
// Clear queues
clearQueue(vospgOntvangst);
initEndedProcessCount = getEndedProcessCount();
}
private void clearQueue(final Destination destination) {
final long timeout = jmsTemplate.getReceiveTimeout();
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
while (jmsTemplate.receive(destination) != null) {
LOG.error("Message on queue before test case!!!!");
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
}
/**
* Dump vospg.ontvangst queue naar outputDirectory.
*
* @param outputDirectory
* De outputDirectory waarheen gedumpt wordt.
* @return true als er iets gedumpt is.
*/
public boolean dumpQueues(final File outputDirectory) {
return !dumpQueue(vospgOntvangst, outputDirectory, "9999-uit-vospg-");
}
/**
* Dump queue naar file.
*
* @param destination
* De JMX Destination waarvan we berichten lezen
* @param outputDirectory
* De outputDirectory waarheen gedumpt wordt.
* @param prefix
* De file prefix voor de dump.
* @return true als er niets te dumpen viel.
*/
private boolean dumpQueue(final Destination destination, final File outputDirectory, final String prefix) {
final long timeout = jmsTemplate.getReceiveTimeout();
long volgnummer = 0;
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
Message message;
while ((message = jmsTemplate.receive(destination)) != null) {
LOG.info("Onverwacht bericht op queue na testcase");
final File outputFile = new File(outputDirectory, prefix + volgnummer++ + ".txt");
outputFile.getParentFile().mkdirs();
try (FileOutputStream fis = new FileOutputStream(outputFile)) {
final PrintWriter writer = new PrintWriter(fis);
writer.print(((TextMessage) message).getText());
writer.close();
} catch (final IOException e) {
LOG.info("Probleem bij wegschrijven bericht.", e);
} catch (final JMSException e) {
LOG.info("Probleem bij versturen bericht.", e);
}
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
return volgnummer == 0;
}
/**
* Voer stappen na de testcase uit.
*
* @param wanted
* Aantal verwachte berichten.
* @param started
* Starttijd.
* @throws InterruptedException
* kan worden gegooid bij aanroepen van Thread.sleep().
*/
public void afterTestCase(final long wanted, final Date started) throws InterruptedException {
// Wanted number of messages
LOG.info(new Date() + "; Wanted: " + wanted);
LOG.info(started + "; Started");
long current = 0;
// give ten minute warmup initially
int loopsCurrentSame = -HONDERD_LOOPS;
while (current < wanted) {
final long processCount = getEndedProcessCount() - initEndedProcessCount;
LOG.info(new Date() + "; Processes ended so far: " + processCount);
if (current == processCount) {
loopsCurrentSame++;
} else {
current = processCount;
loopsCurrentSame = 0;
}
if (loopsCurrentSame >= HONDERD_LOOPS) {
LOG.info(new Date() + "; No processes ended (in ten minutes); breaking ...");
break;
}
// Check each 10 seconds
Thread.sleep(LOOP_WACHTTIJD_IN_MILLIS);
}
LOG.info(new Date() + "; Ending with: " + current);
}
/**
* Geef de waarde van ended process count.
*
* @return Het aantal beeindigde processen.
*/
public Long getEndedProcessCount() {
try {
final String sql = "select count(*) from mig_extractie_proces where proces_naam = 'uc202' and einddatum is not null";
return jdbcTemplate.queryForObject(sql, Long.class);
} catch (final DataAccessException e) {
throw new RuntimeException(e);
}
}
/**
* Controleer of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*
* @param expectedAmount
* Het verwachte aantal.
* @return of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*/
public boolean verifyEndedProcesses(final long expectedAmount) {
boolean result;
if (expectedAmount == getEndedProcessCount() - initEndedProcessCount) {
LOG.info("Amount of ended processes is correct");
result = true;
} else {
LOG.info("Expected amount of ended processes: " + expectedAmount);
LOG.info("Initial amount of ended processes: " + initEndedProcessCount);
LOG.info("Current amount of ended processes: " + getEndedProcessCount());
LOG.info("Amount of ended processes during this test: " + (getEndedProcessCount() - initEndedProcessCount));
result = false;
}
return result;
}
}
| MinBZK/OperatieBRP | 2016/migratie 2016-02-09/migr-test-perf-isc/src/main/java/nl/bzk/migratiebrp/test/perf/isc/environment/TestEnvironment.java | 2,300 | /**
* Controleer of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*
* @param expectedAmount
* Het verwachte aantal.
* @return of het aantal beeindigde processen gelijk is aan het verwachte aantal.
*/ | 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.perf.isc.environment;
import java.io.File;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.PrintWriter;
import java.text.DecimalFormat;
import java.text.SimpleDateFormat;
import java.util.Date;
import java.util.concurrent.atomic.AtomicInteger;
import javax.inject.Inject;
import javax.inject.Named;
import javax.jms.Destination;
import javax.jms.JMSException;
import javax.jms.Message;
import javax.jms.Session;
import javax.jms.TextMessage;
import nl.bzk.migratiebrp.bericht.model.JMSConstants;
import nl.bzk.migratiebrp.test.perf.isc.bericht.TestBericht;
import nl.bzk.migratiebrp.util.common.logging.Logger;
import nl.bzk.migratiebrp.util.common.logging.LoggerFactory;
import org.springframework.dao.DataAccessException;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jms.core.JmsTemplate;
import org.springframework.jms.core.MessageCreator;
/**
* Test omgeving (abstract).
*/
public final class TestEnvironment {
private static final int HONDERD_LOOPS = 100;
private static final long MILLIS = 3000L;
private static final long LOOP_WACHTTIJD = 10L;
private static final long LOOP_WACHTTIJD_IN_MILLIS = LOOP_WACHTTIJD * MILLIS;
private static final Logger LOG = LoggerFactory.getLogger();
private static final DecimalFormat EREF_FORMAT = new DecimalFormat("000000");
private static final SimpleDateFormat PREFIX_FORMAT = new SimpleDateFormat("HHmmss");
private static final String EREF_PREFIX = PREFIX_FORMAT.format(new Date());
/* TIMEOUT */
private static final int TIMEOUT = 500;
private static final AtomicInteger COUNTER = new AtomicInteger();
@Inject
private JmsTemplate jmsTemplate;
@Inject
@Named("vospgOntvangstQueue")
private Destination vospgOntvangst;
@Inject
private JdbcTemplate jdbcTemplate;
private Long initEndedProcessCount = 0L;
/**
* Genereer (max lengte 12) ID. Let op: enkel uniek binnen JVM (implementatie dmv AtomicInteger).
*
* @return id
*/
public String generateId() {
return EREF_PREFIX + EREF_FORMAT.format(COUNTER.getAndIncrement());
}
/**
* Verzend een bericht.
*
* @param testBericht
* testBericht
*/
public void verzendBericht(final TestBericht testBericht) {
jmsTemplate.send(vospgOntvangst, new MessageCreator() {
@Override
public Message createMessage(final Session session) throws JMSException {
final Message message = session.createTextMessage(testBericht.getInhoud());
final String messageId = generateId();
message.setStringProperty(JMSConstants.BERICHT_MS_SEQUENCE_NUMBER, messageId);
message.setStringProperty(JMSConstants.BERICHT_REFERENTIE, messageId);
message.setStringProperty(JMSConstants.BERICHT_ORIGINATOR, testBericht.getLo3Gemeente());
return message;
}
});
}
/**
* Voer stappen voor de testcase uit.
*/
public void beforeTestCase() {
// Clear queues
clearQueue(vospgOntvangst);
initEndedProcessCount = getEndedProcessCount();
}
private void clearQueue(final Destination destination) {
final long timeout = jmsTemplate.getReceiveTimeout();
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
while (jmsTemplate.receive(destination) != null) {
LOG.error("Message on queue before test case!!!!");
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
}
/**
* Dump vospg.ontvangst queue naar outputDirectory.
*
* @param outputDirectory
* De outputDirectory waarheen gedumpt wordt.
* @return true als er iets gedumpt is.
*/
public boolean dumpQueues(final File outputDirectory) {
return !dumpQueue(vospgOntvangst, outputDirectory, "9999-uit-vospg-");
}
/**
* Dump queue naar file.
*
* @param destination
* De JMX Destination waarvan we berichten lezen
* @param outputDirectory
* De outputDirectory waarheen gedumpt wordt.
* @param prefix
* De file prefix voor de dump.
* @return true als er niets te dumpen viel.
*/
private boolean dumpQueue(final Destination destination, final File outputDirectory, final String prefix) {
final long timeout = jmsTemplate.getReceiveTimeout();
long volgnummer = 0;
try {
jmsTemplate.setReceiveTimeout(TIMEOUT);
Message message;
while ((message = jmsTemplate.receive(destination)) != null) {
LOG.info("Onverwacht bericht op queue na testcase");
final File outputFile = new File(outputDirectory, prefix + volgnummer++ + ".txt");
outputFile.getParentFile().mkdirs();
try (FileOutputStream fis = new FileOutputStream(outputFile)) {
final PrintWriter writer = new PrintWriter(fis);
writer.print(((TextMessage) message).getText());
writer.close();
} catch (final IOException e) {
LOG.info("Probleem bij wegschrijven bericht.", e);
} catch (final JMSException e) {
LOG.info("Probleem bij versturen bericht.", e);
}
}
} finally {
jmsTemplate.setReceiveTimeout(timeout);
}
return volgnummer == 0;
}
/**
* Voer stappen na de testcase uit.
*
* @param wanted
* Aantal verwachte berichten.
* @param started
* Starttijd.
* @throws InterruptedException
* kan worden gegooid bij aanroepen van Thread.sleep().
*/
public void afterTestCase(final long wanted, final Date started) throws InterruptedException {
// Wanted number of messages
LOG.info(new Date() + "; Wanted: " + wanted);
LOG.info(started + "; Started");
long current = 0;
// give ten minute warmup initially
int loopsCurrentSame = -HONDERD_LOOPS;
while (current < wanted) {
final long processCount = getEndedProcessCount() - initEndedProcessCount;
LOG.info(new Date() + "; Processes ended so far: " + processCount);
if (current == processCount) {
loopsCurrentSame++;
} else {
current = processCount;
loopsCurrentSame = 0;
}
if (loopsCurrentSame >= HONDERD_LOOPS) {
LOG.info(new Date() + "; No processes ended (in ten minutes); breaking ...");
break;
}
// Check each 10 seconds
Thread.sleep(LOOP_WACHTTIJD_IN_MILLIS);
}
LOG.info(new Date() + "; Ending with: " + current);
}
/**
* Geef de waarde van ended process count.
*
* @return Het aantal beeindigde processen.
*/
public Long getEndedProcessCount() {
try {
final String sql = "select count(*) from mig_extractie_proces where proces_naam = 'uc202' and einddatum is not null";
return jdbcTemplate.queryForObject(sql, Long.class);
} catch (final DataAccessException e) {
throw new RuntimeException(e);
}
}
/**
* Controleer of het<SUF>*/
public boolean verifyEndedProcesses(final long expectedAmount) {
boolean result;
if (expectedAmount == getEndedProcessCount() - initEndedProcessCount) {
LOG.info("Amount of ended processes is correct");
result = true;
} else {
LOG.info("Expected amount of ended processes: " + expectedAmount);
LOG.info("Initial amount of ended processes: " + initEndedProcessCount);
LOG.info("Current amount of ended processes: " + getEndedProcessCount());
LOG.info("Amount of ended processes during this test: " + (getEndedProcessCount() - initEndedProcessCount));
result = false;
}
return result;
}
}
|
211725_9 | /*
* Copyright (C) 2018 edraff
*
* 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 3 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. If not, see <http://www.gnu.org/licenses/>.
*/
package jsat.outlier;
import java.io.Serializable;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.List;
import jsat.DataSet;
import jsat.classifiers.DataPoint;
import jsat.linear.IndexValue;
import jsat.linear.Vec;
import jsat.math.FastMath;
import jsat.math.SpecialMath;
import jsat.utils.IntList;
import jsat.utils.concurrent.ParallelUtils;
import jsat.utils.random.RandomUtil;
/**
*
* @author edraff
*/
public class IsolationForest implements Outlier
{
private int trees = 100;
private double subSamplingSize = 256;
List<iTreeNode> roots = new ArrayList<>();
public IsolationForest()
{
}
public IsolationForest(IsolationForest toCopy)
{
this.trees = toCopy.trees;
this.subSamplingSize = toCopy.subSamplingSize;
this.roots = new ArrayList<>();
for(iTreeNode root : toCopy.roots)
this.roots.add(root.clone());
}
/**
* Equation 1 in the Isolation Forest paper
* @param n
* @return
*/
private static double c(double n)
{
return 2*SpecialMath.harmonic(n-1)-(2*(n-1)/n);
}
@Override
public void fit(DataSet d, boolean parallel)
{
for(int i =0; i < trees; i++)
roots.add(new iTreeNode());
int l = (int) Math.ceil(Math.log(subSamplingSize)/Math.log(2));
int D = d.getNumNumericalVars();
//Build all the trees
ParallelUtils.streamP(roots.stream(), parallel).forEach(r->
{
r.build(0, l, d, IntList.range(d.size()), new double[D], new double[D]);
});
}
@Override
public double score(DataPoint x)
{
double e_h_x = roots.stream().
mapToDouble(r->r.pathLength(x.getNumericalValues(), 0))
.average().getAsDouble();
//an anomaly score is produced by computing s(x,ψ) in Equation 2
double anomScore = FastMath.pow2(-e_h_x/c(subSamplingSize));
//anomScore will be in the range [0, 1]
//values > 0.5 are considered anomolies
//so just return 0.5-anomScore to fit the interface defintion
return 0.5-anomScore;
}
@Override
protected IsolationForest clone() throws CloneNotSupportedException
{
return new IsolationForest(this);
}
private class iTreeNode implements Serializable
{
iTreeNode leftChild;
iTreeNode rightChild;
double size = 0;
double splitVal;
int splitAtt;
public iTreeNode()
{
}
public iTreeNode(iTreeNode toCopy)
{
this.leftChild = new iTreeNode(toCopy.leftChild);
this.rightChild = new iTreeNode(toCopy.rightChild);
this.splitVal = toCopy.splitVal;
this.splitAtt = toCopy.splitAtt;
}
@Override
protected iTreeNode clone()
{
return new iTreeNode(this);
}
public void build(int e, int l, DataSet source, IntList X, double[] minVals, double[] maxVals)
{
if(e >= l || X.size() <= 1)
{
if(X.isEmpty())//super rare, rng guesses the min value itself
this.size = 1;
else//use average
this.size = X.stream().mapToDouble(s->source.getWeight(s)).sum();
//else, size stays zero
return;
}
//else
int D = source.getNumNumericalVars();
Arrays.fill(minVals, 0.0);
Arrays.fill(maxVals, 0.0);
//find the min-max range for each feature
X.stream().forEach(d->
{
for(IndexValue iv : source.getDataPoint(d).getNumericalValues())
{
int i = iv.getIndex();
minVals[i] = Math.min(minVals[i], iv.getValue());
maxVals[i] = Math.max(maxVals[i], iv.getValue());
}
});
//how many features are valid choices?
int candiadates = 0;
for(int i = 0; i < D; i++)
if(minVals[i] != maxVals[i])
candiadates++;
//select the q'th feature with a non-zero spread
int q_candidate = RandomUtil.getLocalRandom().nextInt(candiadates);
int q = 0;
for(int i = 0; i <D; i++)
if(minVals[i] != maxVals[i])
if(--q_candidate == 0)
{
q = i;
break;
}
//pick random split value between min & max
splitVal = RandomUtil.getLocalRandom().nextDouble();
splitVal = minVals[q] + (maxVals[q]-minVals[q])*splitVal;
IntList X_l = new IntList();
IntList X_r = new IntList();
for(int x : X)
if(source.getDataPoint(x).getNumericalValues().get(q) < splitVal)
X_l.add(x);
else
X_r.add(x);
splitAtt = q;
this.leftChild = new iTreeNode();
this.leftChild.build(e+1, l, source, X_l, minVals, maxVals);
this.rightChild = new iTreeNode();
this.rightChild.build(e+1, l, source, X_r, minVals, maxVals);
}
public double pathLength(Vec x, double e)
{
if(leftChild == null)//root node
return e + c(this.size);
//else
if(x.get(splitAtt) < splitVal)
return leftChild.pathLength(x, e+1);
else
return rightChild.pathLength(x, e+1);
}
}
}
| gisaia/JSAT-GaussianMixture | JSAT/src/jsat/outlier/IsolationForest.java | 1,796 | //else, size stays zero | line_comment | nl | /*
* Copyright (C) 2018 edraff
*
* 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 3 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. If not, see <http://www.gnu.org/licenses/>.
*/
package jsat.outlier;
import java.io.Serializable;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.List;
import jsat.DataSet;
import jsat.classifiers.DataPoint;
import jsat.linear.IndexValue;
import jsat.linear.Vec;
import jsat.math.FastMath;
import jsat.math.SpecialMath;
import jsat.utils.IntList;
import jsat.utils.concurrent.ParallelUtils;
import jsat.utils.random.RandomUtil;
/**
*
* @author edraff
*/
public class IsolationForest implements Outlier
{
private int trees = 100;
private double subSamplingSize = 256;
List<iTreeNode> roots = new ArrayList<>();
public IsolationForest()
{
}
public IsolationForest(IsolationForest toCopy)
{
this.trees = toCopy.trees;
this.subSamplingSize = toCopy.subSamplingSize;
this.roots = new ArrayList<>();
for(iTreeNode root : toCopy.roots)
this.roots.add(root.clone());
}
/**
* Equation 1 in the Isolation Forest paper
* @param n
* @return
*/
private static double c(double n)
{
return 2*SpecialMath.harmonic(n-1)-(2*(n-1)/n);
}
@Override
public void fit(DataSet d, boolean parallel)
{
for(int i =0; i < trees; i++)
roots.add(new iTreeNode());
int l = (int) Math.ceil(Math.log(subSamplingSize)/Math.log(2));
int D = d.getNumNumericalVars();
//Build all the trees
ParallelUtils.streamP(roots.stream(), parallel).forEach(r->
{
r.build(0, l, d, IntList.range(d.size()), new double[D], new double[D]);
});
}
@Override
public double score(DataPoint x)
{
double e_h_x = roots.stream().
mapToDouble(r->r.pathLength(x.getNumericalValues(), 0))
.average().getAsDouble();
//an anomaly score is produced by computing s(x,ψ) in Equation 2
double anomScore = FastMath.pow2(-e_h_x/c(subSamplingSize));
//anomScore will be in the range [0, 1]
//values > 0.5 are considered anomolies
//so just return 0.5-anomScore to fit the interface defintion
return 0.5-anomScore;
}
@Override
protected IsolationForest clone() throws CloneNotSupportedException
{
return new IsolationForest(this);
}
private class iTreeNode implements Serializable
{
iTreeNode leftChild;
iTreeNode rightChild;
double size = 0;
double splitVal;
int splitAtt;
public iTreeNode()
{
}
public iTreeNode(iTreeNode toCopy)
{
this.leftChild = new iTreeNode(toCopy.leftChild);
this.rightChild = new iTreeNode(toCopy.rightChild);
this.splitVal = toCopy.splitVal;
this.splitAtt = toCopy.splitAtt;
}
@Override
protected iTreeNode clone()
{
return new iTreeNode(this);
}
public void build(int e, int l, DataSet source, IntList X, double[] minVals, double[] maxVals)
{
if(e >= l || X.size() <= 1)
{
if(X.isEmpty())//super rare, rng guesses the min value itself
this.size = 1;
else//use average
this.size = X.stream().mapToDouble(s->source.getWeight(s)).sum();
//else, size<SUF>
return;
}
//else
int D = source.getNumNumericalVars();
Arrays.fill(minVals, 0.0);
Arrays.fill(maxVals, 0.0);
//find the min-max range for each feature
X.stream().forEach(d->
{
for(IndexValue iv : source.getDataPoint(d).getNumericalValues())
{
int i = iv.getIndex();
minVals[i] = Math.min(minVals[i], iv.getValue());
maxVals[i] = Math.max(maxVals[i], iv.getValue());
}
});
//how many features are valid choices?
int candiadates = 0;
for(int i = 0; i < D; i++)
if(minVals[i] != maxVals[i])
candiadates++;
//select the q'th feature with a non-zero spread
int q_candidate = RandomUtil.getLocalRandom().nextInt(candiadates);
int q = 0;
for(int i = 0; i <D; i++)
if(minVals[i] != maxVals[i])
if(--q_candidate == 0)
{
q = i;
break;
}
//pick random split value between min & max
splitVal = RandomUtil.getLocalRandom().nextDouble();
splitVal = minVals[q] + (maxVals[q]-minVals[q])*splitVal;
IntList X_l = new IntList();
IntList X_r = new IntList();
for(int x : X)
if(source.getDataPoint(x).getNumericalValues().get(q) < splitVal)
X_l.add(x);
else
X_r.add(x);
splitAtt = q;
this.leftChild = new iTreeNode();
this.leftChild.build(e+1, l, source, X_l, minVals, maxVals);
this.rightChild = new iTreeNode();
this.rightChild.build(e+1, l, source, X_r, minVals, maxVals);
}
public double pathLength(Vec x, double e)
{
if(leftChild == null)//root node
return e + c(this.size);
//else
if(x.get(splitAtt) < splitVal)
return leftChild.pathLength(x, e+1);
else
return rightChild.pathLength(x, e+1);
}
}
}
|
211725_13 | /*
* Copyright (C) 2018 edraff
*
* 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 3 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. If not, see <http://www.gnu.org/licenses/>.
*/
package jsat.outlier;
import java.io.Serializable;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.List;
import jsat.DataSet;
import jsat.classifiers.DataPoint;
import jsat.linear.IndexValue;
import jsat.linear.Vec;
import jsat.math.FastMath;
import jsat.math.SpecialMath;
import jsat.utils.IntList;
import jsat.utils.concurrent.ParallelUtils;
import jsat.utils.random.RandomUtil;
/**
*
* @author edraff
*/
public class IsolationForest implements Outlier
{
private int trees = 100;
private double subSamplingSize = 256;
List<iTreeNode> roots = new ArrayList<>();
public IsolationForest()
{
}
public IsolationForest(IsolationForest toCopy)
{
this.trees = toCopy.trees;
this.subSamplingSize = toCopy.subSamplingSize;
this.roots = new ArrayList<>();
for(iTreeNode root : toCopy.roots)
this.roots.add(root.clone());
}
/**
* Equation 1 in the Isolation Forest paper
* @param n
* @return
*/
private static double c(double n)
{
return 2*SpecialMath.harmonic(n-1)-(2*(n-1)/n);
}
@Override
public void fit(DataSet d, boolean parallel)
{
for(int i =0; i < trees; i++)
roots.add(new iTreeNode());
int l = (int) Math.ceil(Math.log(subSamplingSize)/Math.log(2));
int D = d.getNumNumericalVars();
//Build all the trees
ParallelUtils.streamP(roots.stream(), parallel).forEach(r->
{
r.build(0, l, d, IntList.range(d.size()), new double[D], new double[D]);
});
}
@Override
public double score(DataPoint x)
{
double e_h_x = roots.stream().
mapToDouble(r->r.pathLength(x.getNumericalValues(), 0))
.average().getAsDouble();
//an anomaly score is produced by computing s(x,ψ) in Equation 2
double anomScore = FastMath.pow2(-e_h_x/c(subSamplingSize));
//anomScore will be in the range [0, 1]
//values > 0.5 are considered anomolies
//so just return 0.5-anomScore to fit the interface defintion
return 0.5-anomScore;
}
@Override
protected IsolationForest clone() throws CloneNotSupportedException
{
return new IsolationForest(this);
}
private class iTreeNode implements Serializable
{
iTreeNode leftChild;
iTreeNode rightChild;
double size = 0;
double splitVal;
int splitAtt;
public iTreeNode()
{
}
public iTreeNode(iTreeNode toCopy)
{
this.leftChild = new iTreeNode(toCopy.leftChild);
this.rightChild = new iTreeNode(toCopy.rightChild);
this.splitVal = toCopy.splitVal;
this.splitAtt = toCopy.splitAtt;
}
@Override
protected iTreeNode clone()
{
return new iTreeNode(this);
}
public void build(int e, int l, DataSet source, IntList X, double[] minVals, double[] maxVals)
{
if(e >= l || X.size() <= 1)
{
if(X.isEmpty())//super rare, rng guesses the min value itself
this.size = 1;
else//use average
this.size = X.stream().mapToDouble(s->source.getWeight(s)).sum();
//else, size stays zero
return;
}
//else
int D = source.getNumNumericalVars();
Arrays.fill(minVals, 0.0);
Arrays.fill(maxVals, 0.0);
//find the min-max range for each feature
X.stream().forEach(d->
{
for(IndexValue iv : source.getDataPoint(d).getNumericalValues())
{
int i = iv.getIndex();
minVals[i] = Math.min(minVals[i], iv.getValue());
maxVals[i] = Math.max(maxVals[i], iv.getValue());
}
});
//how many features are valid choices?
int candiadates = 0;
for(int i = 0; i < D; i++)
if(minVals[i] != maxVals[i])
candiadates++;
//select the q'th feature with a non-zero spread
int q_candidate = RandomUtil.getLocalRandom().nextInt(candiadates);
int q = 0;
for(int i = 0; i <D; i++)
if(minVals[i] != maxVals[i])
if(--q_candidate == 0)
{
q = i;
break;
}
//pick random split value between min & max
splitVal = RandomUtil.getLocalRandom().nextDouble();
splitVal = minVals[q] + (maxVals[q]-minVals[q])*splitVal;
IntList X_l = new IntList();
IntList X_r = new IntList();
for(int x : X)
if(source.getDataPoint(x).getNumericalValues().get(q) < splitVal)
X_l.add(x);
else
X_r.add(x);
splitAtt = q;
this.leftChild = new iTreeNode();
this.leftChild.build(e+1, l, source, X_l, minVals, maxVals);
this.rightChild = new iTreeNode();
this.rightChild.build(e+1, l, source, X_r, minVals, maxVals);
}
public double pathLength(Vec x, double e)
{
if(leftChild == null)//root node
return e + c(this.size);
//else
if(x.get(splitAtt) < splitVal)
return leftChild.pathLength(x, e+1);
else
return rightChild.pathLength(x, e+1);
}
}
}
| gisaia/JSAT-GaussianMixture | JSAT/src/jsat/outlier/IsolationForest.java | 1,796 | //pick random split value between min & max | line_comment | nl | /*
* Copyright (C) 2018 edraff
*
* 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 3 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. If not, see <http://www.gnu.org/licenses/>.
*/
package jsat.outlier;
import java.io.Serializable;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.List;
import jsat.DataSet;
import jsat.classifiers.DataPoint;
import jsat.linear.IndexValue;
import jsat.linear.Vec;
import jsat.math.FastMath;
import jsat.math.SpecialMath;
import jsat.utils.IntList;
import jsat.utils.concurrent.ParallelUtils;
import jsat.utils.random.RandomUtil;
/**
*
* @author edraff
*/
public class IsolationForest implements Outlier
{
private int trees = 100;
private double subSamplingSize = 256;
List<iTreeNode> roots = new ArrayList<>();
public IsolationForest()
{
}
public IsolationForest(IsolationForest toCopy)
{
this.trees = toCopy.trees;
this.subSamplingSize = toCopy.subSamplingSize;
this.roots = new ArrayList<>();
for(iTreeNode root : toCopy.roots)
this.roots.add(root.clone());
}
/**
* Equation 1 in the Isolation Forest paper
* @param n
* @return
*/
private static double c(double n)
{
return 2*SpecialMath.harmonic(n-1)-(2*(n-1)/n);
}
@Override
public void fit(DataSet d, boolean parallel)
{
for(int i =0; i < trees; i++)
roots.add(new iTreeNode());
int l = (int) Math.ceil(Math.log(subSamplingSize)/Math.log(2));
int D = d.getNumNumericalVars();
//Build all the trees
ParallelUtils.streamP(roots.stream(), parallel).forEach(r->
{
r.build(0, l, d, IntList.range(d.size()), new double[D], new double[D]);
});
}
@Override
public double score(DataPoint x)
{
double e_h_x = roots.stream().
mapToDouble(r->r.pathLength(x.getNumericalValues(), 0))
.average().getAsDouble();
//an anomaly score is produced by computing s(x,ψ) in Equation 2
double anomScore = FastMath.pow2(-e_h_x/c(subSamplingSize));
//anomScore will be in the range [0, 1]
//values > 0.5 are considered anomolies
//so just return 0.5-anomScore to fit the interface defintion
return 0.5-anomScore;
}
@Override
protected IsolationForest clone() throws CloneNotSupportedException
{
return new IsolationForest(this);
}
private class iTreeNode implements Serializable
{
iTreeNode leftChild;
iTreeNode rightChild;
double size = 0;
double splitVal;
int splitAtt;
public iTreeNode()
{
}
public iTreeNode(iTreeNode toCopy)
{
this.leftChild = new iTreeNode(toCopy.leftChild);
this.rightChild = new iTreeNode(toCopy.rightChild);
this.splitVal = toCopy.splitVal;
this.splitAtt = toCopy.splitAtt;
}
@Override
protected iTreeNode clone()
{
return new iTreeNode(this);
}
public void build(int e, int l, DataSet source, IntList X, double[] minVals, double[] maxVals)
{
if(e >= l || X.size() <= 1)
{
if(X.isEmpty())//super rare, rng guesses the min value itself
this.size = 1;
else//use average
this.size = X.stream().mapToDouble(s->source.getWeight(s)).sum();
//else, size stays zero
return;
}
//else
int D = source.getNumNumericalVars();
Arrays.fill(minVals, 0.0);
Arrays.fill(maxVals, 0.0);
//find the min-max range for each feature
X.stream().forEach(d->
{
for(IndexValue iv : source.getDataPoint(d).getNumericalValues())
{
int i = iv.getIndex();
minVals[i] = Math.min(minVals[i], iv.getValue());
maxVals[i] = Math.max(maxVals[i], iv.getValue());
}
});
//how many features are valid choices?
int candiadates = 0;
for(int i = 0; i < D; i++)
if(minVals[i] != maxVals[i])
candiadates++;
//select the q'th feature with a non-zero spread
int q_candidate = RandomUtil.getLocalRandom().nextInt(candiadates);
int q = 0;
for(int i = 0; i <D; i++)
if(minVals[i] != maxVals[i])
if(--q_candidate == 0)
{
q = i;
break;
}
//pick random<SUF>
splitVal = RandomUtil.getLocalRandom().nextDouble();
splitVal = minVals[q] + (maxVals[q]-minVals[q])*splitVal;
IntList X_l = new IntList();
IntList X_r = new IntList();
for(int x : X)
if(source.getDataPoint(x).getNumericalValues().get(q) < splitVal)
X_l.add(x);
else
X_r.add(x);
splitAtt = q;
this.leftChild = new iTreeNode();
this.leftChild.build(e+1, l, source, X_l, minVals, maxVals);
this.rightChild = new iTreeNode();
this.rightChild.build(e+1, l, source, X_r, minVals, maxVals);
}
public double pathLength(Vec x, double e)
{
if(leftChild == null)//root node
return e + c(this.size);
//else
if(x.get(splitAtt) < splitVal)
return leftChild.pathLength(x, e+1);
else
return rightChild.pathLength(x, e+1);
}
}
}
|
211870_3 | package application.controllers;
import com.jfoenix.controls.JFXButton;
import application.ScreenContainer;
import application.ScreenManager;
import application.models.Drink;
import application.models.DrinkForSale;
import application.models.DAO.DrinkDAO;
import application.models.DAO.LoginDAO;
import application.models.DAO.PubDAO;
import javafx.beans.property.ReadOnlyStringWrapper;
import javafx.beans.value.ChangeListener;
import javafx.beans.value.ObservableValue;
import javafx.collections.FXCollections;
import javafx.collections.ObservableList;
import javafx.collections.transformation.FilteredList;
import javafx.collections.transformation.SortedList;
import javafx.fxml.FXML;
import javafx.scene.Node;
import javafx.scene.control.CheckBox;
import javafx.scene.control.Control;
import javafx.scene.control.TableColumn;
import javafx.scene.control.TableView;
import javafx.scene.control.cell.PropertyValueFactory;
import javafx.scene.layout.GridPane;
import javafx.scene.layout.HBox;
import javafx.scene.paint.Color;
/**
* Apresenta todas as bebidas da Base de Dados, em que o utilizador pode filtrar por tipo de bebida (selecionando pelos tipos de bebida apresentados no topo da tela), fazer sort por preco ou por bar.
* O utilizador pode ainda carregar numa bebida e e apresentado a tela com a informacao do bar(openBarInfo())
*
* @author Franco Zalamena e Pedro Oliveira
*@see #openBarInfo(DrinkForSale)
*@see application.models.DAO.DrinkDAO
*/
public class MenuBebidasController {
@FXML
JFXButton bebidasButton, logoButton, userButton;
@FXML
TableView<DrinkForSale> publistTV;
TableColumn<DrinkForSale, String> drinkColumn;
TableColumn<DrinkForSale, String> barColumn;
TableColumn<DrinkForSale, Double> priceColumn;
@FXML
GridPane bebidasFavoritas;
@FXML
HBox hBox;
private static ObservableList<Drink> drinkTypesSelected = FXCollections.observableArrayList();
private ObservableList<DrinkForSale> filteredDrinks = DrinkDAO.getDrinksInPubs();
/**
* Chama o metodo setFavoriteDrinks. Apresenta numa tableView as bebidas com o respetivo tipo, preco e o seu bar.
*
*
* @see #setFavoriteDrinks()
*/
@FXML
private void initialize() {
setFavoriteDrinks();
drinkColumn = new TableColumn<DrinkForSale, String>("Bebida");
barColumn = new TableColumn<DrinkForSale, String>("Bar");
priceColumn = new TableColumn<DrinkForSale, Double>("Preco");
drinkColumn.setCellValueFactory(cellData -> new ReadOnlyStringWrapper(cellData.getValue().getDrinkName()));
barColumn.setCellValueFactory(cellData -> new ReadOnlyStringWrapper(cellData.getValue().getPub().toString()));
priceColumn.setCellValueFactory(new PropertyValueFactory<DrinkForSale, Double>("price"));
publistTV.setItems(filteredDrinks);
publistTV.getSelectionModel().selectedItemProperty().addListener((obs, oldSelection, newSelection) -> {
openBarInfo(newSelection);
});
drinkColumn.setPrefWidth(Control.USE_COMPUTED_SIZE);
barColumn.setPrefWidth(Control.USE_COMPUTED_SIZE);
priceColumn.setPrefWidth(Control.USE_COMPUTED_SIZE);
publistTV.getColumns().addAll(drinkColumn, barColumn, priceColumn);
}
/**
* Filtra a lista de bebidas em relacao ao tipo de bebidas selecionadas nas checkBoxes pelo utilizador.
* @see application.models.DAO.DrinkDAO #getDrinksFiltered(ObservableList)
*/
private void filterList() {
drinkTypesSelected= FXCollections.observableArrayList();
filteredDrinks = FXCollections.observableArrayList();
for (Node node : bebidasFavoritas.getChildren()) {
CheckBox checkBox = (CheckBox) node;
if (checkBox.isSelected())
drinkTypesSelected.add((Drink)checkBox.getUserData());
}
ObservableList<Integer> ids = FXCollections.observableArrayList();
if(drinkTypesSelected.size()<1) return ;
ids.add(drinkTypesSelected.get(0).getId());
for(int i=1; i<drinkTypesSelected.size();i++) {
ids.add(drinkTypesSelected.get(i).getId());
}
System.out.println(drinkTypesSelected);
filteredDrinks = DrinkDAO.getDrinksFiltered(ids);
publistTV.getItems().clear();
publistTV.setItems(filteredDrinks);
publistTV.refresh();
}
/**
* Preenche a gridPane com checkBoxes dos tipos de bebida favoritas do user.
*
* @see application.models.DAO.DrinkDAO#getDrinkTypes()
*/
private void setFavoriteDrinks() {
int columnIndex = 0, rowIndex = 0;
for (Drink drink : DrinkDAO.getDrinkTypes()) {
CheckBox newCheckBox = new CheckBox(drink.toString());
newCheckBox.setSelected(true);
newCheckBox.selectedProperty().addListener(new ChangeListener<Boolean>() {
@Override
public void changed(ObservableValue<? extends Boolean> observable, Boolean oldValue, Boolean newValue) {
filterList();
}
});
newCheckBox.setUserData(drink);
newCheckBox.setTextFill(Color.WHITE);
bebidasFavoritas.add(newCheckBox, columnIndex, rowIndex);
if (columnIndex < 2) {
columnIndex++;
} else {
columnIndex = 0;
rowIndex++;
}
}
}
/**
* Muda para o ecra BarScreen de forma a apresentar o bar onde se encontra a bebida selecionada pelo utilizador.
*
* @param drink Bebida selecionada pelo utilizador
* @see application.models.DAO.PubDAO#getPubsOrdered()
*/
void openBarInfo(DrinkForSale drink) {
PubDAO.setPubsOrdered(drink.getPub().getCoordinates().getX(), drink.getPub().getCoordinates().getY());
ScreenContainer screen = new ScreenContainer("views/DefaultHeader.fxml", "views/BarScreen.fxml",
new DefaultHeaderController(), new BarScreenController(PubDAO.getPubsOrdered().get(0)));
ScreenManager.setScreen(screen);
}
}
| Pedroliv4936/PubFinder | src/application/controllers/MenuBebidasController.java | 1,546 | /**
* Preenche a gridPane com checkBoxes dos tipos de bebida favoritas do user.
*
* @see application.models.DAO.DrinkDAO#getDrinkTypes()
*/ | block_comment | nl | package application.controllers;
import com.jfoenix.controls.JFXButton;
import application.ScreenContainer;
import application.ScreenManager;
import application.models.Drink;
import application.models.DrinkForSale;
import application.models.DAO.DrinkDAO;
import application.models.DAO.LoginDAO;
import application.models.DAO.PubDAO;
import javafx.beans.property.ReadOnlyStringWrapper;
import javafx.beans.value.ChangeListener;
import javafx.beans.value.ObservableValue;
import javafx.collections.FXCollections;
import javafx.collections.ObservableList;
import javafx.collections.transformation.FilteredList;
import javafx.collections.transformation.SortedList;
import javafx.fxml.FXML;
import javafx.scene.Node;
import javafx.scene.control.CheckBox;
import javafx.scene.control.Control;
import javafx.scene.control.TableColumn;
import javafx.scene.control.TableView;
import javafx.scene.control.cell.PropertyValueFactory;
import javafx.scene.layout.GridPane;
import javafx.scene.layout.HBox;
import javafx.scene.paint.Color;
/**
* Apresenta todas as bebidas da Base de Dados, em que o utilizador pode filtrar por tipo de bebida (selecionando pelos tipos de bebida apresentados no topo da tela), fazer sort por preco ou por bar.
* O utilizador pode ainda carregar numa bebida e e apresentado a tela com a informacao do bar(openBarInfo())
*
* @author Franco Zalamena e Pedro Oliveira
*@see #openBarInfo(DrinkForSale)
*@see application.models.DAO.DrinkDAO
*/
public class MenuBebidasController {
@FXML
JFXButton bebidasButton, logoButton, userButton;
@FXML
TableView<DrinkForSale> publistTV;
TableColumn<DrinkForSale, String> drinkColumn;
TableColumn<DrinkForSale, String> barColumn;
TableColumn<DrinkForSale, Double> priceColumn;
@FXML
GridPane bebidasFavoritas;
@FXML
HBox hBox;
private static ObservableList<Drink> drinkTypesSelected = FXCollections.observableArrayList();
private ObservableList<DrinkForSale> filteredDrinks = DrinkDAO.getDrinksInPubs();
/**
* Chama o metodo setFavoriteDrinks. Apresenta numa tableView as bebidas com o respetivo tipo, preco e o seu bar.
*
*
* @see #setFavoriteDrinks()
*/
@FXML
private void initialize() {
setFavoriteDrinks();
drinkColumn = new TableColumn<DrinkForSale, String>("Bebida");
barColumn = new TableColumn<DrinkForSale, String>("Bar");
priceColumn = new TableColumn<DrinkForSale, Double>("Preco");
drinkColumn.setCellValueFactory(cellData -> new ReadOnlyStringWrapper(cellData.getValue().getDrinkName()));
barColumn.setCellValueFactory(cellData -> new ReadOnlyStringWrapper(cellData.getValue().getPub().toString()));
priceColumn.setCellValueFactory(new PropertyValueFactory<DrinkForSale, Double>("price"));
publistTV.setItems(filteredDrinks);
publistTV.getSelectionModel().selectedItemProperty().addListener((obs, oldSelection, newSelection) -> {
openBarInfo(newSelection);
});
drinkColumn.setPrefWidth(Control.USE_COMPUTED_SIZE);
barColumn.setPrefWidth(Control.USE_COMPUTED_SIZE);
priceColumn.setPrefWidth(Control.USE_COMPUTED_SIZE);
publistTV.getColumns().addAll(drinkColumn, barColumn, priceColumn);
}
/**
* Filtra a lista de bebidas em relacao ao tipo de bebidas selecionadas nas checkBoxes pelo utilizador.
* @see application.models.DAO.DrinkDAO #getDrinksFiltered(ObservableList)
*/
private void filterList() {
drinkTypesSelected= FXCollections.observableArrayList();
filteredDrinks = FXCollections.observableArrayList();
for (Node node : bebidasFavoritas.getChildren()) {
CheckBox checkBox = (CheckBox) node;
if (checkBox.isSelected())
drinkTypesSelected.add((Drink)checkBox.getUserData());
}
ObservableList<Integer> ids = FXCollections.observableArrayList();
if(drinkTypesSelected.size()<1) return ;
ids.add(drinkTypesSelected.get(0).getId());
for(int i=1; i<drinkTypesSelected.size();i++) {
ids.add(drinkTypesSelected.get(i).getId());
}
System.out.println(drinkTypesSelected);
filteredDrinks = DrinkDAO.getDrinksFiltered(ids);
publistTV.getItems().clear();
publistTV.setItems(filteredDrinks);
publistTV.refresh();
}
/**
* Preenche a gridPane<SUF>*/
private void setFavoriteDrinks() {
int columnIndex = 0, rowIndex = 0;
for (Drink drink : DrinkDAO.getDrinkTypes()) {
CheckBox newCheckBox = new CheckBox(drink.toString());
newCheckBox.setSelected(true);
newCheckBox.selectedProperty().addListener(new ChangeListener<Boolean>() {
@Override
public void changed(ObservableValue<? extends Boolean> observable, Boolean oldValue, Boolean newValue) {
filterList();
}
});
newCheckBox.setUserData(drink);
newCheckBox.setTextFill(Color.WHITE);
bebidasFavoritas.add(newCheckBox, columnIndex, rowIndex);
if (columnIndex < 2) {
columnIndex++;
} else {
columnIndex = 0;
rowIndex++;
}
}
}
/**
* Muda para o ecra BarScreen de forma a apresentar o bar onde se encontra a bebida selecionada pelo utilizador.
*
* @param drink Bebida selecionada pelo utilizador
* @see application.models.DAO.PubDAO#getPubsOrdered()
*/
void openBarInfo(DrinkForSale drink) {
PubDAO.setPubsOrdered(drink.getPub().getCoordinates().getX(), drink.getPub().getCoordinates().getY());
ScreenContainer screen = new ScreenContainer("views/DefaultHeader.fxml", "views/BarScreen.fxml",
new DefaultHeaderController(), new BarScreenController(PubDAO.getPubsOrdered().get(0)));
ScreenManager.setScreen(screen);
}
}
|
211973_23 | package org.jsoup.integration;
import org.jsoup.Connection;
import org.jsoup.HttpStatusException;
import org.jsoup.Jsoup;
import org.jsoup.UnsupportedMimeTypeException;
import org.jsoup.internal.StringUtil;
import org.jsoup.helper.W3CDom;
import org.jsoup.nodes.Document;
import org.jsoup.nodes.FormElement;
import org.jsoup.parser.HtmlTreeBuilder;
import org.jsoup.parser.Parser;
import org.jsoup.parser.XmlTreeBuilder;
import org.junit.Ignore;
import org.junit.Test;
import java.io.File;
import java.io.FileInputStream;
import java.io.IOException;
import java.net.ConnectException;
import java.net.InetSocketAddress;
import java.net.Proxy;
import java.net.URL;
import java.util.List;
import static org.junit.Assert.assertEquals;
import static org.junit.Assert.assertTrue;
/**
Tests the URL connection. Not enabled by default, so tests don't require network connection.
@author Jonathan Hedley, [email protected] */
@Ignore // ignored by default so tests don't require network access. comment out to enable.
// todo: rebuild these into a local Jetty test server, so not reliant on the vagaries of the internet.
public class UrlConnectTest {
private static final String WEBSITE_WITH_INVALID_CERTIFICATE = "https://certs.cac.washington.edu/CAtest/";
private static final String WEBSITE_WITH_SNI = "https://jsoup.org/";
public static String browserUa = "Mozilla/5.0 (Macintosh; Intel Mac OS X 10_11_4) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/49.0.2623.112 Safari/537.36";
@Test
public void fetchBaidu() throws IOException {
Connection.Response res = Jsoup.connect("http://www.baidu.com/").timeout(10*1000).execute();
Document doc = res.parse();
assertEquals("GBK", doc.outputSettings().charset().displayName());
assertEquals("GBK", res.charset());
assert(res.hasCookie("BAIDUID"));
assertEquals("text/html;charset=gbk", res.contentType());
}
@Test
public void exceptOnUnknownContentType() {
String url = "http://direct.jsoup.org/rez/osi_logo.png"; // not text/* but image/png, should throw
boolean threw = false;
try {
Document doc = Jsoup.parse(new URL(url), 3000);
} catch (UnsupportedMimeTypeException e) {
threw = true;
assertEquals("org.jsoup.UnsupportedMimeTypeException: Unhandled content type. Must be text/*, application/xml, or application/xhtml+xml. Mimetype=image/png, URL=http://direct.jsoup.org/rez/osi_logo.png", e.toString());
assertEquals(url, e.getUrl());
assertEquals("image/png", e.getMimeType());
} catch (IOException e) {
}
assertTrue(threw);
}
@Test
public void ignoresContentTypeIfSoConfigured() throws IOException {
Document doc = Jsoup.connect("https://jsoup.org/rez/osi_logo.png").ignoreContentType(true).get();
assertEquals("", doc.title()); // this will cause an ugly parse tree
}
private static String ihVal(String key, Document doc) {
return doc.select("th:contains("+key+") + td").first().text();
}
@Test
public void followsTempRedirect() throws IOException {
Connection con = Jsoup.connect("http://direct.infohound.net/tools/302.pl"); // http://jsoup.org
Document doc = con.get();
assertTrue(doc.title().contains("jsoup"));
}
@Test
public void followsNewTempRedirect() throws IOException {
Connection con = Jsoup.connect("http://direct.infohound.net/tools/307.pl"); // http://jsoup.org
Document doc = con.get();
assertTrue(doc.title().contains("jsoup"));
assertEquals("https://jsoup.org/", con.response().url().toString());
}
@Test
public void postRedirectsFetchWithGet() throws IOException {
Connection con = Jsoup.connect("http://direct.infohound.net/tools/302.pl")
.data("Argument", "Riposte")
.method(Connection.Method.POST);
Connection.Response res = con.execute();
assertEquals("https://jsoup.org/", res.url().toExternalForm());
assertEquals(Connection.Method.GET, res.method());
}
@Test
public void followsRedirectToHttps() throws IOException {
Connection con = Jsoup.connect("http://direct.infohound.net/tools/302-secure.pl"); // https://www.google.com
con.data("id", "5");
Document doc = con.get();
assertTrue(doc.title().contains("Google"));
}
@Test
public void followsRelativeRedirect() throws IOException {
Connection con = Jsoup.connect("http://direct.infohound.net/tools/302-rel.pl"); // to /tidy/
Document doc = con.post();
assertTrue(doc.title().contains("HTML Tidy Online"));
}
@Test
public void followsRelativeDotRedirect() throws IOException {
// redirects to "./ok.html", should resolve to http://direct.infohound.net/tools/ok.html
Connection con = Jsoup.connect("http://direct.infohound.net/tools/302-rel-dot.pl"); // to ./ok.html
Document doc = con.post();
assertTrue(doc.title().contains("OK"));
assertEquals(doc.location(), "http://direct.infohound.net/tools/ok.html");
}
@Test
public void followsRelativeDotRedirect2() throws IOException {
//redirects to "esportspenedes.cat/./ep/index.php", should resolve to "esportspenedes.cat/ep/index.php"
Connection con = Jsoup.connect("http://esportspenedes.cat") // note lack of trailing / - server should redir to / first, then to ./ep/...; but doesn't'
.timeout(10000);
Document doc = con.post();
assertEquals(doc.location(), "http://esportspenedes.cat/ep/index.php");
}
@Test
public void followsRedirectsWithWithespaces() throws IOException {
Connection con = Jsoup.connect("http://tinyurl.com/kgofxl8"); // to http://www.google.com/?q=white spaces
Document doc = con.get();
assertTrue(doc.title().contains("Google"));
}
@Test
public void gracefullyHandleBrokenLocationRedirect() throws IOException {
Connection con = Jsoup.connect("http://aag-ye.com"); // has Location: http:/temp/AAG_New/en/index.php
con.get(); // would throw exception on error
assertTrue(true);
}
@Test
public void throwsExceptionOnError() {
String url = "http://direct.infohound.net/tools/404";
Connection con = Jsoup.connect(url);
boolean threw = false;
try {
Document doc = con.get();
} catch (HttpStatusException e) {
threw = true;
assertEquals("org.jsoup.HttpStatusException: HTTP error fetching URL. Status=404, URL=http://direct.infohound.net/tools/404", e.toString());
assertEquals(url, e.getUrl());
assertEquals(404, e.getStatusCode());
} catch (IOException e) {
}
assertTrue(threw);
}
@Test
public void ignoresExceptionIfSoConfigured() throws IOException {
Connection con = Jsoup.connect("http://direct.infohound.net/tools/404").ignoreHttpErrors(true);
Connection.Response res = con.execute();
Document doc = res.parse();
assertEquals(404, res.statusCode());
assertEquals("404 Not Found", doc.select("h1").first().text());
}
@Test
public void ignores500tExceptionIfSoConfigured() throws IOException {
Connection con = Jsoup.connect("http://direct.infohound.net/tools/500.pl").ignoreHttpErrors(true);
Connection.Response res = con.execute();
Document doc = res.parse();
assertEquals(500, res.statusCode());
assertEquals("Application Error", res.statusMessage());
assertEquals("Woops", doc.select("h1").first().text());
}
@Test
public void ignores500WithNoContentExceptionIfSoConfigured() throws IOException {
Connection con = Jsoup.connect("http://direct.infohound.net/tools/500-no-content.pl").ignoreHttpErrors(true);
Connection.Response res = con.execute();
Document doc = res.parse();
assertEquals(500, res.statusCode());
assertEquals("Application Error", res.statusMessage());
}
@Test
public void ignores200WithNoContentExceptionIfSoConfigured() throws IOException {
Connection con = Jsoup.connect("http://direct.infohound.net/tools/200-no-content.pl").ignoreHttpErrors(true);
Connection.Response res = con.execute();
Document doc = res.parse();
assertEquals(200, res.statusCode());
assertEquals("All Good", res.statusMessage());
}
@Test
public void handles200WithNoContent() throws IOException {
Connection con = Jsoup
.connect("http://direct.infohound.net/tools/200-no-content.pl")
.userAgent(browserUa);
Connection.Response res = con.execute();
Document doc = res.parse();
assertEquals(200, res.statusCode());
con = Jsoup
.connect("http://direct.infohound.net/tools/200-no-content.pl")
.parser(Parser.xmlParser())
.userAgent(browserUa);
res = con.execute();
doc = res.parse();
assertEquals(200, res.statusCode());
}
@Test
public void doesntRedirectIfSoConfigured() throws IOException {
Connection con = Jsoup.connect("http://direct.infohound.net/tools/302.pl").followRedirects(false);
Connection.Response res = con.execute();
assertEquals(302, res.statusCode());
assertEquals("http://jsoup.org", res.header("Location"));
}
@Test
public void redirectsResponseCookieToNextResponse() throws IOException {
Connection con = Jsoup.connect("http://direct.infohound.net/tools/302-cookie.pl");
Connection.Response res = con.execute();
assertEquals("asdfg123", res.cookie("token")); // confirms that cookies set on 1st hit are presented in final result
Document doc = res.parse();
assertEquals("token=asdfg123; uid=jhy", ihVal("HTTP_COOKIE", doc)); // confirms that redirected hit saw cookie
}
@Test
public void maximumRedirects() {
boolean threw = false;
try {
Document doc = Jsoup.connect("http://direct.infohound.net/tools/loop.pl").get();
} catch (IOException e) {
assertTrue(e.getMessage().contains("Too many redirects"));
threw = true;
}
assertTrue(threw);
}
@Test
public void handlesDodgyCharset() throws IOException {
// tests that when we get back "UFT8", that it is recognised as unsupported, and falls back to default instead
String url = "http://direct.infohound.net/tools/bad-charset.pl";
Connection.Response res = Jsoup.connect(url).execute();
assertEquals("text/html; charset=UFT8", res.header("Content-Type")); // from the header
assertEquals(null, res.charset()); // tried to get from header, not supported, so returns null
Document doc = res.parse(); // would throw an error if charset unsupported
assertTrue(doc.text().contains("Hello!"));
assertEquals("UTF-8", res.charset()); // set from default on parse
}
@Test
public void maxBodySize() throws IOException {
String url = "http://direct.infohound.net/tools/large.html"; // 280 K
Connection.Response defaultRes = Jsoup.connect(url).execute();
Connection.Response smallRes = Jsoup.connect(url).maxBodySize(50 * 1024).execute(); // crops
Connection.Response mediumRes = Jsoup.connect(url).maxBodySize(200 * 1024).execute(); // crops
Connection.Response largeRes = Jsoup.connect(url).maxBodySize(300 * 1024).execute(); // does not crop
Connection.Response unlimitedRes = Jsoup.connect(url).maxBodySize(0).execute();
int actualDocText = 269541;
assertEquals(actualDocText, defaultRes.parse().text().length());
assertEquals(49165, smallRes.parse().text().length());
assertEquals(196577, mediumRes.parse().text().length());
assertEquals(actualDocText, largeRes.parse().text().length());
assertEquals(actualDocText, unlimitedRes.parse().text().length());
}
/**
* Verify that security disabling feature works properly.
* <p/>
* 1. try to hit url with invalid certificate and evaluate that exception is thrown
*
* @throws Exception
*/
@Test(expected = IOException.class)
public void testUnsafeFail() throws Exception {
String url = WEBSITE_WITH_INVALID_CERTIFICATE;
Jsoup.connect(url).execute();
}
/**
* Verify that requests to websites with SNI fail on jdk 1.6
* <p/>
* read for more details:
* http://en.wikipedia.org/wiki/Server_Name_Indication
*
* Test is ignored independent from others as it requires JDK 1.6
* @throws Exception
*/
@Test(expected = IOException.class)
public void testSNIFail() throws Exception {
String url = WEBSITE_WITH_SNI;
Jsoup.connect(url).execute();
}
@Test
public void shouldWorkForCharsetInExtraAttribute() throws IOException {
Connection.Response res = Jsoup.connect("https://www.creditmutuel.com/groupe/fr/").execute();
Document doc = res.parse(); // would throw an error if charset unsupported
assertEquals("ISO-8859-1", res.charset());
}
// The following tests were added to test specific domains if they work. All code paths
// which make the following test green are tested in other unit or integration tests, so the following lines
// could be deleted
@Test
public void shouldSelectFirstCharsetOnWeirdMultileCharsetsInMetaTags() throws IOException {
Connection.Response res = Jsoup.connect("http://aamo.info/").execute();
res.parse(); // would throw an error if charset unsupported
assertEquals("ISO-8859-1", res.charset());
}
@Test
public void shouldParseBrokenHtml5MetaCharsetTagCorrectly() throws IOException {
Connection.Response res = Jsoup.connect("http://9kuhkep.net").execute();
res.parse(); // would throw an error if charset unsupported
assertEquals("UTF-8", res.charset());
}
@Test
public void shouldEmptyMetaCharsetCorrectly() throws IOException {
Connection.Response res = Jsoup.connect("http://aastmultimedia.com").execute();
res.parse(); // would throw an error if charset unsupported
assertEquals("UTF-8", res.charset());
}
@Test
public void shouldWorkForDuplicateCharsetInTag() throws IOException {
Connection.Response res = Jsoup.connect("http://aaptsdassn.org").execute();
Document doc = res.parse(); // would throw an error if charset unsupported
assertEquals("ISO-8859-1", res.charset());
}
@Test
public void baseHrefCorrectAfterHttpEquiv() throws IOException {
// https://github.com/jhy/jsoup/issues/440
Connection.Response res = Jsoup.connect("http://direct.infohound.net/tools/charset-base.html").execute();
Document doc = res.parse();
assertEquals("http://example.com/foo.jpg", doc.select("img").first().absUrl("src"));
}
/**
* Test fetching a form, and submitting it with a file attached.
*/
@Test
public void postHtmlFile() throws IOException {
Document index = Jsoup.connect("http://direct.infohound.net/tidy/").get();
FormElement form = index.select("[name=tidy]").forms().get(0);
Connection post = form.submit();
File uploadFile = ParseTest.getFile("/htmltests/google-ipod.html");
FileInputStream stream = new FileInputStream(uploadFile);
Connection.KeyVal fileData = post.data("_file");
fileData.value("check.html");
fileData.inputStream(stream);
Connection.Response res;
try {
res = post.execute();
} finally {
stream.close();
}
Document out = res.parse();
assertTrue(out.text().contains("HTML Tidy Complete"));
}
@Test
public void handles201Created() throws IOException {
Document doc = Jsoup.connect("http://direct.infohound.net/tools/201.pl").get(); // 201, location=jsoup
assertEquals("https://jsoup.org/", doc.location());
}
@Test
public void fetchToW3c() throws IOException {
String url = "https://jsoup.org";
Document doc = Jsoup.connect(url).get();
W3CDom dom = new W3CDom();
org.w3c.dom.Document wDoc = dom.fromJsoup(doc);
assertEquals(url, wDoc.getDocumentURI());
String html = dom.asString(wDoc);
assertTrue(html.contains("jsoup"));
}
@Test
public void fetchHandlesXml() throws IOException {
// should auto-detect xml and use XML parser, unless explicitly requested the html parser
String xmlUrl = "http://direct.infohound.net/tools/parse-xml.xml";
Connection con = Jsoup.connect(xmlUrl);
Document doc = con.get();
Connection.Request req = con.request();
assertTrue(req.parser().getTreeBuilder() instanceof XmlTreeBuilder);
assertEquals("<xml> <link> one </link> <table> Two </table> </xml>", StringUtil.normaliseWhitespace(doc.outerHtml()));
}
@Test
public void fetchHandlesXmlAsHtmlWhenParserSet() throws IOException {
// should auto-detect xml and use XML parser, unless explicitly requested the html parser
String xmlUrl = "http://direct.infohound.net/tools/parse-xml.xml";
Connection con = Jsoup.connect(xmlUrl).parser(Parser.htmlParser());
Document doc = con.get();
Connection.Request req = con.request();
assertTrue(req.parser().getTreeBuilder() instanceof HtmlTreeBuilder);
assertEquals("<html> <head></head> <body> <xml> <link>one <table> Two </table> </xml> </body> </html>", StringUtil.normaliseWhitespace(doc.outerHtml()));
}
@Test
public void combinesSameHeadersWithComma() throws IOException {
// http://www.w3.org/Protocols/rfc2616/rfc2616-sec4.html#sec4.2
String url = "http://direct.infohound.net/tools/q.pl";
Connection con = Jsoup.connect(url);
con.get();
Connection.Response res = con.response();
assertEquals("text/html", res.header("Content-Type"));
assertEquals("no-cache, no-store", res.header("Cache-Control"));
List<String> header = res.headers("Cache-Control");
assertEquals(2, header.size());
assertEquals("no-cache", header.get(0));
assertEquals("no-store", header.get(1));
}
@Test
public void sendHeadRequest() throws IOException {
String url = "http://direct.infohound.net/tools/parse-xml.xml";
Connection con = Jsoup.connect(url).method(Connection.Method.HEAD);
final Connection.Response response = con.execute();
assertEquals("text/xml", response.header("Content-Type"));
assertEquals("", response.body()); // head ought to have no body
Document doc = response.parse();
assertEquals("", doc.text());
}
/*
Proxy tests. Assumes local proxy running on 8888, without system propery set (so that specifying it is required).
*/
@Test
public void fetchViaHttpProxy() throws IOException {
String url = "https://jsoup.org";
Proxy proxy = new Proxy(Proxy.Type.HTTP, InetSocketAddress.createUnresolved("localhost", 8888));
Document doc = Jsoup.connect(url).proxy(proxy).get();
assertTrue(doc.title().contains("jsoup"));
}
@Test
public void fetchViaHttpProxySetByArgument() throws IOException {
String url = "https://jsoup.org";
Document doc = Jsoup.connect(url).proxy("localhost", 8888).get();
assertTrue(doc.title().contains("jsoup"));
}
@Test
public void invalidProxyFails() throws IOException {
boolean caught = false;
String url = "https://jsoup.org";
try {
Document doc = Jsoup.connect(url).proxy("localhost", 8889).get();
} catch (IOException e) {
caught = e instanceof ConnectException;
}
assertTrue(caught);
}
@Test
public void proxyGetAndSet() throws IOException {
String url = "https://jsoup.org";
Proxy proxy = new Proxy(Proxy.Type.HTTP, InetSocketAddress.createUnresolved("localhost", 8889)); // invalid
final Connection con = Jsoup.connect(url).proxy(proxy);
assert con.request().proxy() == proxy;
con.request().proxy(null); // disable
Document doc = con.get();
assertTrue(doc.title().contains("jsoup")); // would fail if actually went via proxy
}
@Test
public void throwsIfRequestBodyForGet() throws IOException {
boolean caught = false;
String url = "https://jsoup.org";
try {
Document doc = Jsoup.connect(url).requestBody("fail").get();
} catch (IllegalArgumentException e) {
caught = true;
}
assertTrue(caught);
}
@Test
public void canSpecifyResponseCharset() throws IOException {
// both these docs have <80> in there as euro/control char depending on charset
String noCharsetUrl = "http://direct.infohound.net/tools/Windows-1252-nocharset.html";
String charsetUrl = "http://direct.infohound.net/tools/Windows-1252-charset.html";
// included in meta
Connection.Response res1 = Jsoup.connect(charsetUrl).execute();
assertEquals(null, res1.charset()); // not set in headers
final Document doc1 = res1.parse();
assertEquals("windows-1252", doc1.charset().displayName()); // but determined at parse time
assertEquals("Cost is €100", doc1.select("p").text());
assertTrue(doc1.text().contains("€"));
// no meta, no override
Connection.Response res2 = Jsoup.connect(noCharsetUrl).execute();
assertEquals(null, res2.charset()); // not set in headers
final Document doc2 = res2.parse();
assertEquals("UTF-8", doc2.charset().displayName()); // so defaults to utf-8
assertEquals("Cost is �100", doc2.select("p").text());
assertTrue(doc2.text().contains("�"));
// no meta, let's override
Connection.Response res3 = Jsoup.connect(noCharsetUrl).execute();
assertEquals(null, res3.charset()); // not set in headers
res3.charset("windows-1252");
assertEquals("windows-1252", res3.charset()); // read back
final Document doc3 = res3.parse();
assertEquals("windows-1252", doc3.charset().displayName()); // from override
assertEquals("Cost is €100", doc3.select("p").text());
assertTrue(doc3.text().contains("€"));
}
@Test
public void handlesUnescapedRedirects() throws IOException {
// URL locations should be url safe (ascii) but are often not, so we should try to guess
// in this case the location header is utf-8, but defined in spec as iso8859, so detect, convert, encode
String url = "http://direct.infohound.net/tools/302-utf.pl";
String urlEscaped = "http://direct.infohound.net/tools/test%F0%9F%92%A9.html";
Connection.Response res = Jsoup.connect(url).execute();
Document doc = res.parse();
assertEquals(doc.body().text(), "\uD83D\uDCA9!");
assertEquals(doc.location(), urlEscaped);
Connection.Response res2 = Jsoup.connect(url).followRedirects(false).execute();
assertEquals("/tools/test\uD83D\uDCA9.html", res2.header("Location"));
// if we didn't notice it was utf8, would look like: Location: /tools/testð©.html
}
@Test public void handlesEscapesInRedirecct() throws IOException {
Document doc = Jsoup.connect("http://infohound.net/tools/302-escaped.pl").get();
assertEquals("http://infohound.net/tools/q.pl?q=one%20two", doc.location());
doc = Jsoup.connect("http://infohound.net/tools/302-white.pl").get();
assertEquals("http://infohound.net/tools/q.pl?q=one%20two", doc.location());
}
@Test
public void handlesUt8fInUrl() throws IOException {
String url = "http://direct.infohound.net/tools/test\uD83D\uDCA9.html";
String urlEscaped = "http://direct.infohound.net/tools/test%F0%9F%92%A9.html";
Connection.Response res = Jsoup.connect(url).execute();
Document doc = res.parse();
assertEquals("\uD83D\uDCA9!", doc.body().text());
assertEquals(urlEscaped, doc.location());
}
@Test
public void inWildUtfRedirect() throws IOException {
Connection.Response res = Jsoup.connect("http://brabantn.ws/Q4F").execute();
Document doc = res.parse();
assertEquals(
"http://www.omroepbrabant.nl/?news/2474781303/Gestrande+ree+in+Oss+niet+verdoofd,+maar+doodgeschoten+%E2%80%98Dit+kan+gewoon+niet,+bizar%E2%80%99+[VIDEO].aspx",
doc.location()
);
}
@Test
public void inWildUtfRedirect2() throws IOException {
Connection.Response res = Jsoup.connect("https://ssl.souq.com/sa-en/2724288604627/s").execute();
Document doc = res.parse();
assertEquals(
"https://saudi.souq.com/sa-en/%D8%AE%D8%B2%D9%86%D8%A9-%D8%A2%D9%85%D9%86%D8%A9-3-%D8%B7%D8%A8%D9%82%D8%A7%D8%AA-%D8%A8%D9%86%D8%B8%D8%A7%D9%85-%D9%82%D9%81%D9%84-%D8%A5%D9%84%D9%83%D8%AA%D8%B1%D9%88%D9%86%D9%8A-bsd11523-6831477/i/?ctype=dsrch",
doc.location()
);
}
@Test public void handlesEscapedRedirectUrls() throws IOException {
String url = "http://www.altalex.com/documents/news/2016/12/06/questioni-civilistiche-conseguenti-alla-depenalizzazione";
// sends: Location:http://shop.wki.it/shared/sso/sso.aspx?sso=&url=http%3a%2f%2fwww.altalex.com%2fsession%2fset%2f%3freturnurl%3dhttp%253a%252f%252fwww.altalex.com%253a80%252fdocuments%252fnews%252f2016%252f12%252f06%252fquestioni-civilistiche-conseguenti-alla-depenalizzazione
// then to: http://www.altalex.com/session/set/?returnurl=http%3a%2f%2fwww.altalex.com%3a80%2fdocuments%2fnews%2f2016%2f12%2f06%2fquestioni-civilistiche-conseguenti-alla-depenalizzazione&sso=RDRG6T684G4AK2E7U591UGR923
// then : http://www.altalex.com:80/documents/news/2016/12/06/questioni-civilistiche-conseguenti-alla-depenalizzazione
// bug is that jsoup goes to
// GET /shared/sso/sso.aspx?sso=&url=http%253a%252f%252fwww.altalex.com%252fsession%252fset%252f%253freturnurl%253dhttp%25253a%25252f%25252fwww.altalex.com%25253a80%25252fdocuments%25252fnews%25252f2016%25252f12%25252f06%25252fquestioni-civilistiche-conseguenti-alla-depenalizzazione HTTP/1.1
// i.e. double escaped
Connection.Response res = Jsoup.connect(url)
.proxy("localhost", 8888)
.execute();
Document doc = res.parse();
assertEquals(200, res.statusCode());
}
@Test public void handlesUnicodeInQuery() throws IOException {
Document doc = Jsoup.connect("https://www.google.pl/search?q=gąska").get();
assertEquals("gąska - Szukaj w Google", doc.title());
doc = Jsoup.connect("http://mov-world.net/archiv/TV/A/%23No.Title/").get();
assertEquals("Index of /archiv/TV/A/%23No.Title", doc.title());
}
@Test public void handlesSuperDeepPage() throws IOException {
// https://github.com/jhy/jsoup/issues/955
long start = System.currentTimeMillis();
String url = "http://sv.stargate.wikia.com/wiki/M2J";
Document doc = Jsoup.connect(url).get();
assertEquals("M2J | Sv.stargate Wiki | FANDOM powered by Wikia", doc.title());
assertEquals(110160, doc.select("dd").size());
// those are all <dl><dd> stacked in each other. wonder how that got generated?
assertTrue(System.currentTimeMillis() - start < 1000);
}
@Test public void handles966() throws IOException {
// http://szshb.nxszs.gov.cn/
// https://github.com/jhy/jsoup/issues/966
Document doc = Jsoup.connect("http://szshb.nxszs.gov.cn/").get();
assertEquals("石嘴山市环境保护局", doc.title());
}
}
| kaiyuanw/jsoup | src/test/java/org/jsoup/integration/UrlConnectTest.java | 8,076 | // not set in headers | line_comment | nl | package org.jsoup.integration;
import org.jsoup.Connection;
import org.jsoup.HttpStatusException;
import org.jsoup.Jsoup;
import org.jsoup.UnsupportedMimeTypeException;
import org.jsoup.internal.StringUtil;
import org.jsoup.helper.W3CDom;
import org.jsoup.nodes.Document;
import org.jsoup.nodes.FormElement;
import org.jsoup.parser.HtmlTreeBuilder;
import org.jsoup.parser.Parser;
import org.jsoup.parser.XmlTreeBuilder;
import org.junit.Ignore;
import org.junit.Test;
import java.io.File;
import java.io.FileInputStream;
import java.io.IOException;
import java.net.ConnectException;
import java.net.InetSocketAddress;
import java.net.Proxy;
import java.net.URL;
import java.util.List;
import static org.junit.Assert.assertEquals;
import static org.junit.Assert.assertTrue;
/**
Tests the URL connection. Not enabled by default, so tests don't require network connection.
@author Jonathan Hedley, [email protected] */
@Ignore // ignored by default so tests don't require network access. comment out to enable.
// todo: rebuild these into a local Jetty test server, so not reliant on the vagaries of the internet.
public class UrlConnectTest {
private static final String WEBSITE_WITH_INVALID_CERTIFICATE = "https://certs.cac.washington.edu/CAtest/";
private static final String WEBSITE_WITH_SNI = "https://jsoup.org/";
public static String browserUa = "Mozilla/5.0 (Macintosh; Intel Mac OS X 10_11_4) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/49.0.2623.112 Safari/537.36";
@Test
public void fetchBaidu() throws IOException {
Connection.Response res = Jsoup.connect("http://www.baidu.com/").timeout(10*1000).execute();
Document doc = res.parse();
assertEquals("GBK", doc.outputSettings().charset().displayName());
assertEquals("GBK", res.charset());
assert(res.hasCookie("BAIDUID"));
assertEquals("text/html;charset=gbk", res.contentType());
}
@Test
public void exceptOnUnknownContentType() {
String url = "http://direct.jsoup.org/rez/osi_logo.png"; // not text/* but image/png, should throw
boolean threw = false;
try {
Document doc = Jsoup.parse(new URL(url), 3000);
} catch (UnsupportedMimeTypeException e) {
threw = true;
assertEquals("org.jsoup.UnsupportedMimeTypeException: Unhandled content type. Must be text/*, application/xml, or application/xhtml+xml. Mimetype=image/png, URL=http://direct.jsoup.org/rez/osi_logo.png", e.toString());
assertEquals(url, e.getUrl());
assertEquals("image/png", e.getMimeType());
} catch (IOException e) {
}
assertTrue(threw);
}
@Test
public void ignoresContentTypeIfSoConfigured() throws IOException {
Document doc = Jsoup.connect("https://jsoup.org/rez/osi_logo.png").ignoreContentType(true).get();
assertEquals("", doc.title()); // this will cause an ugly parse tree
}
private static String ihVal(String key, Document doc) {
return doc.select("th:contains("+key+") + td").first().text();
}
@Test
public void followsTempRedirect() throws IOException {
Connection con = Jsoup.connect("http://direct.infohound.net/tools/302.pl"); // http://jsoup.org
Document doc = con.get();
assertTrue(doc.title().contains("jsoup"));
}
@Test
public void followsNewTempRedirect() throws IOException {
Connection con = Jsoup.connect("http://direct.infohound.net/tools/307.pl"); // http://jsoup.org
Document doc = con.get();
assertTrue(doc.title().contains("jsoup"));
assertEquals("https://jsoup.org/", con.response().url().toString());
}
@Test
public void postRedirectsFetchWithGet() throws IOException {
Connection con = Jsoup.connect("http://direct.infohound.net/tools/302.pl")
.data("Argument", "Riposte")
.method(Connection.Method.POST);
Connection.Response res = con.execute();
assertEquals("https://jsoup.org/", res.url().toExternalForm());
assertEquals(Connection.Method.GET, res.method());
}
@Test
public void followsRedirectToHttps() throws IOException {
Connection con = Jsoup.connect("http://direct.infohound.net/tools/302-secure.pl"); // https://www.google.com
con.data("id", "5");
Document doc = con.get();
assertTrue(doc.title().contains("Google"));
}
@Test
public void followsRelativeRedirect() throws IOException {
Connection con = Jsoup.connect("http://direct.infohound.net/tools/302-rel.pl"); // to /tidy/
Document doc = con.post();
assertTrue(doc.title().contains("HTML Tidy Online"));
}
@Test
public void followsRelativeDotRedirect() throws IOException {
// redirects to "./ok.html", should resolve to http://direct.infohound.net/tools/ok.html
Connection con = Jsoup.connect("http://direct.infohound.net/tools/302-rel-dot.pl"); // to ./ok.html
Document doc = con.post();
assertTrue(doc.title().contains("OK"));
assertEquals(doc.location(), "http://direct.infohound.net/tools/ok.html");
}
@Test
public void followsRelativeDotRedirect2() throws IOException {
//redirects to "esportspenedes.cat/./ep/index.php", should resolve to "esportspenedes.cat/ep/index.php"
Connection con = Jsoup.connect("http://esportspenedes.cat") // note lack of trailing / - server should redir to / first, then to ./ep/...; but doesn't'
.timeout(10000);
Document doc = con.post();
assertEquals(doc.location(), "http://esportspenedes.cat/ep/index.php");
}
@Test
public void followsRedirectsWithWithespaces() throws IOException {
Connection con = Jsoup.connect("http://tinyurl.com/kgofxl8"); // to http://www.google.com/?q=white spaces
Document doc = con.get();
assertTrue(doc.title().contains("Google"));
}
@Test
public void gracefullyHandleBrokenLocationRedirect() throws IOException {
Connection con = Jsoup.connect("http://aag-ye.com"); // has Location: http:/temp/AAG_New/en/index.php
con.get(); // would throw exception on error
assertTrue(true);
}
@Test
public void throwsExceptionOnError() {
String url = "http://direct.infohound.net/tools/404";
Connection con = Jsoup.connect(url);
boolean threw = false;
try {
Document doc = con.get();
} catch (HttpStatusException e) {
threw = true;
assertEquals("org.jsoup.HttpStatusException: HTTP error fetching URL. Status=404, URL=http://direct.infohound.net/tools/404", e.toString());
assertEquals(url, e.getUrl());
assertEquals(404, e.getStatusCode());
} catch (IOException e) {
}
assertTrue(threw);
}
@Test
public void ignoresExceptionIfSoConfigured() throws IOException {
Connection con = Jsoup.connect("http://direct.infohound.net/tools/404").ignoreHttpErrors(true);
Connection.Response res = con.execute();
Document doc = res.parse();
assertEquals(404, res.statusCode());
assertEquals("404 Not Found", doc.select("h1").first().text());
}
@Test
public void ignores500tExceptionIfSoConfigured() throws IOException {
Connection con = Jsoup.connect("http://direct.infohound.net/tools/500.pl").ignoreHttpErrors(true);
Connection.Response res = con.execute();
Document doc = res.parse();
assertEquals(500, res.statusCode());
assertEquals("Application Error", res.statusMessage());
assertEquals("Woops", doc.select("h1").first().text());
}
@Test
public void ignores500WithNoContentExceptionIfSoConfigured() throws IOException {
Connection con = Jsoup.connect("http://direct.infohound.net/tools/500-no-content.pl").ignoreHttpErrors(true);
Connection.Response res = con.execute();
Document doc = res.parse();
assertEquals(500, res.statusCode());
assertEquals("Application Error", res.statusMessage());
}
@Test
public void ignores200WithNoContentExceptionIfSoConfigured() throws IOException {
Connection con = Jsoup.connect("http://direct.infohound.net/tools/200-no-content.pl").ignoreHttpErrors(true);
Connection.Response res = con.execute();
Document doc = res.parse();
assertEquals(200, res.statusCode());
assertEquals("All Good", res.statusMessage());
}
@Test
public void handles200WithNoContent() throws IOException {
Connection con = Jsoup
.connect("http://direct.infohound.net/tools/200-no-content.pl")
.userAgent(browserUa);
Connection.Response res = con.execute();
Document doc = res.parse();
assertEquals(200, res.statusCode());
con = Jsoup
.connect("http://direct.infohound.net/tools/200-no-content.pl")
.parser(Parser.xmlParser())
.userAgent(browserUa);
res = con.execute();
doc = res.parse();
assertEquals(200, res.statusCode());
}
@Test
public void doesntRedirectIfSoConfigured() throws IOException {
Connection con = Jsoup.connect("http://direct.infohound.net/tools/302.pl").followRedirects(false);
Connection.Response res = con.execute();
assertEquals(302, res.statusCode());
assertEquals("http://jsoup.org", res.header("Location"));
}
@Test
public void redirectsResponseCookieToNextResponse() throws IOException {
Connection con = Jsoup.connect("http://direct.infohound.net/tools/302-cookie.pl");
Connection.Response res = con.execute();
assertEquals("asdfg123", res.cookie("token")); // confirms that cookies set on 1st hit are presented in final result
Document doc = res.parse();
assertEquals("token=asdfg123; uid=jhy", ihVal("HTTP_COOKIE", doc)); // confirms that redirected hit saw cookie
}
@Test
public void maximumRedirects() {
boolean threw = false;
try {
Document doc = Jsoup.connect("http://direct.infohound.net/tools/loop.pl").get();
} catch (IOException e) {
assertTrue(e.getMessage().contains("Too many redirects"));
threw = true;
}
assertTrue(threw);
}
@Test
public void handlesDodgyCharset() throws IOException {
// tests that when we get back "UFT8", that it is recognised as unsupported, and falls back to default instead
String url = "http://direct.infohound.net/tools/bad-charset.pl";
Connection.Response res = Jsoup.connect(url).execute();
assertEquals("text/html; charset=UFT8", res.header("Content-Type")); // from the header
assertEquals(null, res.charset()); // tried to get from header, not supported, so returns null
Document doc = res.parse(); // would throw an error if charset unsupported
assertTrue(doc.text().contains("Hello!"));
assertEquals("UTF-8", res.charset()); // set from default on parse
}
@Test
public void maxBodySize() throws IOException {
String url = "http://direct.infohound.net/tools/large.html"; // 280 K
Connection.Response defaultRes = Jsoup.connect(url).execute();
Connection.Response smallRes = Jsoup.connect(url).maxBodySize(50 * 1024).execute(); // crops
Connection.Response mediumRes = Jsoup.connect(url).maxBodySize(200 * 1024).execute(); // crops
Connection.Response largeRes = Jsoup.connect(url).maxBodySize(300 * 1024).execute(); // does not crop
Connection.Response unlimitedRes = Jsoup.connect(url).maxBodySize(0).execute();
int actualDocText = 269541;
assertEquals(actualDocText, defaultRes.parse().text().length());
assertEquals(49165, smallRes.parse().text().length());
assertEquals(196577, mediumRes.parse().text().length());
assertEquals(actualDocText, largeRes.parse().text().length());
assertEquals(actualDocText, unlimitedRes.parse().text().length());
}
/**
* Verify that security disabling feature works properly.
* <p/>
* 1. try to hit url with invalid certificate and evaluate that exception is thrown
*
* @throws Exception
*/
@Test(expected = IOException.class)
public void testUnsafeFail() throws Exception {
String url = WEBSITE_WITH_INVALID_CERTIFICATE;
Jsoup.connect(url).execute();
}
/**
* Verify that requests to websites with SNI fail on jdk 1.6
* <p/>
* read for more details:
* http://en.wikipedia.org/wiki/Server_Name_Indication
*
* Test is ignored independent from others as it requires JDK 1.6
* @throws Exception
*/
@Test(expected = IOException.class)
public void testSNIFail() throws Exception {
String url = WEBSITE_WITH_SNI;
Jsoup.connect(url).execute();
}
@Test
public void shouldWorkForCharsetInExtraAttribute() throws IOException {
Connection.Response res = Jsoup.connect("https://www.creditmutuel.com/groupe/fr/").execute();
Document doc = res.parse(); // would throw an error if charset unsupported
assertEquals("ISO-8859-1", res.charset());
}
// The following tests were added to test specific domains if they work. All code paths
// which make the following test green are tested in other unit or integration tests, so the following lines
// could be deleted
@Test
public void shouldSelectFirstCharsetOnWeirdMultileCharsetsInMetaTags() throws IOException {
Connection.Response res = Jsoup.connect("http://aamo.info/").execute();
res.parse(); // would throw an error if charset unsupported
assertEquals("ISO-8859-1", res.charset());
}
@Test
public void shouldParseBrokenHtml5MetaCharsetTagCorrectly() throws IOException {
Connection.Response res = Jsoup.connect("http://9kuhkep.net").execute();
res.parse(); // would throw an error if charset unsupported
assertEquals("UTF-8", res.charset());
}
@Test
public void shouldEmptyMetaCharsetCorrectly() throws IOException {
Connection.Response res = Jsoup.connect("http://aastmultimedia.com").execute();
res.parse(); // would throw an error if charset unsupported
assertEquals("UTF-8", res.charset());
}
@Test
public void shouldWorkForDuplicateCharsetInTag() throws IOException {
Connection.Response res = Jsoup.connect("http://aaptsdassn.org").execute();
Document doc = res.parse(); // would throw an error if charset unsupported
assertEquals("ISO-8859-1", res.charset());
}
@Test
public void baseHrefCorrectAfterHttpEquiv() throws IOException {
// https://github.com/jhy/jsoup/issues/440
Connection.Response res = Jsoup.connect("http://direct.infohound.net/tools/charset-base.html").execute();
Document doc = res.parse();
assertEquals("http://example.com/foo.jpg", doc.select("img").first().absUrl("src"));
}
/**
* Test fetching a form, and submitting it with a file attached.
*/
@Test
public void postHtmlFile() throws IOException {
Document index = Jsoup.connect("http://direct.infohound.net/tidy/").get();
FormElement form = index.select("[name=tidy]").forms().get(0);
Connection post = form.submit();
File uploadFile = ParseTest.getFile("/htmltests/google-ipod.html");
FileInputStream stream = new FileInputStream(uploadFile);
Connection.KeyVal fileData = post.data("_file");
fileData.value("check.html");
fileData.inputStream(stream);
Connection.Response res;
try {
res = post.execute();
} finally {
stream.close();
}
Document out = res.parse();
assertTrue(out.text().contains("HTML Tidy Complete"));
}
@Test
public void handles201Created() throws IOException {
Document doc = Jsoup.connect("http://direct.infohound.net/tools/201.pl").get(); // 201, location=jsoup
assertEquals("https://jsoup.org/", doc.location());
}
@Test
public void fetchToW3c() throws IOException {
String url = "https://jsoup.org";
Document doc = Jsoup.connect(url).get();
W3CDom dom = new W3CDom();
org.w3c.dom.Document wDoc = dom.fromJsoup(doc);
assertEquals(url, wDoc.getDocumentURI());
String html = dom.asString(wDoc);
assertTrue(html.contains("jsoup"));
}
@Test
public void fetchHandlesXml() throws IOException {
// should auto-detect xml and use XML parser, unless explicitly requested the html parser
String xmlUrl = "http://direct.infohound.net/tools/parse-xml.xml";
Connection con = Jsoup.connect(xmlUrl);
Document doc = con.get();
Connection.Request req = con.request();
assertTrue(req.parser().getTreeBuilder() instanceof XmlTreeBuilder);
assertEquals("<xml> <link> one </link> <table> Two </table> </xml>", StringUtil.normaliseWhitespace(doc.outerHtml()));
}
@Test
public void fetchHandlesXmlAsHtmlWhenParserSet() throws IOException {
// should auto-detect xml and use XML parser, unless explicitly requested the html parser
String xmlUrl = "http://direct.infohound.net/tools/parse-xml.xml";
Connection con = Jsoup.connect(xmlUrl).parser(Parser.htmlParser());
Document doc = con.get();
Connection.Request req = con.request();
assertTrue(req.parser().getTreeBuilder() instanceof HtmlTreeBuilder);
assertEquals("<html> <head></head> <body> <xml> <link>one <table> Two </table> </xml> </body> </html>", StringUtil.normaliseWhitespace(doc.outerHtml()));
}
@Test
public void combinesSameHeadersWithComma() throws IOException {
// http://www.w3.org/Protocols/rfc2616/rfc2616-sec4.html#sec4.2
String url = "http://direct.infohound.net/tools/q.pl";
Connection con = Jsoup.connect(url);
con.get();
Connection.Response res = con.response();
assertEquals("text/html", res.header("Content-Type"));
assertEquals("no-cache, no-store", res.header("Cache-Control"));
List<String> header = res.headers("Cache-Control");
assertEquals(2, header.size());
assertEquals("no-cache", header.get(0));
assertEquals("no-store", header.get(1));
}
@Test
public void sendHeadRequest() throws IOException {
String url = "http://direct.infohound.net/tools/parse-xml.xml";
Connection con = Jsoup.connect(url).method(Connection.Method.HEAD);
final Connection.Response response = con.execute();
assertEquals("text/xml", response.header("Content-Type"));
assertEquals("", response.body()); // head ought to have no body
Document doc = response.parse();
assertEquals("", doc.text());
}
/*
Proxy tests. Assumes local proxy running on 8888, without system propery set (so that specifying it is required).
*/
@Test
public void fetchViaHttpProxy() throws IOException {
String url = "https://jsoup.org";
Proxy proxy = new Proxy(Proxy.Type.HTTP, InetSocketAddress.createUnresolved("localhost", 8888));
Document doc = Jsoup.connect(url).proxy(proxy).get();
assertTrue(doc.title().contains("jsoup"));
}
@Test
public void fetchViaHttpProxySetByArgument() throws IOException {
String url = "https://jsoup.org";
Document doc = Jsoup.connect(url).proxy("localhost", 8888).get();
assertTrue(doc.title().contains("jsoup"));
}
@Test
public void invalidProxyFails() throws IOException {
boolean caught = false;
String url = "https://jsoup.org";
try {
Document doc = Jsoup.connect(url).proxy("localhost", 8889).get();
} catch (IOException e) {
caught = e instanceof ConnectException;
}
assertTrue(caught);
}
@Test
public void proxyGetAndSet() throws IOException {
String url = "https://jsoup.org";
Proxy proxy = new Proxy(Proxy.Type.HTTP, InetSocketAddress.createUnresolved("localhost", 8889)); // invalid
final Connection con = Jsoup.connect(url).proxy(proxy);
assert con.request().proxy() == proxy;
con.request().proxy(null); // disable
Document doc = con.get();
assertTrue(doc.title().contains("jsoup")); // would fail if actually went via proxy
}
@Test
public void throwsIfRequestBodyForGet() throws IOException {
boolean caught = false;
String url = "https://jsoup.org";
try {
Document doc = Jsoup.connect(url).requestBody("fail").get();
} catch (IllegalArgumentException e) {
caught = true;
}
assertTrue(caught);
}
@Test
public void canSpecifyResponseCharset() throws IOException {
// both these docs have <80> in there as euro/control char depending on charset
String noCharsetUrl = "http://direct.infohound.net/tools/Windows-1252-nocharset.html";
String charsetUrl = "http://direct.infohound.net/tools/Windows-1252-charset.html";
// included in meta
Connection.Response res1 = Jsoup.connect(charsetUrl).execute();
assertEquals(null, res1.charset()); // not set<SUF>
final Document doc1 = res1.parse();
assertEquals("windows-1252", doc1.charset().displayName()); // but determined at parse time
assertEquals("Cost is €100", doc1.select("p").text());
assertTrue(doc1.text().contains("€"));
// no meta, no override
Connection.Response res2 = Jsoup.connect(noCharsetUrl).execute();
assertEquals(null, res2.charset()); // not set in headers
final Document doc2 = res2.parse();
assertEquals("UTF-8", doc2.charset().displayName()); // so defaults to utf-8
assertEquals("Cost is �100", doc2.select("p").text());
assertTrue(doc2.text().contains("�"));
// no meta, let's override
Connection.Response res3 = Jsoup.connect(noCharsetUrl).execute();
assertEquals(null, res3.charset()); // not set in headers
res3.charset("windows-1252");
assertEquals("windows-1252", res3.charset()); // read back
final Document doc3 = res3.parse();
assertEquals("windows-1252", doc3.charset().displayName()); // from override
assertEquals("Cost is €100", doc3.select("p").text());
assertTrue(doc3.text().contains("€"));
}
@Test
public void handlesUnescapedRedirects() throws IOException {
// URL locations should be url safe (ascii) but are often not, so we should try to guess
// in this case the location header is utf-8, but defined in spec as iso8859, so detect, convert, encode
String url = "http://direct.infohound.net/tools/302-utf.pl";
String urlEscaped = "http://direct.infohound.net/tools/test%F0%9F%92%A9.html";
Connection.Response res = Jsoup.connect(url).execute();
Document doc = res.parse();
assertEquals(doc.body().text(), "\uD83D\uDCA9!");
assertEquals(doc.location(), urlEscaped);
Connection.Response res2 = Jsoup.connect(url).followRedirects(false).execute();
assertEquals("/tools/test\uD83D\uDCA9.html", res2.header("Location"));
// if we didn't notice it was utf8, would look like: Location: /tools/testð©.html
}
@Test public void handlesEscapesInRedirecct() throws IOException {
Document doc = Jsoup.connect("http://infohound.net/tools/302-escaped.pl").get();
assertEquals("http://infohound.net/tools/q.pl?q=one%20two", doc.location());
doc = Jsoup.connect("http://infohound.net/tools/302-white.pl").get();
assertEquals("http://infohound.net/tools/q.pl?q=one%20two", doc.location());
}
@Test
public void handlesUt8fInUrl() throws IOException {
String url = "http://direct.infohound.net/tools/test\uD83D\uDCA9.html";
String urlEscaped = "http://direct.infohound.net/tools/test%F0%9F%92%A9.html";
Connection.Response res = Jsoup.connect(url).execute();
Document doc = res.parse();
assertEquals("\uD83D\uDCA9!", doc.body().text());
assertEquals(urlEscaped, doc.location());
}
@Test
public void inWildUtfRedirect() throws IOException {
Connection.Response res = Jsoup.connect("http://brabantn.ws/Q4F").execute();
Document doc = res.parse();
assertEquals(
"http://www.omroepbrabant.nl/?news/2474781303/Gestrande+ree+in+Oss+niet+verdoofd,+maar+doodgeschoten+%E2%80%98Dit+kan+gewoon+niet,+bizar%E2%80%99+[VIDEO].aspx",
doc.location()
);
}
@Test
public void inWildUtfRedirect2() throws IOException {
Connection.Response res = Jsoup.connect("https://ssl.souq.com/sa-en/2724288604627/s").execute();
Document doc = res.parse();
assertEquals(
"https://saudi.souq.com/sa-en/%D8%AE%D8%B2%D9%86%D8%A9-%D8%A2%D9%85%D9%86%D8%A9-3-%D8%B7%D8%A8%D9%82%D8%A7%D8%AA-%D8%A8%D9%86%D8%B8%D8%A7%D9%85-%D9%82%D9%81%D9%84-%D8%A5%D9%84%D9%83%D8%AA%D8%B1%D9%88%D9%86%D9%8A-bsd11523-6831477/i/?ctype=dsrch",
doc.location()
);
}
@Test public void handlesEscapedRedirectUrls() throws IOException {
String url = "http://www.altalex.com/documents/news/2016/12/06/questioni-civilistiche-conseguenti-alla-depenalizzazione";
// sends: Location:http://shop.wki.it/shared/sso/sso.aspx?sso=&url=http%3a%2f%2fwww.altalex.com%2fsession%2fset%2f%3freturnurl%3dhttp%253a%252f%252fwww.altalex.com%253a80%252fdocuments%252fnews%252f2016%252f12%252f06%252fquestioni-civilistiche-conseguenti-alla-depenalizzazione
// then to: http://www.altalex.com/session/set/?returnurl=http%3a%2f%2fwww.altalex.com%3a80%2fdocuments%2fnews%2f2016%2f12%2f06%2fquestioni-civilistiche-conseguenti-alla-depenalizzazione&sso=RDRG6T684G4AK2E7U591UGR923
// then : http://www.altalex.com:80/documents/news/2016/12/06/questioni-civilistiche-conseguenti-alla-depenalizzazione
// bug is that jsoup goes to
// GET /shared/sso/sso.aspx?sso=&url=http%253a%252f%252fwww.altalex.com%252fsession%252fset%252f%253freturnurl%253dhttp%25253a%25252f%25252fwww.altalex.com%25253a80%25252fdocuments%25252fnews%25252f2016%25252f12%25252f06%25252fquestioni-civilistiche-conseguenti-alla-depenalizzazione HTTP/1.1
// i.e. double escaped
Connection.Response res = Jsoup.connect(url)
.proxy("localhost", 8888)
.execute();
Document doc = res.parse();
assertEquals(200, res.statusCode());
}
@Test public void handlesUnicodeInQuery() throws IOException {
Document doc = Jsoup.connect("https://www.google.pl/search?q=gąska").get();
assertEquals("gąska - Szukaj w Google", doc.title());
doc = Jsoup.connect("http://mov-world.net/archiv/TV/A/%23No.Title/").get();
assertEquals("Index of /archiv/TV/A/%23No.Title", doc.title());
}
@Test public void handlesSuperDeepPage() throws IOException {
// https://github.com/jhy/jsoup/issues/955
long start = System.currentTimeMillis();
String url = "http://sv.stargate.wikia.com/wiki/M2J";
Document doc = Jsoup.connect(url).get();
assertEquals("M2J | Sv.stargate Wiki | FANDOM powered by Wikia", doc.title());
assertEquals(110160, doc.select("dd").size());
// those are all <dl><dd> stacked in each other. wonder how that got generated?
assertTrue(System.currentTimeMillis() - start < 1000);
}
@Test public void handles966() throws IOException {
// http://szshb.nxszs.gov.cn/
// https://github.com/jhy/jsoup/issues/966
Document doc = Jsoup.connect("http://szshb.nxszs.gov.cn/").get();
assertEquals("石嘴山市环境保护局", doc.title());
}
}
|
211975_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.bericht.model.lo3;
import static org.junit.Assert.assertEquals;
import static org.junit.Assert.assertNotNull;
import static org.junit.Assert.assertNull;
import com.google.common.collect.ImmutableMap;
import java.util.Arrays;
import java.util.List;
import java.util.stream.Collectors;
import nl.bzk.migratiebrp.bericht.model.BerichtSyntaxException;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.Lo3PersoonslijstParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Persoonslijst;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3ElementEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.syntax.Lo3CategorieWaarde;
import org.junit.Test;
public class Lo3InhoudTest {
/* Lg01 bericht waarbij geslachtsnaam (02.40) wel voorkomt in cat01 maar met berichtlengte 0. Dus een lege string. */
private static final String LO3_PL =
"00692011590110010817238743501200092995889450210004Mart024000003100081990010103200040599033000460300410001M6110001E811"
+ "0004059981200071 A91028510008199001018610008199001020217201100101928293895012000999"
+ "11223340210006Jannie0240004Smit031000819690101032"
+ "00041901033000460300410001M6210008199001018110004059981200071 A91028510008199001018"
+ "61000819900102031750110010172625463201200093827261340210008Mitchell0240005Vries0310"
+ "0081970010103200041900033000460300410001M6210008199001018110004059981200071 A910285"
+ "10008199001018610008199001020705568100081990010170100010801000118020017000000000000"
+ "0000008106091000405990920008199001011010001W102000405991030008199001011110001.72100"
+ "01G851000819900101861000819900102";
@Test
public void testVolgordeElementen() {
assertEquals("0110012011201160",
Lo3Inhoud.converteerNaarLo3Inhoud(
Arrays.asList(
new Lo3CategorieWaarde(Lo3CategorieEnum.CATEGORIE_01, -1, -1,
ImmutableMap.of(Lo3ElementEnum.ELEMENT_0120, "1234567890", Lo3ElementEnum.ELEMENT_0110, "1234567891")),
new Lo3CategorieWaarde(Lo3CategorieEnum.CATEGORIE_08, -1, -1,
ImmutableMap.of(Lo3ElementEnum.ELEMENT_1160, "1234AA", Lo3ElementEnum.ELEMENT_1120, "3"))
)
).stream().map(Lo3InhoudCategorie::getElementen).flatMap(List::stream).map(Lo3InhoudElement::getElement).collect(Collectors.joining()));
}
/**
* Test dat een lg01 bericht met daarin een element met veldlengte 0 resulteert in het ontbreken van het element als
* resultaat van de {Lo3PersoonslijstParser}. Het resultaat van de
* {@link nl.bzk.migratiebrp.bericht.model.lo3.Lo3Inhoud#parseInhoud(String)} dient een lege string terug te geven
* aangezien dat gegeven nodig is voor zoekcriteria (bij bijvoorbeeld het plaatsen van afnemersindicaties).
*/
@Test
public void testLeegElement() throws BerichtSyntaxException {
final List<Lo3CategorieWaarde> lo3Pl = Lo3Inhoud.parseInhoud(LO3_PL);
assertNotNull(lo3Pl);
final Lo3CategorieWaarde cat1 = leesCategorie1(lo3Pl, Lo3CategorieEnum.CATEGORIE_01);
assertNotNull(cat1);
final String geslachtsnaam1 = cat1.getElementen().get(Lo3ElementEnum.ELEMENT_0240);
assertEquals("", geslachtsnaam1);
final Lo3CategorieWaarde cat2 = leesCategorie1(lo3Pl, Lo3CategorieEnum.CATEGORIE_02);
assertNotNull(cat2);
final String geslachtsnaam2 = cat2.getElementen().get(Lo3ElementEnum.ELEMENT_0240);
assertNotNull(geslachtsnaam2);
final Lo3Persoonslijst lo3Persoonlijst = new Lo3PersoonslijstParser().parse(lo3Pl);
assertNull(lo3Persoonlijst.getPersoonStapel().getLo3ActueelVoorkomen().getInhoud().getGeslachtsnaam());
}
/**
* Test dat een lg01 bericht met daarin een categorie met een verkeerde veldlengte resulteert in een
* BerichtSyntaxException. In dit geval: voornaam 'Jeroen' is 6 karakters lang, terwijl er een veldlengte van 8
* karakters is gespecificeerd.
*/
@Test(expected = BerichtSyntaxException.class)
public void testOngeldigeCategorieVeldLengte() throws BerichtSyntaxException {
final String
lg =
"00911011780110010531964598501200098200647130210008Jeroen0240006Kooper03100081966082103200040014033000460300410001M6110001V821000405188220008199409308230003PKA851000819920808861000819940930021550210011Greet Marga0240005Olijk03100081942083103200040013033000460300410001V621000819660821821000405188220008199409308230002PK851000819660821861000819940930031500210005Klaas0240006Kooper03100081938111803200040013033000460300410001M621000819660821821000405188220008199409308230002PK85100081966082186100081994093004086051000400016310003001821000405188220008199409308230002PK851000819660821861000819940930070776810008199409306910004051870100010801000400038020017201207011435010008710001P08235091000406260920008199806221010001W1030008199806221110010S vd Oyeln1115038Baron Schimmelpenninck van der Oyelaan11200021611600062252EB1170011Voorschoten11800160626010010016001119001606262000100160017210001T851000820110316861000820110317";
Lo3Inhoud.parseInhoud(lg);
}
private Lo3CategorieWaarde leesCategorie1(final List<Lo3CategorieWaarde> lo3Pl, final Lo3CategorieEnum lo3CategorieEnum) {
Lo3CategorieWaarde result = null;
for (final Lo3CategorieWaarde lo3Categorie : lo3Pl) {
if (lo3Categorie.getCategorie().equals(lo3CategorieEnum)) {
result = lo3Categorie;
break;
}
}
return result;
}
}
| EdwinSmink/OperatieBRP | 02 Software/01 Broncode/operatiebrp-code-145.3/migratie/migr-bericht-model/src/test/java/nl/bzk/migratiebrp/bericht/model/lo3/Lo3InhoudTest.java | 2,867 | /* Lg01 bericht waarbij geslachtsnaam (02.40) wel voorkomt in cat01 maar met berichtlengte 0. Dus een lege string. */ | 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.lo3;
import static org.junit.Assert.assertEquals;
import static org.junit.Assert.assertNotNull;
import static org.junit.Assert.assertNull;
import com.google.common.collect.ImmutableMap;
import java.util.Arrays;
import java.util.List;
import java.util.stream.Collectors;
import nl.bzk.migratiebrp.bericht.model.BerichtSyntaxException;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.Lo3PersoonslijstParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Persoonslijst;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3ElementEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.syntax.Lo3CategorieWaarde;
import org.junit.Test;
public class Lo3InhoudTest {
/* Lg01 bericht waarbij<SUF>*/
private static final String LO3_PL =
"00692011590110010817238743501200092995889450210004Mart024000003100081990010103200040599033000460300410001M6110001E811"
+ "0004059981200071 A91028510008199001018610008199001020217201100101928293895012000999"
+ "11223340210006Jannie0240004Smit031000819690101032"
+ "00041901033000460300410001M6210008199001018110004059981200071 A91028510008199001018"
+ "61000819900102031750110010172625463201200093827261340210008Mitchell0240005Vries0310"
+ "0081970010103200041900033000460300410001M6210008199001018110004059981200071 A910285"
+ "10008199001018610008199001020705568100081990010170100010801000118020017000000000000"
+ "0000008106091000405990920008199001011010001W102000405991030008199001011110001.72100"
+ "01G851000819900101861000819900102";
@Test
public void testVolgordeElementen() {
assertEquals("0110012011201160",
Lo3Inhoud.converteerNaarLo3Inhoud(
Arrays.asList(
new Lo3CategorieWaarde(Lo3CategorieEnum.CATEGORIE_01, -1, -1,
ImmutableMap.of(Lo3ElementEnum.ELEMENT_0120, "1234567890", Lo3ElementEnum.ELEMENT_0110, "1234567891")),
new Lo3CategorieWaarde(Lo3CategorieEnum.CATEGORIE_08, -1, -1,
ImmutableMap.of(Lo3ElementEnum.ELEMENT_1160, "1234AA", Lo3ElementEnum.ELEMENT_1120, "3"))
)
).stream().map(Lo3InhoudCategorie::getElementen).flatMap(List::stream).map(Lo3InhoudElement::getElement).collect(Collectors.joining()));
}
/**
* Test dat een lg01 bericht met daarin een element met veldlengte 0 resulteert in het ontbreken van het element als
* resultaat van de {Lo3PersoonslijstParser}. Het resultaat van de
* {@link nl.bzk.migratiebrp.bericht.model.lo3.Lo3Inhoud#parseInhoud(String)} dient een lege string terug te geven
* aangezien dat gegeven nodig is voor zoekcriteria (bij bijvoorbeeld het plaatsen van afnemersindicaties).
*/
@Test
public void testLeegElement() throws BerichtSyntaxException {
final List<Lo3CategorieWaarde> lo3Pl = Lo3Inhoud.parseInhoud(LO3_PL);
assertNotNull(lo3Pl);
final Lo3CategorieWaarde cat1 = leesCategorie1(lo3Pl, Lo3CategorieEnum.CATEGORIE_01);
assertNotNull(cat1);
final String geslachtsnaam1 = cat1.getElementen().get(Lo3ElementEnum.ELEMENT_0240);
assertEquals("", geslachtsnaam1);
final Lo3CategorieWaarde cat2 = leesCategorie1(lo3Pl, Lo3CategorieEnum.CATEGORIE_02);
assertNotNull(cat2);
final String geslachtsnaam2 = cat2.getElementen().get(Lo3ElementEnum.ELEMENT_0240);
assertNotNull(geslachtsnaam2);
final Lo3Persoonslijst lo3Persoonlijst = new Lo3PersoonslijstParser().parse(lo3Pl);
assertNull(lo3Persoonlijst.getPersoonStapel().getLo3ActueelVoorkomen().getInhoud().getGeslachtsnaam());
}
/**
* Test dat een lg01 bericht met daarin een categorie met een verkeerde veldlengte resulteert in een
* BerichtSyntaxException. In dit geval: voornaam 'Jeroen' is 6 karakters lang, terwijl er een veldlengte van 8
* karakters is gespecificeerd.
*/
@Test(expected = BerichtSyntaxException.class)
public void testOngeldigeCategorieVeldLengte() throws BerichtSyntaxException {
final String
lg =
"00911011780110010531964598501200098200647130210008Jeroen0240006Kooper03100081966082103200040014033000460300410001M6110001V821000405188220008199409308230003PKA851000819920808861000819940930021550210011Greet Marga0240005Olijk03100081942083103200040013033000460300410001V621000819660821821000405188220008199409308230002PK851000819660821861000819940930031500210005Klaas0240006Kooper03100081938111803200040013033000460300410001M621000819660821821000405188220008199409308230002PK85100081966082186100081994093004086051000400016310003001821000405188220008199409308230002PK851000819660821861000819940930070776810008199409306910004051870100010801000400038020017201207011435010008710001P08235091000406260920008199806221010001W1030008199806221110010S vd Oyeln1115038Baron Schimmelpenninck van der Oyelaan11200021611600062252EB1170011Voorschoten11800160626010010016001119001606262000100160017210001T851000820110316861000820110317";
Lo3Inhoud.parseInhoud(lg);
}
private Lo3CategorieWaarde leesCategorie1(final List<Lo3CategorieWaarde> lo3Pl, final Lo3CategorieEnum lo3CategorieEnum) {
Lo3CategorieWaarde result = null;
for (final Lo3CategorieWaarde lo3Categorie : lo3Pl) {
if (lo3Categorie.getCategorie().equals(lo3CategorieEnum)) {
result = lo3Categorie;
break;
}
}
return result;
}
}
|
211975_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.bericht.model.lo3;
import static org.junit.Assert.assertEquals;
import static org.junit.Assert.assertNotNull;
import static org.junit.Assert.assertNull;
import com.google.common.collect.ImmutableMap;
import java.util.Arrays;
import java.util.List;
import java.util.stream.Collectors;
import nl.bzk.migratiebrp.bericht.model.BerichtSyntaxException;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.Lo3PersoonslijstParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Persoonslijst;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3ElementEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.syntax.Lo3CategorieWaarde;
import org.junit.Test;
public class Lo3InhoudTest {
/* Lg01 bericht waarbij geslachtsnaam (02.40) wel voorkomt in cat01 maar met berichtlengte 0. Dus een lege string. */
private static final String LO3_PL =
"00692011590110010817238743501200092995889450210004Mart024000003100081990010103200040599033000460300410001M6110001E811"
+ "0004059981200071 A91028510008199001018610008199001020217201100101928293895012000999"
+ "11223340210006Jannie0240004Smit031000819690101032"
+ "00041901033000460300410001M6210008199001018110004059981200071 A91028510008199001018"
+ "61000819900102031750110010172625463201200093827261340210008Mitchell0240005Vries0310"
+ "0081970010103200041900033000460300410001M6210008199001018110004059981200071 A910285"
+ "10008199001018610008199001020705568100081990010170100010801000118020017000000000000"
+ "0000008106091000405990920008199001011010001W102000405991030008199001011110001.72100"
+ "01G851000819900101861000819900102";
@Test
public void testVolgordeElementen() {
assertEquals("0110012011201160",
Lo3Inhoud.converteerNaarLo3Inhoud(
Arrays.asList(
new Lo3CategorieWaarde(Lo3CategorieEnum.CATEGORIE_01, -1, -1,
ImmutableMap.of(Lo3ElementEnum.ELEMENT_0120, "1234567890", Lo3ElementEnum.ELEMENT_0110, "1234567891")),
new Lo3CategorieWaarde(Lo3CategorieEnum.CATEGORIE_08, -1, -1,
ImmutableMap.of(Lo3ElementEnum.ELEMENT_1160, "1234AA", Lo3ElementEnum.ELEMENT_1120, "3"))
)
).stream().map(Lo3InhoudCategorie::getElementen).flatMap(List::stream).map(Lo3InhoudElement::getElement).collect(Collectors.joining()));
}
/**
* Test dat een lg01 bericht met daarin een element met veldlengte 0 resulteert in het ontbreken van het element als
* resultaat van de {Lo3PersoonslijstParser}. Het resultaat van de
* {@link nl.bzk.migratiebrp.bericht.model.lo3.Lo3Inhoud#parseInhoud(String)} dient een lege string terug te geven
* aangezien dat gegeven nodig is voor zoekcriteria (bij bijvoorbeeld het plaatsen van afnemersindicaties).
*/
@Test
public void testLeegElement() throws BerichtSyntaxException {
final List<Lo3CategorieWaarde> lo3Pl = Lo3Inhoud.parseInhoud(LO3_PL);
assertNotNull(lo3Pl);
final Lo3CategorieWaarde cat1 = leesCategorie1(lo3Pl, Lo3CategorieEnum.CATEGORIE_01);
assertNotNull(cat1);
final String geslachtsnaam1 = cat1.getElementen().get(Lo3ElementEnum.ELEMENT_0240);
assertEquals("", geslachtsnaam1);
final Lo3CategorieWaarde cat2 = leesCategorie1(lo3Pl, Lo3CategorieEnum.CATEGORIE_02);
assertNotNull(cat2);
final String geslachtsnaam2 = cat2.getElementen().get(Lo3ElementEnum.ELEMENT_0240);
assertNotNull(geslachtsnaam2);
final Lo3Persoonslijst lo3Persoonlijst = new Lo3PersoonslijstParser().parse(lo3Pl);
assertNull(lo3Persoonlijst.getPersoonStapel().getLo3ActueelVoorkomen().getInhoud().getGeslachtsnaam());
}
/**
* Test dat een lg01 bericht met daarin een categorie met een verkeerde veldlengte resulteert in een
* BerichtSyntaxException. In dit geval: voornaam 'Jeroen' is 6 karakters lang, terwijl er een veldlengte van 8
* karakters is gespecificeerd.
*/
@Test(expected = BerichtSyntaxException.class)
public void testOngeldigeCategorieVeldLengte() throws BerichtSyntaxException {
final String
lg =
"00911011780110010531964598501200098200647130210008Jeroen0240006Kooper03100081966082103200040014033000460300410001M6110001V821000405188220008199409308230003PKA851000819920808861000819940930021550210011Greet Marga0240005Olijk03100081942083103200040013033000460300410001V621000819660821821000405188220008199409308230002PK851000819660821861000819940930031500210005Klaas0240006Kooper03100081938111803200040013033000460300410001M621000819660821821000405188220008199409308230002PK85100081966082186100081994093004086051000400016310003001821000405188220008199409308230002PK851000819660821861000819940930070776810008199409306910004051870100010801000400038020017201207011435010008710001P08235091000406260920008199806221010001W1030008199806221110010S vd Oyeln1115038Baron Schimmelpenninck van der Oyelaan11200021611600062252EB1170011Voorschoten11800160626010010016001119001606262000100160017210001T851000820110316861000820110317";
Lo3Inhoud.parseInhoud(lg);
}
private Lo3CategorieWaarde leesCategorie1(final List<Lo3CategorieWaarde> lo3Pl, final Lo3CategorieEnum lo3CategorieEnum) {
Lo3CategorieWaarde result = null;
for (final Lo3CategorieWaarde lo3Categorie : lo3Pl) {
if (lo3Categorie.getCategorie().equals(lo3CategorieEnum)) {
result = lo3Categorie;
break;
}
}
return result;
}
}
| EdwinSmink/OperatieBRP | 02 Software/01 Broncode/operatiebrp-code-145.3/migratie/migr-bericht-model/src/test/java/nl/bzk/migratiebrp/bericht/model/lo3/Lo3InhoudTest.java | 2,867 | /**
* Test dat een lg01 bericht met daarin een element met veldlengte 0 resulteert in het ontbreken van het element als
* resultaat van de {Lo3PersoonslijstParser}. Het resultaat van de
* {@link nl.bzk.migratiebrp.bericht.model.lo3.Lo3Inhoud#parseInhoud(String)} dient een lege string terug te geven
* aangezien dat gegeven nodig is voor zoekcriteria (bij bijvoorbeeld het plaatsen van afnemersindicaties).
*/ | 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.lo3;
import static org.junit.Assert.assertEquals;
import static org.junit.Assert.assertNotNull;
import static org.junit.Assert.assertNull;
import com.google.common.collect.ImmutableMap;
import java.util.Arrays;
import java.util.List;
import java.util.stream.Collectors;
import nl.bzk.migratiebrp.bericht.model.BerichtSyntaxException;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.Lo3PersoonslijstParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Persoonslijst;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3ElementEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.syntax.Lo3CategorieWaarde;
import org.junit.Test;
public class Lo3InhoudTest {
/* Lg01 bericht waarbij geslachtsnaam (02.40) wel voorkomt in cat01 maar met berichtlengte 0. Dus een lege string. */
private static final String LO3_PL =
"00692011590110010817238743501200092995889450210004Mart024000003100081990010103200040599033000460300410001M6110001E811"
+ "0004059981200071 A91028510008199001018610008199001020217201100101928293895012000999"
+ "11223340210006Jannie0240004Smit031000819690101032"
+ "00041901033000460300410001M6210008199001018110004059981200071 A91028510008199001018"
+ "61000819900102031750110010172625463201200093827261340210008Mitchell0240005Vries0310"
+ "0081970010103200041900033000460300410001M6210008199001018110004059981200071 A910285"
+ "10008199001018610008199001020705568100081990010170100010801000118020017000000000000"
+ "0000008106091000405990920008199001011010001W102000405991030008199001011110001.72100"
+ "01G851000819900101861000819900102";
@Test
public void testVolgordeElementen() {
assertEquals("0110012011201160",
Lo3Inhoud.converteerNaarLo3Inhoud(
Arrays.asList(
new Lo3CategorieWaarde(Lo3CategorieEnum.CATEGORIE_01, -1, -1,
ImmutableMap.of(Lo3ElementEnum.ELEMENT_0120, "1234567890", Lo3ElementEnum.ELEMENT_0110, "1234567891")),
new Lo3CategorieWaarde(Lo3CategorieEnum.CATEGORIE_08, -1, -1,
ImmutableMap.of(Lo3ElementEnum.ELEMENT_1160, "1234AA", Lo3ElementEnum.ELEMENT_1120, "3"))
)
).stream().map(Lo3InhoudCategorie::getElementen).flatMap(List::stream).map(Lo3InhoudElement::getElement).collect(Collectors.joining()));
}
/**
* Test dat een<SUF>*/
@Test
public void testLeegElement() throws BerichtSyntaxException {
final List<Lo3CategorieWaarde> lo3Pl = Lo3Inhoud.parseInhoud(LO3_PL);
assertNotNull(lo3Pl);
final Lo3CategorieWaarde cat1 = leesCategorie1(lo3Pl, Lo3CategorieEnum.CATEGORIE_01);
assertNotNull(cat1);
final String geslachtsnaam1 = cat1.getElementen().get(Lo3ElementEnum.ELEMENT_0240);
assertEquals("", geslachtsnaam1);
final Lo3CategorieWaarde cat2 = leesCategorie1(lo3Pl, Lo3CategorieEnum.CATEGORIE_02);
assertNotNull(cat2);
final String geslachtsnaam2 = cat2.getElementen().get(Lo3ElementEnum.ELEMENT_0240);
assertNotNull(geslachtsnaam2);
final Lo3Persoonslijst lo3Persoonlijst = new Lo3PersoonslijstParser().parse(lo3Pl);
assertNull(lo3Persoonlijst.getPersoonStapel().getLo3ActueelVoorkomen().getInhoud().getGeslachtsnaam());
}
/**
* Test dat een lg01 bericht met daarin een categorie met een verkeerde veldlengte resulteert in een
* BerichtSyntaxException. In dit geval: voornaam 'Jeroen' is 6 karakters lang, terwijl er een veldlengte van 8
* karakters is gespecificeerd.
*/
@Test(expected = BerichtSyntaxException.class)
public void testOngeldigeCategorieVeldLengte() throws BerichtSyntaxException {
final String
lg =
"00911011780110010531964598501200098200647130210008Jeroen0240006Kooper03100081966082103200040014033000460300410001M6110001V821000405188220008199409308230003PKA851000819920808861000819940930021550210011Greet Marga0240005Olijk03100081942083103200040013033000460300410001V621000819660821821000405188220008199409308230002PK851000819660821861000819940930031500210005Klaas0240006Kooper03100081938111803200040013033000460300410001M621000819660821821000405188220008199409308230002PK85100081966082186100081994093004086051000400016310003001821000405188220008199409308230002PK851000819660821861000819940930070776810008199409306910004051870100010801000400038020017201207011435010008710001P08235091000406260920008199806221010001W1030008199806221110010S vd Oyeln1115038Baron Schimmelpenninck van der Oyelaan11200021611600062252EB1170011Voorschoten11800160626010010016001119001606262000100160017210001T851000820110316861000820110317";
Lo3Inhoud.parseInhoud(lg);
}
private Lo3CategorieWaarde leesCategorie1(final List<Lo3CategorieWaarde> lo3Pl, final Lo3CategorieEnum lo3CategorieEnum) {
Lo3CategorieWaarde result = null;
for (final Lo3CategorieWaarde lo3Categorie : lo3Pl) {
if (lo3Categorie.getCategorie().equals(lo3CategorieEnum)) {
result = lo3Categorie;
break;
}
}
return result;
}
}
|
211975_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.lo3;
import static org.junit.Assert.assertEquals;
import static org.junit.Assert.assertNotNull;
import static org.junit.Assert.assertNull;
import com.google.common.collect.ImmutableMap;
import java.util.Arrays;
import java.util.List;
import java.util.stream.Collectors;
import nl.bzk.migratiebrp.bericht.model.BerichtSyntaxException;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.Lo3PersoonslijstParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Persoonslijst;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3ElementEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.syntax.Lo3CategorieWaarde;
import org.junit.Test;
public class Lo3InhoudTest {
/* Lg01 bericht waarbij geslachtsnaam (02.40) wel voorkomt in cat01 maar met berichtlengte 0. Dus een lege string. */
private static final String LO3_PL =
"00692011590110010817238743501200092995889450210004Mart024000003100081990010103200040599033000460300410001M6110001E811"
+ "0004059981200071 A91028510008199001018610008199001020217201100101928293895012000999"
+ "11223340210006Jannie0240004Smit031000819690101032"
+ "00041901033000460300410001M6210008199001018110004059981200071 A91028510008199001018"
+ "61000819900102031750110010172625463201200093827261340210008Mitchell0240005Vries0310"
+ "0081970010103200041900033000460300410001M6210008199001018110004059981200071 A910285"
+ "10008199001018610008199001020705568100081990010170100010801000118020017000000000000"
+ "0000008106091000405990920008199001011010001W102000405991030008199001011110001.72100"
+ "01G851000819900101861000819900102";
@Test
public void testVolgordeElementen() {
assertEquals("0110012011201160",
Lo3Inhoud.converteerNaarLo3Inhoud(
Arrays.asList(
new Lo3CategorieWaarde(Lo3CategorieEnum.CATEGORIE_01, -1, -1,
ImmutableMap.of(Lo3ElementEnum.ELEMENT_0120, "1234567890", Lo3ElementEnum.ELEMENT_0110, "1234567891")),
new Lo3CategorieWaarde(Lo3CategorieEnum.CATEGORIE_08, -1, -1,
ImmutableMap.of(Lo3ElementEnum.ELEMENT_1160, "1234AA", Lo3ElementEnum.ELEMENT_1120, "3"))
)
).stream().map(Lo3InhoudCategorie::getElementen).flatMap(List::stream).map(Lo3InhoudElement::getElement).collect(Collectors.joining()));
}
/**
* Test dat een lg01 bericht met daarin een element met veldlengte 0 resulteert in het ontbreken van het element als
* resultaat van de {Lo3PersoonslijstParser}. Het resultaat van de
* {@link nl.bzk.migratiebrp.bericht.model.lo3.Lo3Inhoud#parseInhoud(String)} dient een lege string terug te geven
* aangezien dat gegeven nodig is voor zoekcriteria (bij bijvoorbeeld het plaatsen van afnemersindicaties).
*/
@Test
public void testLeegElement() throws BerichtSyntaxException {
final List<Lo3CategorieWaarde> lo3Pl = Lo3Inhoud.parseInhoud(LO3_PL);
assertNotNull(lo3Pl);
final Lo3CategorieWaarde cat1 = leesCategorie1(lo3Pl, Lo3CategorieEnum.CATEGORIE_01);
assertNotNull(cat1);
final String geslachtsnaam1 = cat1.getElementen().get(Lo3ElementEnum.ELEMENT_0240);
assertEquals("", geslachtsnaam1);
final Lo3CategorieWaarde cat2 = leesCategorie1(lo3Pl, Lo3CategorieEnum.CATEGORIE_02);
assertNotNull(cat2);
final String geslachtsnaam2 = cat2.getElementen().get(Lo3ElementEnum.ELEMENT_0240);
assertNotNull(geslachtsnaam2);
final Lo3Persoonslijst lo3Persoonlijst = new Lo3PersoonslijstParser().parse(lo3Pl);
assertNull(lo3Persoonlijst.getPersoonStapel().getLo3ActueelVoorkomen().getInhoud().getGeslachtsnaam());
}
/**
* Test dat een lg01 bericht met daarin een categorie met een verkeerde veldlengte resulteert in een
* BerichtSyntaxException. In dit geval: voornaam 'Jeroen' is 6 karakters lang, terwijl er een veldlengte van 8
* karakters is gespecificeerd.
*/
@Test(expected = BerichtSyntaxException.class)
public void testOngeldigeCategorieVeldLengte() throws BerichtSyntaxException {
final String
lg =
"00911011780110010531964598501200098200647130210008Jeroen0240006Kooper03100081966082103200040014033000460300410001M6110001V821000405188220008199409308230003PKA851000819920808861000819940930021550210011Greet Marga0240005Olijk03100081942083103200040013033000460300410001V621000819660821821000405188220008199409308230002PK851000819660821861000819940930031500210005Klaas0240006Kooper03100081938111803200040013033000460300410001M621000819660821821000405188220008199409308230002PK85100081966082186100081994093004086051000400016310003001821000405188220008199409308230002PK851000819660821861000819940930070776810008199409306910004051870100010801000400038020017201207011435010008710001P08235091000406260920008199806221010001W1030008199806221110010S vd Oyeln1115038Baron Schimmelpenninck van der Oyelaan11200021611600062252EB1170011Voorschoten11800160626010010016001119001606262000100160017210001T851000820110316861000820110317";
Lo3Inhoud.parseInhoud(lg);
}
private Lo3CategorieWaarde leesCategorie1(final List<Lo3CategorieWaarde> lo3Pl, final Lo3CategorieEnum lo3CategorieEnum) {
Lo3CategorieWaarde result = null;
for (final Lo3CategorieWaarde lo3Categorie : lo3Pl) {
if (lo3Categorie.getCategorie().equals(lo3CategorieEnum)) {
result = lo3Categorie;
break;
}
}
return result;
}
}
| EdwinSmink/OperatieBRP | 02 Software/01 Broncode/operatiebrp-code-145.3/migratie/migr-bericht-model/src/test/java/nl/bzk/migratiebrp/bericht/model/lo3/Lo3InhoudTest.java | 2,867 | /**
* Test dat een lg01 bericht met daarin een categorie met een verkeerde veldlengte resulteert in een
* BerichtSyntaxException. In dit geval: voornaam 'Jeroen' is 6 karakters lang, terwijl er een veldlengte van 8
* karakters is gespecificeerd.
*/ | 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.lo3;
import static org.junit.Assert.assertEquals;
import static org.junit.Assert.assertNotNull;
import static org.junit.Assert.assertNull;
import com.google.common.collect.ImmutableMap;
import java.util.Arrays;
import java.util.List;
import java.util.stream.Collectors;
import nl.bzk.migratiebrp.bericht.model.BerichtSyntaxException;
import nl.bzk.migratiebrp.bericht.model.lo3.parser.Lo3PersoonslijstParser;
import nl.bzk.migratiebrp.conversie.model.lo3.Lo3Persoonslijst;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3CategorieEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.herkomst.Lo3ElementEnum;
import nl.bzk.migratiebrp.conversie.model.lo3.syntax.Lo3CategorieWaarde;
import org.junit.Test;
public class Lo3InhoudTest {
/* Lg01 bericht waarbij geslachtsnaam (02.40) wel voorkomt in cat01 maar met berichtlengte 0. Dus een lege string. */
private static final String LO3_PL =
"00692011590110010817238743501200092995889450210004Mart024000003100081990010103200040599033000460300410001M6110001E811"
+ "0004059981200071 A91028510008199001018610008199001020217201100101928293895012000999"
+ "11223340210006Jannie0240004Smit031000819690101032"
+ "00041901033000460300410001M6210008199001018110004059981200071 A91028510008199001018"
+ "61000819900102031750110010172625463201200093827261340210008Mitchell0240005Vries0310"
+ "0081970010103200041900033000460300410001M6210008199001018110004059981200071 A910285"
+ "10008199001018610008199001020705568100081990010170100010801000118020017000000000000"
+ "0000008106091000405990920008199001011010001W102000405991030008199001011110001.72100"
+ "01G851000819900101861000819900102";
@Test
public void testVolgordeElementen() {
assertEquals("0110012011201160",
Lo3Inhoud.converteerNaarLo3Inhoud(
Arrays.asList(
new Lo3CategorieWaarde(Lo3CategorieEnum.CATEGORIE_01, -1, -1,
ImmutableMap.of(Lo3ElementEnum.ELEMENT_0120, "1234567890", Lo3ElementEnum.ELEMENT_0110, "1234567891")),
new Lo3CategorieWaarde(Lo3CategorieEnum.CATEGORIE_08, -1, -1,
ImmutableMap.of(Lo3ElementEnum.ELEMENT_1160, "1234AA", Lo3ElementEnum.ELEMENT_1120, "3"))
)
).stream().map(Lo3InhoudCategorie::getElementen).flatMap(List::stream).map(Lo3InhoudElement::getElement).collect(Collectors.joining()));
}
/**
* Test dat een lg01 bericht met daarin een element met veldlengte 0 resulteert in het ontbreken van het element als
* resultaat van de {Lo3PersoonslijstParser}. Het resultaat van de
* {@link nl.bzk.migratiebrp.bericht.model.lo3.Lo3Inhoud#parseInhoud(String)} dient een lege string terug te geven
* aangezien dat gegeven nodig is voor zoekcriteria (bij bijvoorbeeld het plaatsen van afnemersindicaties).
*/
@Test
public void testLeegElement() throws BerichtSyntaxException {
final List<Lo3CategorieWaarde> lo3Pl = Lo3Inhoud.parseInhoud(LO3_PL);
assertNotNull(lo3Pl);
final Lo3CategorieWaarde cat1 = leesCategorie1(lo3Pl, Lo3CategorieEnum.CATEGORIE_01);
assertNotNull(cat1);
final String geslachtsnaam1 = cat1.getElementen().get(Lo3ElementEnum.ELEMENT_0240);
assertEquals("", geslachtsnaam1);
final Lo3CategorieWaarde cat2 = leesCategorie1(lo3Pl, Lo3CategorieEnum.CATEGORIE_02);
assertNotNull(cat2);
final String geslachtsnaam2 = cat2.getElementen().get(Lo3ElementEnum.ELEMENT_0240);
assertNotNull(geslachtsnaam2);
final Lo3Persoonslijst lo3Persoonlijst = new Lo3PersoonslijstParser().parse(lo3Pl);
assertNull(lo3Persoonlijst.getPersoonStapel().getLo3ActueelVoorkomen().getInhoud().getGeslachtsnaam());
}
/**
* Test dat een<SUF>*/
@Test(expected = BerichtSyntaxException.class)
public void testOngeldigeCategorieVeldLengte() throws BerichtSyntaxException {
final String
lg =
"00911011780110010531964598501200098200647130210008Jeroen0240006Kooper03100081966082103200040014033000460300410001M6110001V821000405188220008199409308230003PKA851000819920808861000819940930021550210011Greet Marga0240005Olijk03100081942083103200040013033000460300410001V621000819660821821000405188220008199409308230002PK851000819660821861000819940930031500210005Klaas0240006Kooper03100081938111803200040013033000460300410001M621000819660821821000405188220008199409308230002PK85100081966082186100081994093004086051000400016310003001821000405188220008199409308230002PK851000819660821861000819940930070776810008199409306910004051870100010801000400038020017201207011435010008710001P08235091000406260920008199806221010001W1030008199806221110010S vd Oyeln1115038Baron Schimmelpenninck van der Oyelaan11200021611600062252EB1170011Voorschoten11800160626010010016001119001606262000100160017210001T851000820110316861000820110317";
Lo3Inhoud.parseInhoud(lg);
}
private Lo3CategorieWaarde leesCategorie1(final List<Lo3CategorieWaarde> lo3Pl, final Lo3CategorieEnum lo3CategorieEnum) {
Lo3CategorieWaarde result = null;
for (final Lo3CategorieWaarde lo3Categorie : lo3Pl) {
if (lo3Categorie.getCategorie().equals(lo3CategorieEnum)) {
result = lo3Categorie;
break;
}
}
return result;
}
}
|
212080_1 | package org.tmotte.klonk.config.msg;
import java.io.PrintWriter;
import org.tmotte.klonk.io.KLog;
public class UserNotify {
////////////////////////
// PRIVATE VARIABLES: //
////////////////////////
private KLog klog;
private Setter<String> alerter;
private boolean ensureThreadSafeUI=false;
private Setter<Throwable> allPurposeExceptionHandler=
(Throwable t) ->alert(t);
////////////////////////
// CONSTRUCTION & DI: //
////////////////////////
public UserNotify(java.io.OutputStream out) {
this(new KLog(out));
}
public UserNotify(KLog klog) {
this.klog=klog;
}
public UserNotify setUI(Setter<String> alerter) {
return setUI(alerter, false);
}
public UserNotify setUI(Setter<String> alerter, boolean ensureThreadSafe) {
this.alerter=alerter;
this.ensureThreadSafeUI=ensureThreadSafe;
return this;
}
public Setter<Throwable> getExceptionHandler(){
return allPurposeExceptionHandler;
}
//////////////
// LOGGING: //
//////////////
public void log(String s){
klog.log(s);
}
public void log(Throwable e){
klog.log(e);
}
public void log(Throwable e, String s){
klog.log(e, s);
}
//////////////////
// POPUP-ALERT: //
//////////////////
public void alert(final String s) {
if (alerter==null)
log("UserNotify: alerter is missing, message was: "+s);
else
if (ensureThreadSafeUI)
javax.swing.SwingUtilities.invokeLater(new Runnable() {
public void run() {
alerter.set(s);
}
});
else
alerter.set(s);
}
public void alert(Throwable t, final String s) {
log(t);
alert(s+" (see log for details) "+t);
}
public void alert(Throwable e) {
log(e);
alert("Internal error, see log for details: "+e.getMessage());
}
} | zaboople/klonk | java/org/tmotte/klonk/config/msg/UserNotify.java | 555 | // CONSTRUCTION & DI: // | line_comment | nl | package org.tmotte.klonk.config.msg;
import java.io.PrintWriter;
import org.tmotte.klonk.io.KLog;
public class UserNotify {
////////////////////////
// PRIVATE VARIABLES: //
////////////////////////
private KLog klog;
private Setter<String> alerter;
private boolean ensureThreadSafeUI=false;
private Setter<Throwable> allPurposeExceptionHandler=
(Throwable t) ->alert(t);
////////////////////////
// CONSTRUCTION &<SUF>
////////////////////////
public UserNotify(java.io.OutputStream out) {
this(new KLog(out));
}
public UserNotify(KLog klog) {
this.klog=klog;
}
public UserNotify setUI(Setter<String> alerter) {
return setUI(alerter, false);
}
public UserNotify setUI(Setter<String> alerter, boolean ensureThreadSafe) {
this.alerter=alerter;
this.ensureThreadSafeUI=ensureThreadSafe;
return this;
}
public Setter<Throwable> getExceptionHandler(){
return allPurposeExceptionHandler;
}
//////////////
// LOGGING: //
//////////////
public void log(String s){
klog.log(s);
}
public void log(Throwable e){
klog.log(e);
}
public void log(Throwable e, String s){
klog.log(e, s);
}
//////////////////
// POPUP-ALERT: //
//////////////////
public void alert(final String s) {
if (alerter==null)
log("UserNotify: alerter is missing, message was: "+s);
else
if (ensureThreadSafeUI)
javax.swing.SwingUtilities.invokeLater(new Runnable() {
public void run() {
alerter.set(s);
}
});
else
alerter.set(s);
}
public void alert(Throwable t, final String s) {
log(t);
alert(s+" (see log for details) "+t);
}
public void alert(Throwable e) {
log(e);
alert("Internal error, see log for details: "+e.getMessage());
}
} |
212219_2 | /**********************************************************************
*
* Copyright (c) 2004 Olaf Willuhn
* All rights reserved.
*
* This software is copyrighted work licensed under the terms of the
* Jameica License. Please consult the file "LICENSE" for details.
*
**********************************************************************/
package de.willuhn.jameica.services;
import de.willuhn.boot.BootLoader;
import de.willuhn.boot.Bootable;
import de.willuhn.boot.SkipServiceException;
import de.willuhn.jameica.security.SSLFactory;
/**
* Initialisiert das SSL-Subsystem.
*/
public class SSLService implements Bootable
{
private SSLFactory sslFactory = null;
/**
* @see de.willuhn.boot.Bootable#depends()
*/
public Class[] depends()
{
return new Class[]{LogService.class,
SecurityManagerService.class,
HostnameVerifierService.class
};
}
/**
* @see de.willuhn.boot.Bootable#init(de.willuhn.boot.BootLoader, de.willuhn.boot.Bootable)
*/
public void init(BootLoader loader, Bootable caller) throws SkipServiceException
{
try
{
this.sslFactory = new SSLFactory();
this.sslFactory.init();
}
catch (RuntimeException re)
{
throw re;
}
catch (Exception e)
{
throw new RuntimeException(e);
}
}
/**
* @see de.willuhn.boot.Bootable#shutdown()
*/
public void shutdown()
{
}
/**
* Liefert die Instanz der SSL-Factory.
* @return die SSL-Factory.
*/
public SSLFactory getSSLFactory()
{
return this.sslFactory;
}
}
/**********************************************************************
* $Log: SSLService.java,v $
* Revision 1.3 2011/09/14 11:57:14 willuhn
* @N HostnameVerifier in separate Klasse ausgelagert
* @C Beim Erstellen eines neuen Master-Passwortes dieses sofort ververwenden und nicht nochmal mit getPasswort erfragen
*
* Revision 1.2 2009/06/24 11:24:33 willuhn
* @N Security-Manager via Bootloader setzen
*
* Revision 1.1 2008/02/13 01:04:34 willuhn
* @N Jameica auf neuen Bootloader umgestellt
* @C Markus' Aenderungen RMI-Registrierung uebernommen
*
**********************************************************************/
| willuhn/jameica | src/de/willuhn/jameica/services/SSLService.java | 661 | /**
* @see de.willuhn.boot.Bootable#depends()
*/ | block_comment | nl | /**********************************************************************
*
* Copyright (c) 2004 Olaf Willuhn
* All rights reserved.
*
* This software is copyrighted work licensed under the terms of the
* Jameica License. Please consult the file "LICENSE" for details.
*
**********************************************************************/
package de.willuhn.jameica.services;
import de.willuhn.boot.BootLoader;
import de.willuhn.boot.Bootable;
import de.willuhn.boot.SkipServiceException;
import de.willuhn.jameica.security.SSLFactory;
/**
* Initialisiert das SSL-Subsystem.
*/
public class SSLService implements Bootable
{
private SSLFactory sslFactory = null;
/**
* @see de.willuhn.boot.Bootable#depends()
<SUF>*/
public Class[] depends()
{
return new Class[]{LogService.class,
SecurityManagerService.class,
HostnameVerifierService.class
};
}
/**
* @see de.willuhn.boot.Bootable#init(de.willuhn.boot.BootLoader, de.willuhn.boot.Bootable)
*/
public void init(BootLoader loader, Bootable caller) throws SkipServiceException
{
try
{
this.sslFactory = new SSLFactory();
this.sslFactory.init();
}
catch (RuntimeException re)
{
throw re;
}
catch (Exception e)
{
throw new RuntimeException(e);
}
}
/**
* @see de.willuhn.boot.Bootable#shutdown()
*/
public void shutdown()
{
}
/**
* Liefert die Instanz der SSL-Factory.
* @return die SSL-Factory.
*/
public SSLFactory getSSLFactory()
{
return this.sslFactory;
}
}
/**********************************************************************
* $Log: SSLService.java,v $
* Revision 1.3 2011/09/14 11:57:14 willuhn
* @N HostnameVerifier in separate Klasse ausgelagert
* @C Beim Erstellen eines neuen Master-Passwortes dieses sofort ververwenden und nicht nochmal mit getPasswort erfragen
*
* Revision 1.2 2009/06/24 11:24:33 willuhn
* @N Security-Manager via Bootloader setzen
*
* Revision 1.1 2008/02/13 01:04:34 willuhn
* @N Jameica auf neuen Bootloader umgestellt
* @C Markus' Aenderungen RMI-Registrierung uebernommen
*
**********************************************************************/
|
212230_2 | /**********************************************************************
*
* Copyright (c) 2004 Olaf Willuhn
* All rights reserved.
*
* This software is copyrighted work licensed under the terms of the
* Jameica License. Please consult the file "LICENSE" for details.
*
**********************************************************************/
package de.willuhn.jameica.services;
import javax.net.ssl.HostnameVerifier;
import javax.net.ssl.HttpsURLConnection;
import de.willuhn.boot.BootLoader;
import de.willuhn.boot.Bootable;
import de.willuhn.boot.SkipServiceException;
import de.willuhn.jameica.security.JameicaHostnameVerifier;
import de.willuhn.logging.Logger;
/**
* Initialisiert den Hostname-Verifier.
*/
public class HostnameVerifierService implements Bootable
{
/**
* @see de.willuhn.boot.Bootable#depends()
*/
public Class[] depends()
{
return new Class[]{LogService.class, SecurityManagerService.class};
}
/**
* @see de.willuhn.boot.Bootable#init(de.willuhn.boot.BootLoader, de.willuhn.boot.Bootable)
*/
public void init(BootLoader loader, Bootable caller) throws SkipServiceException
{
HostnameVerifier parent = HttpsURLConnection.getDefaultHostnameVerifier();
Logger.info("applying jameica's hostname verifier");
HostnameVerifier verifier = new JameicaHostnameVerifier(parent);
HttpsURLConnection.setDefaultHostnameVerifier(verifier);
}
/**
* @see de.willuhn.boot.Bootable#shutdown()
*/
public void shutdown()
{
}
}
/**********************************************************************
* $Log: HostnameVerifierService.java,v $
* Revision 1.1 2011/09/14 11:57:14 willuhn
* @N HostnameVerifier in separate Klasse ausgelagert
* @C Beim Erstellen eines neuen Master-Passwortes dieses sofort ververwenden und nicht nochmal mit getPasswort erfragen
*
**********************************************************************/ | willuhn/jameica | src/de/willuhn/jameica/services/HostnameVerifierService.java | 508 | /**
* @see de.willuhn.boot.Bootable#depends()
*/ | block_comment | nl | /**********************************************************************
*
* Copyright (c) 2004 Olaf Willuhn
* All rights reserved.
*
* This software is copyrighted work licensed under the terms of the
* Jameica License. Please consult the file "LICENSE" for details.
*
**********************************************************************/
package de.willuhn.jameica.services;
import javax.net.ssl.HostnameVerifier;
import javax.net.ssl.HttpsURLConnection;
import de.willuhn.boot.BootLoader;
import de.willuhn.boot.Bootable;
import de.willuhn.boot.SkipServiceException;
import de.willuhn.jameica.security.JameicaHostnameVerifier;
import de.willuhn.logging.Logger;
/**
* Initialisiert den Hostname-Verifier.
*/
public class HostnameVerifierService implements Bootable
{
/**
* @see de.willuhn.boot.Bootable#depends()
<SUF>*/
public Class[] depends()
{
return new Class[]{LogService.class, SecurityManagerService.class};
}
/**
* @see de.willuhn.boot.Bootable#init(de.willuhn.boot.BootLoader, de.willuhn.boot.Bootable)
*/
public void init(BootLoader loader, Bootable caller) throws SkipServiceException
{
HostnameVerifier parent = HttpsURLConnection.getDefaultHostnameVerifier();
Logger.info("applying jameica's hostname verifier");
HostnameVerifier verifier = new JameicaHostnameVerifier(parent);
HttpsURLConnection.setDefaultHostnameVerifier(verifier);
}
/**
* @see de.willuhn.boot.Bootable#shutdown()
*/
public void shutdown()
{
}
}
/**********************************************************************
* $Log: HostnameVerifierService.java,v $
* Revision 1.1 2011/09/14 11:57:14 willuhn
* @N HostnameVerifier in separate Klasse ausgelagert
* @C Beim Erstellen eines neuen Master-Passwortes dieses sofort ververwenden und nicht nochmal mit getPasswort erfragen
*
**********************************************************************/ |
212255_2 | /**********************************************************************
*
* Copyright (c) 2004 Olaf Willuhn
* All rights reserved.
*
* This software is copyrighted work licensed under the terms of the
* Jameica License. Please consult the file "LICENSE" for details.
*
**********************************************************************/
package de.willuhn.jameica.gui.boxes;
import java.rmi.RemoteException;
import java.util.List;
import org.eclipse.swt.widgets.Composite;
import de.willuhn.boot.BootLoader;
import de.willuhn.jameica.gui.parts.Button;
import de.willuhn.jameica.gui.parts.InfoPanel;
import de.willuhn.jameica.messaging.BootMessage;
import de.willuhn.jameica.messaging.BootMessageConsumer;
import de.willuhn.jameica.messaging.MessagingQueue;
import de.willuhn.jameica.services.BeanService;
import de.willuhn.jameica.system.Application;
/**
* Eine Box, die die System-Meldungen des Starts anzeigt (insofern welche vorliegen).
*/
public class SystemMessages extends AbstractBox
{
/**
* @see de.willuhn.jameica.gui.boxes.Box#getName()
*/
public String getName()
{
return "Jameica: " + Application.getI18n().tr("System-Meldungen");
}
/**
* @see de.willuhn.jameica.gui.boxes.AbstractBox#isActive()
*/
public boolean isActive()
{
return super.isActive() && this.getMessages().size() > 0;
}
/**
* @see de.willuhn.jameica.gui.boxes.AbstractBox#isEnabled()
*/
public boolean isEnabled()
{
return this.getMessages().size() > 0;
}
/**
* Liefert die Liste der Boot-Meldungen.
* @return die Liste der Boot-Meldungen.
*/
private List<BootMessage> getMessages()
{
BootLoader loader = Application.getBootLoader();
// flushen, um sicherzustellen, dass zugestellt wurde
MessagingQueue queue = Application.getMessagingFactory().getMessagingQueue("jameica.boot");
queue.flush();
BeanService service = loader.getBootable(BeanService.class);
BootMessageConsumer consumer = service.get(BootMessageConsumer.class);
return consumer.getMessages();
}
/**
* @see de.willuhn.jameica.gui.boxes.Box#setEnabled(boolean)
*/
public void setEnabled(boolean enabled)
{
// Das darf der User nicht.
}
/**
* @see de.willuhn.jameica.gui.boxes.AbstractBox#getHeight()
*/
public int getHeight()
{
int size = this.getMessages().size();
return 120 * (size == 0 ? 1 : size);
}
/**
* @see de.willuhn.jameica.gui.boxes.Box#getDefaultEnabled()
*/
public boolean getDefaultEnabled()
{
return true;
}
/**
* @see de.willuhn.jameica.gui.boxes.Box#getDefaultIndex()
*/
public int getDefaultIndex()
{
return 0;
}
/**
* @see de.willuhn.jameica.gui.Part#paint(org.eclipse.swt.widgets.Composite)
*/
public void paint(Composite parent) throws RemoteException
{
for (BootMessage msg:this.getMessages())
{
InfoPanel panel = new InfoPanel();
panel.setTitle(msg.getTitle());
panel.setText(msg.getText());
panel.setComment(msg.getComment());
panel.setIcon(msg.getIcon());
panel.setUrl(msg.getUrl());
for (Button button:msg.getButtons())
{
panel.addButton(button);
}
panel.paint(parent);
}
}
}
| willuhn/jameica | src/de/willuhn/jameica/gui/boxes/SystemMessages.java | 990 | /**
* @see de.willuhn.jameica.gui.boxes.Box#getName()
*/ | block_comment | nl | /**********************************************************************
*
* Copyright (c) 2004 Olaf Willuhn
* All rights reserved.
*
* This software is copyrighted work licensed under the terms of the
* Jameica License. Please consult the file "LICENSE" for details.
*
**********************************************************************/
package de.willuhn.jameica.gui.boxes;
import java.rmi.RemoteException;
import java.util.List;
import org.eclipse.swt.widgets.Composite;
import de.willuhn.boot.BootLoader;
import de.willuhn.jameica.gui.parts.Button;
import de.willuhn.jameica.gui.parts.InfoPanel;
import de.willuhn.jameica.messaging.BootMessage;
import de.willuhn.jameica.messaging.BootMessageConsumer;
import de.willuhn.jameica.messaging.MessagingQueue;
import de.willuhn.jameica.services.BeanService;
import de.willuhn.jameica.system.Application;
/**
* Eine Box, die die System-Meldungen des Starts anzeigt (insofern welche vorliegen).
*/
public class SystemMessages extends AbstractBox
{
/**
* @see de.willuhn.jameica.gui.boxes.Box#getName()
<SUF>*/
public String getName()
{
return "Jameica: " + Application.getI18n().tr("System-Meldungen");
}
/**
* @see de.willuhn.jameica.gui.boxes.AbstractBox#isActive()
*/
public boolean isActive()
{
return super.isActive() && this.getMessages().size() > 0;
}
/**
* @see de.willuhn.jameica.gui.boxes.AbstractBox#isEnabled()
*/
public boolean isEnabled()
{
return this.getMessages().size() > 0;
}
/**
* Liefert die Liste der Boot-Meldungen.
* @return die Liste der Boot-Meldungen.
*/
private List<BootMessage> getMessages()
{
BootLoader loader = Application.getBootLoader();
// flushen, um sicherzustellen, dass zugestellt wurde
MessagingQueue queue = Application.getMessagingFactory().getMessagingQueue("jameica.boot");
queue.flush();
BeanService service = loader.getBootable(BeanService.class);
BootMessageConsumer consumer = service.get(BootMessageConsumer.class);
return consumer.getMessages();
}
/**
* @see de.willuhn.jameica.gui.boxes.Box#setEnabled(boolean)
*/
public void setEnabled(boolean enabled)
{
// Das darf der User nicht.
}
/**
* @see de.willuhn.jameica.gui.boxes.AbstractBox#getHeight()
*/
public int getHeight()
{
int size = this.getMessages().size();
return 120 * (size == 0 ? 1 : size);
}
/**
* @see de.willuhn.jameica.gui.boxes.Box#getDefaultEnabled()
*/
public boolean getDefaultEnabled()
{
return true;
}
/**
* @see de.willuhn.jameica.gui.boxes.Box#getDefaultIndex()
*/
public int getDefaultIndex()
{
return 0;
}
/**
* @see de.willuhn.jameica.gui.Part#paint(org.eclipse.swt.widgets.Composite)
*/
public void paint(Composite parent) throws RemoteException
{
for (BootMessage msg:this.getMessages())
{
InfoPanel panel = new InfoPanel();
panel.setTitle(msg.getTitle());
panel.setText(msg.getText());
panel.setComment(msg.getComment());
panel.setIcon(msg.getIcon());
panel.setUrl(msg.getUrl());
for (Button button:msg.getButtons())
{
panel.addButton(button);
}
panel.paint(parent);
}
}
}
|
212282_3 | /**********************************************************************
*
* Copyright (c) 2004 Olaf Willuhn
* All rights reserved.
*
* This software is copyrighted work licensed under the terms of the
* Jameica License. Please consult the file "LICENSE" for details.
*
**********************************************************************/
package de.willuhn.jameica.gui;
import java.rmi.RemoteException;
import java.util.ArrayList;
import net.n3.nanoxml.IXMLElement;
import de.willuhn.datasource.GenericIterator;
import de.willuhn.datasource.GenericObject;
import de.willuhn.datasource.GenericObjectNode;
import de.willuhn.datasource.pseudo.PseudoIterator;
import de.willuhn.jameica.services.BeanService;
import de.willuhn.jameica.system.Application;
import de.willuhn.logging.Logger;
import de.willuhn.util.I18N;
/**
* @author willuhn
*/
public abstract class AbstractItemXml implements Item
{
protected Item parent;
protected IXMLElement path;
protected I18N i18n = Application.getI18n();
protected ArrayList<Item> childs = new ArrayList<Item>();
private Action action = null;
private boolean enabled = true;
/**
* ct.
* @param parent das Eltern-Element.
* @param path Pfad in der XML-Datei.
* @param i18n optionaler Uebersetzer, um die Menu/Navi-Eintraege in die
* ausgewaehlte Sprache uebersetzen zu koennen.
*/
AbstractItemXml(Item parent, IXMLElement path, I18N i18n)
{
this.parent = parent;
this.path = path;
if (i18n != null)
this.i18n = i18n;
String s = path.getAttribute("enabled",null);
this.enabled = s == null || s.equalsIgnoreCase("true");
}
/**
* @see de.willuhn.jameica.gui.Item#getName()
*/
public String getName()
{
String name = path.getAttribute("name",null);
return name == null ? null : i18n.tr(name);
}
/**
* @see de.willuhn.jameica.gui.Item#isEnabled()
*/
public boolean isEnabled() throws RemoteException
{
return this.enabled;
}
/**
* @see de.willuhn.jameica.gui.Item#setEnabled(boolean, boolean)
*/
public void setEnabled(boolean enabled, boolean recursive) throws RemoteException
{
this.enabled = enabled;
}
/**
* @see de.willuhn.jameica.gui.Item#getAction()
*/
public Action getAction()
{
if (action != null)
return action; // hatten wir schonmal geladen
String s = path.getAttribute("action",null);
if (s == null)
return null;
try
{
Class c = Application.getClassLoader().load(s);
BeanService beanService = Application.getBootLoader().getBootable(BeanService.class);
action = (Action) beanService.get(c);
return action;
}
catch (Exception e)
{
Logger.error("error while instantiating action " + s,e);
}
return null;
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getChildren()
*/
public GenericIterator getChildren() throws RemoteException
{
return PseudoIterator.fromArray(childs.toArray(new Item[childs.size()]));
}
/**
* @see de.willuhn.datasource.GenericObjectNode#hasChild(de.willuhn.datasource.GenericObjectNode)
*/
public boolean hasChild(GenericObjectNode object) throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getParent()
*/
public GenericObjectNode getParent() throws RemoteException
{
return this.parent;
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getPossibleParents()
*/
public GenericIterator getPossibleParents() throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getPath()
*/
public GenericIterator getPath() throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObject#getAttribute(java.lang.String)
*/
public Object getAttribute(String name) throws RemoteException
{
if ("name".equals(name))
return getName();
return path.getAttribute(name,null);
}
/**
* @see de.willuhn.datasource.GenericObject#getID()
*/
public String getID()
{
String id = this.path.getAttribute("id",null);
return id != null ? id : this.path.getFullName() + ":" + this.path.getLineNr();
}
/**
* @see de.willuhn.jameica.gui.extension.Extendable#getExtendableID()
*/
public String getExtendableID()
{
return getID();
}
/**
* @see de.willuhn.datasource.GenericObject#getPrimaryAttribute()
*/
public String getPrimaryAttribute() throws RemoteException
{
return "name";
}
/**
* @see de.willuhn.datasource.GenericObject#equals(de.willuhn.datasource.GenericObject)
*/
public boolean equals(GenericObject other) throws RemoteException
{
if (other == null)
return false;
return getID().equals(other.getID());
}
/**
* @see de.willuhn.datasource.GenericObject#getAttributeNames()
*/
public String[] getAttributeNames() throws RemoteException
{
return new String[] {"name"};
}
/**
* @see de.willuhn.jameica.gui.Item#addChild(de.willuhn.jameica.gui.Item)
*/
public void addChild(Item i) throws RemoteException
{
if (i == null)
return;
childs.add(i);
}
}
/*********************************************************************
* $Log: AbstractItemXml.java,v $
* Revision 1.13 2011/08/31 07:46:41 willuhn
* @B Compile-Fixes
*
* Revision 1.12 2011-08-30 16:02:23 willuhn
* @N Alle restlichen Stellen, in denen Instanzen via Class#newInstance erzeugt wurden, gegen BeanService ersetzt. Damit kann jetzt quasi ueberall Dependency-Injection verwendet werden, wo Jameica selbst die Instanzen erzeugt
*
* Revision 1.11 2006/06/27 23:14:11 willuhn
* @N neue Attribute "expanded" und "enabled" fuer Element "item" in plugin.xml
*
* Revision 1.10 2006/04/20 08:44:03 web0
* @C s/Childs/Children/
*
* Revision 1.9 2005/05/30 12:01:33 web0
* @R removed gui packages from rmic.xml
*
* Revision 1.8 2005/05/02 11:26:03 web0
* *** empty log message ***
*
* Revision 1.7 2005/03/09 01:06:36 web0
* @D javadoc fixes
*
* Revision 1.6 2004/12/13 22:48:30 willuhn
* *** empty log message ***
*
* Revision 1.5 2004/11/12 18:23:58 willuhn
* *** empty log message ***
*
* Revision 1.4 2004/11/05 20:00:44 willuhn
* @D javadoc fixes
*
* Revision 1.3 2004/10/12 23:49:31 willuhn
* *** empty log message ***
*
* Revision 1.2 2004/10/11 22:41:17 willuhn
* *** empty log message ***
*
* Revision 1.1 2004/10/08 16:41:58 willuhn
* *** empty log message ***
*
**********************************************************************/ | willuhn/jameica | src/de/willuhn/jameica/gui/AbstractItemXml.java | 2,165 | /**
* @see de.willuhn.jameica.gui.Item#getName()
*/ | block_comment | nl | /**********************************************************************
*
* Copyright (c) 2004 Olaf Willuhn
* All rights reserved.
*
* This software is copyrighted work licensed under the terms of the
* Jameica License. Please consult the file "LICENSE" for details.
*
**********************************************************************/
package de.willuhn.jameica.gui;
import java.rmi.RemoteException;
import java.util.ArrayList;
import net.n3.nanoxml.IXMLElement;
import de.willuhn.datasource.GenericIterator;
import de.willuhn.datasource.GenericObject;
import de.willuhn.datasource.GenericObjectNode;
import de.willuhn.datasource.pseudo.PseudoIterator;
import de.willuhn.jameica.services.BeanService;
import de.willuhn.jameica.system.Application;
import de.willuhn.logging.Logger;
import de.willuhn.util.I18N;
/**
* @author willuhn
*/
public abstract class AbstractItemXml implements Item
{
protected Item parent;
protected IXMLElement path;
protected I18N i18n = Application.getI18n();
protected ArrayList<Item> childs = new ArrayList<Item>();
private Action action = null;
private boolean enabled = true;
/**
* ct.
* @param parent das Eltern-Element.
* @param path Pfad in der XML-Datei.
* @param i18n optionaler Uebersetzer, um die Menu/Navi-Eintraege in die
* ausgewaehlte Sprache uebersetzen zu koennen.
*/
AbstractItemXml(Item parent, IXMLElement path, I18N i18n)
{
this.parent = parent;
this.path = path;
if (i18n != null)
this.i18n = i18n;
String s = path.getAttribute("enabled",null);
this.enabled = s == null || s.equalsIgnoreCase("true");
}
/**
* @see de.willuhn.jameica.gui.Item#getName()
<SUF>*/
public String getName()
{
String name = path.getAttribute("name",null);
return name == null ? null : i18n.tr(name);
}
/**
* @see de.willuhn.jameica.gui.Item#isEnabled()
*/
public boolean isEnabled() throws RemoteException
{
return this.enabled;
}
/**
* @see de.willuhn.jameica.gui.Item#setEnabled(boolean, boolean)
*/
public void setEnabled(boolean enabled, boolean recursive) throws RemoteException
{
this.enabled = enabled;
}
/**
* @see de.willuhn.jameica.gui.Item#getAction()
*/
public Action getAction()
{
if (action != null)
return action; // hatten wir schonmal geladen
String s = path.getAttribute("action",null);
if (s == null)
return null;
try
{
Class c = Application.getClassLoader().load(s);
BeanService beanService = Application.getBootLoader().getBootable(BeanService.class);
action = (Action) beanService.get(c);
return action;
}
catch (Exception e)
{
Logger.error("error while instantiating action " + s,e);
}
return null;
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getChildren()
*/
public GenericIterator getChildren() throws RemoteException
{
return PseudoIterator.fromArray(childs.toArray(new Item[childs.size()]));
}
/**
* @see de.willuhn.datasource.GenericObjectNode#hasChild(de.willuhn.datasource.GenericObjectNode)
*/
public boolean hasChild(GenericObjectNode object) throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getParent()
*/
public GenericObjectNode getParent() throws RemoteException
{
return this.parent;
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getPossibleParents()
*/
public GenericIterator getPossibleParents() throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getPath()
*/
public GenericIterator getPath() throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObject#getAttribute(java.lang.String)
*/
public Object getAttribute(String name) throws RemoteException
{
if ("name".equals(name))
return getName();
return path.getAttribute(name,null);
}
/**
* @see de.willuhn.datasource.GenericObject#getID()
*/
public String getID()
{
String id = this.path.getAttribute("id",null);
return id != null ? id : this.path.getFullName() + ":" + this.path.getLineNr();
}
/**
* @see de.willuhn.jameica.gui.extension.Extendable#getExtendableID()
*/
public String getExtendableID()
{
return getID();
}
/**
* @see de.willuhn.datasource.GenericObject#getPrimaryAttribute()
*/
public String getPrimaryAttribute() throws RemoteException
{
return "name";
}
/**
* @see de.willuhn.datasource.GenericObject#equals(de.willuhn.datasource.GenericObject)
*/
public boolean equals(GenericObject other) throws RemoteException
{
if (other == null)
return false;
return getID().equals(other.getID());
}
/**
* @see de.willuhn.datasource.GenericObject#getAttributeNames()
*/
public String[] getAttributeNames() throws RemoteException
{
return new String[] {"name"};
}
/**
* @see de.willuhn.jameica.gui.Item#addChild(de.willuhn.jameica.gui.Item)
*/
public void addChild(Item i) throws RemoteException
{
if (i == null)
return;
childs.add(i);
}
}
/*********************************************************************
* $Log: AbstractItemXml.java,v $
* Revision 1.13 2011/08/31 07:46:41 willuhn
* @B Compile-Fixes
*
* Revision 1.12 2011-08-30 16:02:23 willuhn
* @N Alle restlichen Stellen, in denen Instanzen via Class#newInstance erzeugt wurden, gegen BeanService ersetzt. Damit kann jetzt quasi ueberall Dependency-Injection verwendet werden, wo Jameica selbst die Instanzen erzeugt
*
* Revision 1.11 2006/06/27 23:14:11 willuhn
* @N neue Attribute "expanded" und "enabled" fuer Element "item" in plugin.xml
*
* Revision 1.10 2006/04/20 08:44:03 web0
* @C s/Childs/Children/
*
* Revision 1.9 2005/05/30 12:01:33 web0
* @R removed gui packages from rmic.xml
*
* Revision 1.8 2005/05/02 11:26:03 web0
* *** empty log message ***
*
* Revision 1.7 2005/03/09 01:06:36 web0
* @D javadoc fixes
*
* Revision 1.6 2004/12/13 22:48:30 willuhn
* *** empty log message ***
*
* Revision 1.5 2004/11/12 18:23:58 willuhn
* *** empty log message ***
*
* Revision 1.4 2004/11/05 20:00:44 willuhn
* @D javadoc fixes
*
* Revision 1.3 2004/10/12 23:49:31 willuhn
* *** empty log message ***
*
* Revision 1.2 2004/10/11 22:41:17 willuhn
* *** empty log message ***
*
* Revision 1.1 2004/10/08 16:41:58 willuhn
* *** empty log message ***
*
**********************************************************************/ |
212282_6 | /**********************************************************************
*
* Copyright (c) 2004 Olaf Willuhn
* All rights reserved.
*
* This software is copyrighted work licensed under the terms of the
* Jameica License. Please consult the file "LICENSE" for details.
*
**********************************************************************/
package de.willuhn.jameica.gui;
import java.rmi.RemoteException;
import java.util.ArrayList;
import net.n3.nanoxml.IXMLElement;
import de.willuhn.datasource.GenericIterator;
import de.willuhn.datasource.GenericObject;
import de.willuhn.datasource.GenericObjectNode;
import de.willuhn.datasource.pseudo.PseudoIterator;
import de.willuhn.jameica.services.BeanService;
import de.willuhn.jameica.system.Application;
import de.willuhn.logging.Logger;
import de.willuhn.util.I18N;
/**
* @author willuhn
*/
public abstract class AbstractItemXml implements Item
{
protected Item parent;
protected IXMLElement path;
protected I18N i18n = Application.getI18n();
protected ArrayList<Item> childs = new ArrayList<Item>();
private Action action = null;
private boolean enabled = true;
/**
* ct.
* @param parent das Eltern-Element.
* @param path Pfad in der XML-Datei.
* @param i18n optionaler Uebersetzer, um die Menu/Navi-Eintraege in die
* ausgewaehlte Sprache uebersetzen zu koennen.
*/
AbstractItemXml(Item parent, IXMLElement path, I18N i18n)
{
this.parent = parent;
this.path = path;
if (i18n != null)
this.i18n = i18n;
String s = path.getAttribute("enabled",null);
this.enabled = s == null || s.equalsIgnoreCase("true");
}
/**
* @see de.willuhn.jameica.gui.Item#getName()
*/
public String getName()
{
String name = path.getAttribute("name",null);
return name == null ? null : i18n.tr(name);
}
/**
* @see de.willuhn.jameica.gui.Item#isEnabled()
*/
public boolean isEnabled() throws RemoteException
{
return this.enabled;
}
/**
* @see de.willuhn.jameica.gui.Item#setEnabled(boolean, boolean)
*/
public void setEnabled(boolean enabled, boolean recursive) throws RemoteException
{
this.enabled = enabled;
}
/**
* @see de.willuhn.jameica.gui.Item#getAction()
*/
public Action getAction()
{
if (action != null)
return action; // hatten wir schonmal geladen
String s = path.getAttribute("action",null);
if (s == null)
return null;
try
{
Class c = Application.getClassLoader().load(s);
BeanService beanService = Application.getBootLoader().getBootable(BeanService.class);
action = (Action) beanService.get(c);
return action;
}
catch (Exception e)
{
Logger.error("error while instantiating action " + s,e);
}
return null;
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getChildren()
*/
public GenericIterator getChildren() throws RemoteException
{
return PseudoIterator.fromArray(childs.toArray(new Item[childs.size()]));
}
/**
* @see de.willuhn.datasource.GenericObjectNode#hasChild(de.willuhn.datasource.GenericObjectNode)
*/
public boolean hasChild(GenericObjectNode object) throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getParent()
*/
public GenericObjectNode getParent() throws RemoteException
{
return this.parent;
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getPossibleParents()
*/
public GenericIterator getPossibleParents() throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getPath()
*/
public GenericIterator getPath() throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObject#getAttribute(java.lang.String)
*/
public Object getAttribute(String name) throws RemoteException
{
if ("name".equals(name))
return getName();
return path.getAttribute(name,null);
}
/**
* @see de.willuhn.datasource.GenericObject#getID()
*/
public String getID()
{
String id = this.path.getAttribute("id",null);
return id != null ? id : this.path.getFullName() + ":" + this.path.getLineNr();
}
/**
* @see de.willuhn.jameica.gui.extension.Extendable#getExtendableID()
*/
public String getExtendableID()
{
return getID();
}
/**
* @see de.willuhn.datasource.GenericObject#getPrimaryAttribute()
*/
public String getPrimaryAttribute() throws RemoteException
{
return "name";
}
/**
* @see de.willuhn.datasource.GenericObject#equals(de.willuhn.datasource.GenericObject)
*/
public boolean equals(GenericObject other) throws RemoteException
{
if (other == null)
return false;
return getID().equals(other.getID());
}
/**
* @see de.willuhn.datasource.GenericObject#getAttributeNames()
*/
public String[] getAttributeNames() throws RemoteException
{
return new String[] {"name"};
}
/**
* @see de.willuhn.jameica.gui.Item#addChild(de.willuhn.jameica.gui.Item)
*/
public void addChild(Item i) throws RemoteException
{
if (i == null)
return;
childs.add(i);
}
}
/*********************************************************************
* $Log: AbstractItemXml.java,v $
* Revision 1.13 2011/08/31 07:46:41 willuhn
* @B Compile-Fixes
*
* Revision 1.12 2011-08-30 16:02:23 willuhn
* @N Alle restlichen Stellen, in denen Instanzen via Class#newInstance erzeugt wurden, gegen BeanService ersetzt. Damit kann jetzt quasi ueberall Dependency-Injection verwendet werden, wo Jameica selbst die Instanzen erzeugt
*
* Revision 1.11 2006/06/27 23:14:11 willuhn
* @N neue Attribute "expanded" und "enabled" fuer Element "item" in plugin.xml
*
* Revision 1.10 2006/04/20 08:44:03 web0
* @C s/Childs/Children/
*
* Revision 1.9 2005/05/30 12:01:33 web0
* @R removed gui packages from rmic.xml
*
* Revision 1.8 2005/05/02 11:26:03 web0
* *** empty log message ***
*
* Revision 1.7 2005/03/09 01:06:36 web0
* @D javadoc fixes
*
* Revision 1.6 2004/12/13 22:48:30 willuhn
* *** empty log message ***
*
* Revision 1.5 2004/11/12 18:23:58 willuhn
* *** empty log message ***
*
* Revision 1.4 2004/11/05 20:00:44 willuhn
* @D javadoc fixes
*
* Revision 1.3 2004/10/12 23:49:31 willuhn
* *** empty log message ***
*
* Revision 1.2 2004/10/11 22:41:17 willuhn
* *** empty log message ***
*
* Revision 1.1 2004/10/08 16:41:58 willuhn
* *** empty log message ***
*
**********************************************************************/ | willuhn/jameica | src/de/willuhn/jameica/gui/AbstractItemXml.java | 2,165 | /**
* @see de.willuhn.jameica.gui.Item#getAction()
*/ | block_comment | nl | /**********************************************************************
*
* Copyright (c) 2004 Olaf Willuhn
* All rights reserved.
*
* This software is copyrighted work licensed under the terms of the
* Jameica License. Please consult the file "LICENSE" for details.
*
**********************************************************************/
package de.willuhn.jameica.gui;
import java.rmi.RemoteException;
import java.util.ArrayList;
import net.n3.nanoxml.IXMLElement;
import de.willuhn.datasource.GenericIterator;
import de.willuhn.datasource.GenericObject;
import de.willuhn.datasource.GenericObjectNode;
import de.willuhn.datasource.pseudo.PseudoIterator;
import de.willuhn.jameica.services.BeanService;
import de.willuhn.jameica.system.Application;
import de.willuhn.logging.Logger;
import de.willuhn.util.I18N;
/**
* @author willuhn
*/
public abstract class AbstractItemXml implements Item
{
protected Item parent;
protected IXMLElement path;
protected I18N i18n = Application.getI18n();
protected ArrayList<Item> childs = new ArrayList<Item>();
private Action action = null;
private boolean enabled = true;
/**
* ct.
* @param parent das Eltern-Element.
* @param path Pfad in der XML-Datei.
* @param i18n optionaler Uebersetzer, um die Menu/Navi-Eintraege in die
* ausgewaehlte Sprache uebersetzen zu koennen.
*/
AbstractItemXml(Item parent, IXMLElement path, I18N i18n)
{
this.parent = parent;
this.path = path;
if (i18n != null)
this.i18n = i18n;
String s = path.getAttribute("enabled",null);
this.enabled = s == null || s.equalsIgnoreCase("true");
}
/**
* @see de.willuhn.jameica.gui.Item#getName()
*/
public String getName()
{
String name = path.getAttribute("name",null);
return name == null ? null : i18n.tr(name);
}
/**
* @see de.willuhn.jameica.gui.Item#isEnabled()
*/
public boolean isEnabled() throws RemoteException
{
return this.enabled;
}
/**
* @see de.willuhn.jameica.gui.Item#setEnabled(boolean, boolean)
*/
public void setEnabled(boolean enabled, boolean recursive) throws RemoteException
{
this.enabled = enabled;
}
/**
* @see de.willuhn.jameica.gui.Item#getAction()
<SUF>*/
public Action getAction()
{
if (action != null)
return action; // hatten wir schonmal geladen
String s = path.getAttribute("action",null);
if (s == null)
return null;
try
{
Class c = Application.getClassLoader().load(s);
BeanService beanService = Application.getBootLoader().getBootable(BeanService.class);
action = (Action) beanService.get(c);
return action;
}
catch (Exception e)
{
Logger.error("error while instantiating action " + s,e);
}
return null;
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getChildren()
*/
public GenericIterator getChildren() throws RemoteException
{
return PseudoIterator.fromArray(childs.toArray(new Item[childs.size()]));
}
/**
* @see de.willuhn.datasource.GenericObjectNode#hasChild(de.willuhn.datasource.GenericObjectNode)
*/
public boolean hasChild(GenericObjectNode object) throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getParent()
*/
public GenericObjectNode getParent() throws RemoteException
{
return this.parent;
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getPossibleParents()
*/
public GenericIterator getPossibleParents() throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getPath()
*/
public GenericIterator getPath() throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObject#getAttribute(java.lang.String)
*/
public Object getAttribute(String name) throws RemoteException
{
if ("name".equals(name))
return getName();
return path.getAttribute(name,null);
}
/**
* @see de.willuhn.datasource.GenericObject#getID()
*/
public String getID()
{
String id = this.path.getAttribute("id",null);
return id != null ? id : this.path.getFullName() + ":" + this.path.getLineNr();
}
/**
* @see de.willuhn.jameica.gui.extension.Extendable#getExtendableID()
*/
public String getExtendableID()
{
return getID();
}
/**
* @see de.willuhn.datasource.GenericObject#getPrimaryAttribute()
*/
public String getPrimaryAttribute() throws RemoteException
{
return "name";
}
/**
* @see de.willuhn.datasource.GenericObject#equals(de.willuhn.datasource.GenericObject)
*/
public boolean equals(GenericObject other) throws RemoteException
{
if (other == null)
return false;
return getID().equals(other.getID());
}
/**
* @see de.willuhn.datasource.GenericObject#getAttributeNames()
*/
public String[] getAttributeNames() throws RemoteException
{
return new String[] {"name"};
}
/**
* @see de.willuhn.jameica.gui.Item#addChild(de.willuhn.jameica.gui.Item)
*/
public void addChild(Item i) throws RemoteException
{
if (i == null)
return;
childs.add(i);
}
}
/*********************************************************************
* $Log: AbstractItemXml.java,v $
* Revision 1.13 2011/08/31 07:46:41 willuhn
* @B Compile-Fixes
*
* Revision 1.12 2011-08-30 16:02:23 willuhn
* @N Alle restlichen Stellen, in denen Instanzen via Class#newInstance erzeugt wurden, gegen BeanService ersetzt. Damit kann jetzt quasi ueberall Dependency-Injection verwendet werden, wo Jameica selbst die Instanzen erzeugt
*
* Revision 1.11 2006/06/27 23:14:11 willuhn
* @N neue Attribute "expanded" und "enabled" fuer Element "item" in plugin.xml
*
* Revision 1.10 2006/04/20 08:44:03 web0
* @C s/Childs/Children/
*
* Revision 1.9 2005/05/30 12:01:33 web0
* @R removed gui packages from rmic.xml
*
* Revision 1.8 2005/05/02 11:26:03 web0
* *** empty log message ***
*
* Revision 1.7 2005/03/09 01:06:36 web0
* @D javadoc fixes
*
* Revision 1.6 2004/12/13 22:48:30 willuhn
* *** empty log message ***
*
* Revision 1.5 2004/11/12 18:23:58 willuhn
* *** empty log message ***
*
* Revision 1.4 2004/11/05 20:00:44 willuhn
* @D javadoc fixes
*
* Revision 1.3 2004/10/12 23:49:31 willuhn
* *** empty log message ***
*
* Revision 1.2 2004/10/11 22:41:17 willuhn
* *** empty log message ***
*
* Revision 1.1 2004/10/08 16:41:58 willuhn
* *** empty log message ***
*
**********************************************************************/ |
212282_8 | /**********************************************************************
*
* Copyright (c) 2004 Olaf Willuhn
* All rights reserved.
*
* This software is copyrighted work licensed under the terms of the
* Jameica License. Please consult the file "LICENSE" for details.
*
**********************************************************************/
package de.willuhn.jameica.gui;
import java.rmi.RemoteException;
import java.util.ArrayList;
import net.n3.nanoxml.IXMLElement;
import de.willuhn.datasource.GenericIterator;
import de.willuhn.datasource.GenericObject;
import de.willuhn.datasource.GenericObjectNode;
import de.willuhn.datasource.pseudo.PseudoIterator;
import de.willuhn.jameica.services.BeanService;
import de.willuhn.jameica.system.Application;
import de.willuhn.logging.Logger;
import de.willuhn.util.I18N;
/**
* @author willuhn
*/
public abstract class AbstractItemXml implements Item
{
protected Item parent;
protected IXMLElement path;
protected I18N i18n = Application.getI18n();
protected ArrayList<Item> childs = new ArrayList<Item>();
private Action action = null;
private boolean enabled = true;
/**
* ct.
* @param parent das Eltern-Element.
* @param path Pfad in der XML-Datei.
* @param i18n optionaler Uebersetzer, um die Menu/Navi-Eintraege in die
* ausgewaehlte Sprache uebersetzen zu koennen.
*/
AbstractItemXml(Item parent, IXMLElement path, I18N i18n)
{
this.parent = parent;
this.path = path;
if (i18n != null)
this.i18n = i18n;
String s = path.getAttribute("enabled",null);
this.enabled = s == null || s.equalsIgnoreCase("true");
}
/**
* @see de.willuhn.jameica.gui.Item#getName()
*/
public String getName()
{
String name = path.getAttribute("name",null);
return name == null ? null : i18n.tr(name);
}
/**
* @see de.willuhn.jameica.gui.Item#isEnabled()
*/
public boolean isEnabled() throws RemoteException
{
return this.enabled;
}
/**
* @see de.willuhn.jameica.gui.Item#setEnabled(boolean, boolean)
*/
public void setEnabled(boolean enabled, boolean recursive) throws RemoteException
{
this.enabled = enabled;
}
/**
* @see de.willuhn.jameica.gui.Item#getAction()
*/
public Action getAction()
{
if (action != null)
return action; // hatten wir schonmal geladen
String s = path.getAttribute("action",null);
if (s == null)
return null;
try
{
Class c = Application.getClassLoader().load(s);
BeanService beanService = Application.getBootLoader().getBootable(BeanService.class);
action = (Action) beanService.get(c);
return action;
}
catch (Exception e)
{
Logger.error("error while instantiating action " + s,e);
}
return null;
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getChildren()
*/
public GenericIterator getChildren() throws RemoteException
{
return PseudoIterator.fromArray(childs.toArray(new Item[childs.size()]));
}
/**
* @see de.willuhn.datasource.GenericObjectNode#hasChild(de.willuhn.datasource.GenericObjectNode)
*/
public boolean hasChild(GenericObjectNode object) throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getParent()
*/
public GenericObjectNode getParent() throws RemoteException
{
return this.parent;
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getPossibleParents()
*/
public GenericIterator getPossibleParents() throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getPath()
*/
public GenericIterator getPath() throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObject#getAttribute(java.lang.String)
*/
public Object getAttribute(String name) throws RemoteException
{
if ("name".equals(name))
return getName();
return path.getAttribute(name,null);
}
/**
* @see de.willuhn.datasource.GenericObject#getID()
*/
public String getID()
{
String id = this.path.getAttribute("id",null);
return id != null ? id : this.path.getFullName() + ":" + this.path.getLineNr();
}
/**
* @see de.willuhn.jameica.gui.extension.Extendable#getExtendableID()
*/
public String getExtendableID()
{
return getID();
}
/**
* @see de.willuhn.datasource.GenericObject#getPrimaryAttribute()
*/
public String getPrimaryAttribute() throws RemoteException
{
return "name";
}
/**
* @see de.willuhn.datasource.GenericObject#equals(de.willuhn.datasource.GenericObject)
*/
public boolean equals(GenericObject other) throws RemoteException
{
if (other == null)
return false;
return getID().equals(other.getID());
}
/**
* @see de.willuhn.datasource.GenericObject#getAttributeNames()
*/
public String[] getAttributeNames() throws RemoteException
{
return new String[] {"name"};
}
/**
* @see de.willuhn.jameica.gui.Item#addChild(de.willuhn.jameica.gui.Item)
*/
public void addChild(Item i) throws RemoteException
{
if (i == null)
return;
childs.add(i);
}
}
/*********************************************************************
* $Log: AbstractItemXml.java,v $
* Revision 1.13 2011/08/31 07:46:41 willuhn
* @B Compile-Fixes
*
* Revision 1.12 2011-08-30 16:02:23 willuhn
* @N Alle restlichen Stellen, in denen Instanzen via Class#newInstance erzeugt wurden, gegen BeanService ersetzt. Damit kann jetzt quasi ueberall Dependency-Injection verwendet werden, wo Jameica selbst die Instanzen erzeugt
*
* Revision 1.11 2006/06/27 23:14:11 willuhn
* @N neue Attribute "expanded" und "enabled" fuer Element "item" in plugin.xml
*
* Revision 1.10 2006/04/20 08:44:03 web0
* @C s/Childs/Children/
*
* Revision 1.9 2005/05/30 12:01:33 web0
* @R removed gui packages from rmic.xml
*
* Revision 1.8 2005/05/02 11:26:03 web0
* *** empty log message ***
*
* Revision 1.7 2005/03/09 01:06:36 web0
* @D javadoc fixes
*
* Revision 1.6 2004/12/13 22:48:30 willuhn
* *** empty log message ***
*
* Revision 1.5 2004/11/12 18:23:58 willuhn
* *** empty log message ***
*
* Revision 1.4 2004/11/05 20:00:44 willuhn
* @D javadoc fixes
*
* Revision 1.3 2004/10/12 23:49:31 willuhn
* *** empty log message ***
*
* Revision 1.2 2004/10/11 22:41:17 willuhn
* *** empty log message ***
*
* Revision 1.1 2004/10/08 16:41:58 willuhn
* *** empty log message ***
*
**********************************************************************/ | willuhn/jameica | src/de/willuhn/jameica/gui/AbstractItemXml.java | 2,165 | /**
* @see de.willuhn.datasource.GenericObjectNode#getChildren()
*/ | block_comment | nl | /**********************************************************************
*
* Copyright (c) 2004 Olaf Willuhn
* All rights reserved.
*
* This software is copyrighted work licensed under the terms of the
* Jameica License. Please consult the file "LICENSE" for details.
*
**********************************************************************/
package de.willuhn.jameica.gui;
import java.rmi.RemoteException;
import java.util.ArrayList;
import net.n3.nanoxml.IXMLElement;
import de.willuhn.datasource.GenericIterator;
import de.willuhn.datasource.GenericObject;
import de.willuhn.datasource.GenericObjectNode;
import de.willuhn.datasource.pseudo.PseudoIterator;
import de.willuhn.jameica.services.BeanService;
import de.willuhn.jameica.system.Application;
import de.willuhn.logging.Logger;
import de.willuhn.util.I18N;
/**
* @author willuhn
*/
public abstract class AbstractItemXml implements Item
{
protected Item parent;
protected IXMLElement path;
protected I18N i18n = Application.getI18n();
protected ArrayList<Item> childs = new ArrayList<Item>();
private Action action = null;
private boolean enabled = true;
/**
* ct.
* @param parent das Eltern-Element.
* @param path Pfad in der XML-Datei.
* @param i18n optionaler Uebersetzer, um die Menu/Navi-Eintraege in die
* ausgewaehlte Sprache uebersetzen zu koennen.
*/
AbstractItemXml(Item parent, IXMLElement path, I18N i18n)
{
this.parent = parent;
this.path = path;
if (i18n != null)
this.i18n = i18n;
String s = path.getAttribute("enabled",null);
this.enabled = s == null || s.equalsIgnoreCase("true");
}
/**
* @see de.willuhn.jameica.gui.Item#getName()
*/
public String getName()
{
String name = path.getAttribute("name",null);
return name == null ? null : i18n.tr(name);
}
/**
* @see de.willuhn.jameica.gui.Item#isEnabled()
*/
public boolean isEnabled() throws RemoteException
{
return this.enabled;
}
/**
* @see de.willuhn.jameica.gui.Item#setEnabled(boolean, boolean)
*/
public void setEnabled(boolean enabled, boolean recursive) throws RemoteException
{
this.enabled = enabled;
}
/**
* @see de.willuhn.jameica.gui.Item#getAction()
*/
public Action getAction()
{
if (action != null)
return action; // hatten wir schonmal geladen
String s = path.getAttribute("action",null);
if (s == null)
return null;
try
{
Class c = Application.getClassLoader().load(s);
BeanService beanService = Application.getBootLoader().getBootable(BeanService.class);
action = (Action) beanService.get(c);
return action;
}
catch (Exception e)
{
Logger.error("error while instantiating action " + s,e);
}
return null;
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getChildren()
<SUF>*/
public GenericIterator getChildren() throws RemoteException
{
return PseudoIterator.fromArray(childs.toArray(new Item[childs.size()]));
}
/**
* @see de.willuhn.datasource.GenericObjectNode#hasChild(de.willuhn.datasource.GenericObjectNode)
*/
public boolean hasChild(GenericObjectNode object) throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getParent()
*/
public GenericObjectNode getParent() throws RemoteException
{
return this.parent;
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getPossibleParents()
*/
public GenericIterator getPossibleParents() throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getPath()
*/
public GenericIterator getPath() throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObject#getAttribute(java.lang.String)
*/
public Object getAttribute(String name) throws RemoteException
{
if ("name".equals(name))
return getName();
return path.getAttribute(name,null);
}
/**
* @see de.willuhn.datasource.GenericObject#getID()
*/
public String getID()
{
String id = this.path.getAttribute("id",null);
return id != null ? id : this.path.getFullName() + ":" + this.path.getLineNr();
}
/**
* @see de.willuhn.jameica.gui.extension.Extendable#getExtendableID()
*/
public String getExtendableID()
{
return getID();
}
/**
* @see de.willuhn.datasource.GenericObject#getPrimaryAttribute()
*/
public String getPrimaryAttribute() throws RemoteException
{
return "name";
}
/**
* @see de.willuhn.datasource.GenericObject#equals(de.willuhn.datasource.GenericObject)
*/
public boolean equals(GenericObject other) throws RemoteException
{
if (other == null)
return false;
return getID().equals(other.getID());
}
/**
* @see de.willuhn.datasource.GenericObject#getAttributeNames()
*/
public String[] getAttributeNames() throws RemoteException
{
return new String[] {"name"};
}
/**
* @see de.willuhn.jameica.gui.Item#addChild(de.willuhn.jameica.gui.Item)
*/
public void addChild(Item i) throws RemoteException
{
if (i == null)
return;
childs.add(i);
}
}
/*********************************************************************
* $Log: AbstractItemXml.java,v $
* Revision 1.13 2011/08/31 07:46:41 willuhn
* @B Compile-Fixes
*
* Revision 1.12 2011-08-30 16:02:23 willuhn
* @N Alle restlichen Stellen, in denen Instanzen via Class#newInstance erzeugt wurden, gegen BeanService ersetzt. Damit kann jetzt quasi ueberall Dependency-Injection verwendet werden, wo Jameica selbst die Instanzen erzeugt
*
* Revision 1.11 2006/06/27 23:14:11 willuhn
* @N neue Attribute "expanded" und "enabled" fuer Element "item" in plugin.xml
*
* Revision 1.10 2006/04/20 08:44:03 web0
* @C s/Childs/Children/
*
* Revision 1.9 2005/05/30 12:01:33 web0
* @R removed gui packages from rmic.xml
*
* Revision 1.8 2005/05/02 11:26:03 web0
* *** empty log message ***
*
* Revision 1.7 2005/03/09 01:06:36 web0
* @D javadoc fixes
*
* Revision 1.6 2004/12/13 22:48:30 willuhn
* *** empty log message ***
*
* Revision 1.5 2004/11/12 18:23:58 willuhn
* *** empty log message ***
*
* Revision 1.4 2004/11/05 20:00:44 willuhn
* @D javadoc fixes
*
* Revision 1.3 2004/10/12 23:49:31 willuhn
* *** empty log message ***
*
* Revision 1.2 2004/10/11 22:41:17 willuhn
* *** empty log message ***
*
* Revision 1.1 2004/10/08 16:41:58 willuhn
* *** empty log message ***
*
**********************************************************************/ |
212282_10 | /**********************************************************************
*
* Copyright (c) 2004 Olaf Willuhn
* All rights reserved.
*
* This software is copyrighted work licensed under the terms of the
* Jameica License. Please consult the file "LICENSE" for details.
*
**********************************************************************/
package de.willuhn.jameica.gui;
import java.rmi.RemoteException;
import java.util.ArrayList;
import net.n3.nanoxml.IXMLElement;
import de.willuhn.datasource.GenericIterator;
import de.willuhn.datasource.GenericObject;
import de.willuhn.datasource.GenericObjectNode;
import de.willuhn.datasource.pseudo.PseudoIterator;
import de.willuhn.jameica.services.BeanService;
import de.willuhn.jameica.system.Application;
import de.willuhn.logging.Logger;
import de.willuhn.util.I18N;
/**
* @author willuhn
*/
public abstract class AbstractItemXml implements Item
{
protected Item parent;
protected IXMLElement path;
protected I18N i18n = Application.getI18n();
protected ArrayList<Item> childs = new ArrayList<Item>();
private Action action = null;
private boolean enabled = true;
/**
* ct.
* @param parent das Eltern-Element.
* @param path Pfad in der XML-Datei.
* @param i18n optionaler Uebersetzer, um die Menu/Navi-Eintraege in die
* ausgewaehlte Sprache uebersetzen zu koennen.
*/
AbstractItemXml(Item parent, IXMLElement path, I18N i18n)
{
this.parent = parent;
this.path = path;
if (i18n != null)
this.i18n = i18n;
String s = path.getAttribute("enabled",null);
this.enabled = s == null || s.equalsIgnoreCase("true");
}
/**
* @see de.willuhn.jameica.gui.Item#getName()
*/
public String getName()
{
String name = path.getAttribute("name",null);
return name == null ? null : i18n.tr(name);
}
/**
* @see de.willuhn.jameica.gui.Item#isEnabled()
*/
public boolean isEnabled() throws RemoteException
{
return this.enabled;
}
/**
* @see de.willuhn.jameica.gui.Item#setEnabled(boolean, boolean)
*/
public void setEnabled(boolean enabled, boolean recursive) throws RemoteException
{
this.enabled = enabled;
}
/**
* @see de.willuhn.jameica.gui.Item#getAction()
*/
public Action getAction()
{
if (action != null)
return action; // hatten wir schonmal geladen
String s = path.getAttribute("action",null);
if (s == null)
return null;
try
{
Class c = Application.getClassLoader().load(s);
BeanService beanService = Application.getBootLoader().getBootable(BeanService.class);
action = (Action) beanService.get(c);
return action;
}
catch (Exception e)
{
Logger.error("error while instantiating action " + s,e);
}
return null;
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getChildren()
*/
public GenericIterator getChildren() throws RemoteException
{
return PseudoIterator.fromArray(childs.toArray(new Item[childs.size()]));
}
/**
* @see de.willuhn.datasource.GenericObjectNode#hasChild(de.willuhn.datasource.GenericObjectNode)
*/
public boolean hasChild(GenericObjectNode object) throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getParent()
*/
public GenericObjectNode getParent() throws RemoteException
{
return this.parent;
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getPossibleParents()
*/
public GenericIterator getPossibleParents() throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getPath()
*/
public GenericIterator getPath() throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObject#getAttribute(java.lang.String)
*/
public Object getAttribute(String name) throws RemoteException
{
if ("name".equals(name))
return getName();
return path.getAttribute(name,null);
}
/**
* @see de.willuhn.datasource.GenericObject#getID()
*/
public String getID()
{
String id = this.path.getAttribute("id",null);
return id != null ? id : this.path.getFullName() + ":" + this.path.getLineNr();
}
/**
* @see de.willuhn.jameica.gui.extension.Extendable#getExtendableID()
*/
public String getExtendableID()
{
return getID();
}
/**
* @see de.willuhn.datasource.GenericObject#getPrimaryAttribute()
*/
public String getPrimaryAttribute() throws RemoteException
{
return "name";
}
/**
* @see de.willuhn.datasource.GenericObject#equals(de.willuhn.datasource.GenericObject)
*/
public boolean equals(GenericObject other) throws RemoteException
{
if (other == null)
return false;
return getID().equals(other.getID());
}
/**
* @see de.willuhn.datasource.GenericObject#getAttributeNames()
*/
public String[] getAttributeNames() throws RemoteException
{
return new String[] {"name"};
}
/**
* @see de.willuhn.jameica.gui.Item#addChild(de.willuhn.jameica.gui.Item)
*/
public void addChild(Item i) throws RemoteException
{
if (i == null)
return;
childs.add(i);
}
}
/*********************************************************************
* $Log: AbstractItemXml.java,v $
* Revision 1.13 2011/08/31 07:46:41 willuhn
* @B Compile-Fixes
*
* Revision 1.12 2011-08-30 16:02:23 willuhn
* @N Alle restlichen Stellen, in denen Instanzen via Class#newInstance erzeugt wurden, gegen BeanService ersetzt. Damit kann jetzt quasi ueberall Dependency-Injection verwendet werden, wo Jameica selbst die Instanzen erzeugt
*
* Revision 1.11 2006/06/27 23:14:11 willuhn
* @N neue Attribute "expanded" und "enabled" fuer Element "item" in plugin.xml
*
* Revision 1.10 2006/04/20 08:44:03 web0
* @C s/Childs/Children/
*
* Revision 1.9 2005/05/30 12:01:33 web0
* @R removed gui packages from rmic.xml
*
* Revision 1.8 2005/05/02 11:26:03 web0
* *** empty log message ***
*
* Revision 1.7 2005/03/09 01:06:36 web0
* @D javadoc fixes
*
* Revision 1.6 2004/12/13 22:48:30 willuhn
* *** empty log message ***
*
* Revision 1.5 2004/11/12 18:23:58 willuhn
* *** empty log message ***
*
* Revision 1.4 2004/11/05 20:00:44 willuhn
* @D javadoc fixes
*
* Revision 1.3 2004/10/12 23:49:31 willuhn
* *** empty log message ***
*
* Revision 1.2 2004/10/11 22:41:17 willuhn
* *** empty log message ***
*
* Revision 1.1 2004/10/08 16:41:58 willuhn
* *** empty log message ***
*
**********************************************************************/ | willuhn/jameica | src/de/willuhn/jameica/gui/AbstractItemXml.java | 2,165 | /**
* @see de.willuhn.datasource.GenericObjectNode#getParent()
*/ | block_comment | nl | /**********************************************************************
*
* Copyright (c) 2004 Olaf Willuhn
* All rights reserved.
*
* This software is copyrighted work licensed under the terms of the
* Jameica License. Please consult the file "LICENSE" for details.
*
**********************************************************************/
package de.willuhn.jameica.gui;
import java.rmi.RemoteException;
import java.util.ArrayList;
import net.n3.nanoxml.IXMLElement;
import de.willuhn.datasource.GenericIterator;
import de.willuhn.datasource.GenericObject;
import de.willuhn.datasource.GenericObjectNode;
import de.willuhn.datasource.pseudo.PseudoIterator;
import de.willuhn.jameica.services.BeanService;
import de.willuhn.jameica.system.Application;
import de.willuhn.logging.Logger;
import de.willuhn.util.I18N;
/**
* @author willuhn
*/
public abstract class AbstractItemXml implements Item
{
protected Item parent;
protected IXMLElement path;
protected I18N i18n = Application.getI18n();
protected ArrayList<Item> childs = new ArrayList<Item>();
private Action action = null;
private boolean enabled = true;
/**
* ct.
* @param parent das Eltern-Element.
* @param path Pfad in der XML-Datei.
* @param i18n optionaler Uebersetzer, um die Menu/Navi-Eintraege in die
* ausgewaehlte Sprache uebersetzen zu koennen.
*/
AbstractItemXml(Item parent, IXMLElement path, I18N i18n)
{
this.parent = parent;
this.path = path;
if (i18n != null)
this.i18n = i18n;
String s = path.getAttribute("enabled",null);
this.enabled = s == null || s.equalsIgnoreCase("true");
}
/**
* @see de.willuhn.jameica.gui.Item#getName()
*/
public String getName()
{
String name = path.getAttribute("name",null);
return name == null ? null : i18n.tr(name);
}
/**
* @see de.willuhn.jameica.gui.Item#isEnabled()
*/
public boolean isEnabled() throws RemoteException
{
return this.enabled;
}
/**
* @see de.willuhn.jameica.gui.Item#setEnabled(boolean, boolean)
*/
public void setEnabled(boolean enabled, boolean recursive) throws RemoteException
{
this.enabled = enabled;
}
/**
* @see de.willuhn.jameica.gui.Item#getAction()
*/
public Action getAction()
{
if (action != null)
return action; // hatten wir schonmal geladen
String s = path.getAttribute("action",null);
if (s == null)
return null;
try
{
Class c = Application.getClassLoader().load(s);
BeanService beanService = Application.getBootLoader().getBootable(BeanService.class);
action = (Action) beanService.get(c);
return action;
}
catch (Exception e)
{
Logger.error("error while instantiating action " + s,e);
}
return null;
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getChildren()
*/
public GenericIterator getChildren() throws RemoteException
{
return PseudoIterator.fromArray(childs.toArray(new Item[childs.size()]));
}
/**
* @see de.willuhn.datasource.GenericObjectNode#hasChild(de.willuhn.datasource.GenericObjectNode)
*/
public boolean hasChild(GenericObjectNode object) throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getParent()
<SUF>*/
public GenericObjectNode getParent() throws RemoteException
{
return this.parent;
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getPossibleParents()
*/
public GenericIterator getPossibleParents() throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getPath()
*/
public GenericIterator getPath() throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObject#getAttribute(java.lang.String)
*/
public Object getAttribute(String name) throws RemoteException
{
if ("name".equals(name))
return getName();
return path.getAttribute(name,null);
}
/**
* @see de.willuhn.datasource.GenericObject#getID()
*/
public String getID()
{
String id = this.path.getAttribute("id",null);
return id != null ? id : this.path.getFullName() + ":" + this.path.getLineNr();
}
/**
* @see de.willuhn.jameica.gui.extension.Extendable#getExtendableID()
*/
public String getExtendableID()
{
return getID();
}
/**
* @see de.willuhn.datasource.GenericObject#getPrimaryAttribute()
*/
public String getPrimaryAttribute() throws RemoteException
{
return "name";
}
/**
* @see de.willuhn.datasource.GenericObject#equals(de.willuhn.datasource.GenericObject)
*/
public boolean equals(GenericObject other) throws RemoteException
{
if (other == null)
return false;
return getID().equals(other.getID());
}
/**
* @see de.willuhn.datasource.GenericObject#getAttributeNames()
*/
public String[] getAttributeNames() throws RemoteException
{
return new String[] {"name"};
}
/**
* @see de.willuhn.jameica.gui.Item#addChild(de.willuhn.jameica.gui.Item)
*/
public void addChild(Item i) throws RemoteException
{
if (i == null)
return;
childs.add(i);
}
}
/*********************************************************************
* $Log: AbstractItemXml.java,v $
* Revision 1.13 2011/08/31 07:46:41 willuhn
* @B Compile-Fixes
*
* Revision 1.12 2011-08-30 16:02:23 willuhn
* @N Alle restlichen Stellen, in denen Instanzen via Class#newInstance erzeugt wurden, gegen BeanService ersetzt. Damit kann jetzt quasi ueberall Dependency-Injection verwendet werden, wo Jameica selbst die Instanzen erzeugt
*
* Revision 1.11 2006/06/27 23:14:11 willuhn
* @N neue Attribute "expanded" und "enabled" fuer Element "item" in plugin.xml
*
* Revision 1.10 2006/04/20 08:44:03 web0
* @C s/Childs/Children/
*
* Revision 1.9 2005/05/30 12:01:33 web0
* @R removed gui packages from rmic.xml
*
* Revision 1.8 2005/05/02 11:26:03 web0
* *** empty log message ***
*
* Revision 1.7 2005/03/09 01:06:36 web0
* @D javadoc fixes
*
* Revision 1.6 2004/12/13 22:48:30 willuhn
* *** empty log message ***
*
* Revision 1.5 2004/11/12 18:23:58 willuhn
* *** empty log message ***
*
* Revision 1.4 2004/11/05 20:00:44 willuhn
* @D javadoc fixes
*
* Revision 1.3 2004/10/12 23:49:31 willuhn
* *** empty log message ***
*
* Revision 1.2 2004/10/11 22:41:17 willuhn
* *** empty log message ***
*
* Revision 1.1 2004/10/08 16:41:58 willuhn
* *** empty log message ***
*
**********************************************************************/ |
212282_13 | /**********************************************************************
*
* Copyright (c) 2004 Olaf Willuhn
* All rights reserved.
*
* This software is copyrighted work licensed under the terms of the
* Jameica License. Please consult the file "LICENSE" for details.
*
**********************************************************************/
package de.willuhn.jameica.gui;
import java.rmi.RemoteException;
import java.util.ArrayList;
import net.n3.nanoxml.IXMLElement;
import de.willuhn.datasource.GenericIterator;
import de.willuhn.datasource.GenericObject;
import de.willuhn.datasource.GenericObjectNode;
import de.willuhn.datasource.pseudo.PseudoIterator;
import de.willuhn.jameica.services.BeanService;
import de.willuhn.jameica.system.Application;
import de.willuhn.logging.Logger;
import de.willuhn.util.I18N;
/**
* @author willuhn
*/
public abstract class AbstractItemXml implements Item
{
protected Item parent;
protected IXMLElement path;
protected I18N i18n = Application.getI18n();
protected ArrayList<Item> childs = new ArrayList<Item>();
private Action action = null;
private boolean enabled = true;
/**
* ct.
* @param parent das Eltern-Element.
* @param path Pfad in der XML-Datei.
* @param i18n optionaler Uebersetzer, um die Menu/Navi-Eintraege in die
* ausgewaehlte Sprache uebersetzen zu koennen.
*/
AbstractItemXml(Item parent, IXMLElement path, I18N i18n)
{
this.parent = parent;
this.path = path;
if (i18n != null)
this.i18n = i18n;
String s = path.getAttribute("enabled",null);
this.enabled = s == null || s.equalsIgnoreCase("true");
}
/**
* @see de.willuhn.jameica.gui.Item#getName()
*/
public String getName()
{
String name = path.getAttribute("name",null);
return name == null ? null : i18n.tr(name);
}
/**
* @see de.willuhn.jameica.gui.Item#isEnabled()
*/
public boolean isEnabled() throws RemoteException
{
return this.enabled;
}
/**
* @see de.willuhn.jameica.gui.Item#setEnabled(boolean, boolean)
*/
public void setEnabled(boolean enabled, boolean recursive) throws RemoteException
{
this.enabled = enabled;
}
/**
* @see de.willuhn.jameica.gui.Item#getAction()
*/
public Action getAction()
{
if (action != null)
return action; // hatten wir schonmal geladen
String s = path.getAttribute("action",null);
if (s == null)
return null;
try
{
Class c = Application.getClassLoader().load(s);
BeanService beanService = Application.getBootLoader().getBootable(BeanService.class);
action = (Action) beanService.get(c);
return action;
}
catch (Exception e)
{
Logger.error("error while instantiating action " + s,e);
}
return null;
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getChildren()
*/
public GenericIterator getChildren() throws RemoteException
{
return PseudoIterator.fromArray(childs.toArray(new Item[childs.size()]));
}
/**
* @see de.willuhn.datasource.GenericObjectNode#hasChild(de.willuhn.datasource.GenericObjectNode)
*/
public boolean hasChild(GenericObjectNode object) throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getParent()
*/
public GenericObjectNode getParent() throws RemoteException
{
return this.parent;
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getPossibleParents()
*/
public GenericIterator getPossibleParents() throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getPath()
*/
public GenericIterator getPath() throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObject#getAttribute(java.lang.String)
*/
public Object getAttribute(String name) throws RemoteException
{
if ("name".equals(name))
return getName();
return path.getAttribute(name,null);
}
/**
* @see de.willuhn.datasource.GenericObject#getID()
*/
public String getID()
{
String id = this.path.getAttribute("id",null);
return id != null ? id : this.path.getFullName() + ":" + this.path.getLineNr();
}
/**
* @see de.willuhn.jameica.gui.extension.Extendable#getExtendableID()
*/
public String getExtendableID()
{
return getID();
}
/**
* @see de.willuhn.datasource.GenericObject#getPrimaryAttribute()
*/
public String getPrimaryAttribute() throws RemoteException
{
return "name";
}
/**
* @see de.willuhn.datasource.GenericObject#equals(de.willuhn.datasource.GenericObject)
*/
public boolean equals(GenericObject other) throws RemoteException
{
if (other == null)
return false;
return getID().equals(other.getID());
}
/**
* @see de.willuhn.datasource.GenericObject#getAttributeNames()
*/
public String[] getAttributeNames() throws RemoteException
{
return new String[] {"name"};
}
/**
* @see de.willuhn.jameica.gui.Item#addChild(de.willuhn.jameica.gui.Item)
*/
public void addChild(Item i) throws RemoteException
{
if (i == null)
return;
childs.add(i);
}
}
/*********************************************************************
* $Log: AbstractItemXml.java,v $
* Revision 1.13 2011/08/31 07:46:41 willuhn
* @B Compile-Fixes
*
* Revision 1.12 2011-08-30 16:02:23 willuhn
* @N Alle restlichen Stellen, in denen Instanzen via Class#newInstance erzeugt wurden, gegen BeanService ersetzt. Damit kann jetzt quasi ueberall Dependency-Injection verwendet werden, wo Jameica selbst die Instanzen erzeugt
*
* Revision 1.11 2006/06/27 23:14:11 willuhn
* @N neue Attribute "expanded" und "enabled" fuer Element "item" in plugin.xml
*
* Revision 1.10 2006/04/20 08:44:03 web0
* @C s/Childs/Children/
*
* Revision 1.9 2005/05/30 12:01:33 web0
* @R removed gui packages from rmic.xml
*
* Revision 1.8 2005/05/02 11:26:03 web0
* *** empty log message ***
*
* Revision 1.7 2005/03/09 01:06:36 web0
* @D javadoc fixes
*
* Revision 1.6 2004/12/13 22:48:30 willuhn
* *** empty log message ***
*
* Revision 1.5 2004/11/12 18:23:58 willuhn
* *** empty log message ***
*
* Revision 1.4 2004/11/05 20:00:44 willuhn
* @D javadoc fixes
*
* Revision 1.3 2004/10/12 23:49:31 willuhn
* *** empty log message ***
*
* Revision 1.2 2004/10/11 22:41:17 willuhn
* *** empty log message ***
*
* Revision 1.1 2004/10/08 16:41:58 willuhn
* *** empty log message ***
*
**********************************************************************/ | willuhn/jameica | src/de/willuhn/jameica/gui/AbstractItemXml.java | 2,165 | /**
* @see de.willuhn.datasource.GenericObject#getAttribute(java.lang.String)
*/ | block_comment | nl | /**********************************************************************
*
* Copyright (c) 2004 Olaf Willuhn
* All rights reserved.
*
* This software is copyrighted work licensed under the terms of the
* Jameica License. Please consult the file "LICENSE" for details.
*
**********************************************************************/
package de.willuhn.jameica.gui;
import java.rmi.RemoteException;
import java.util.ArrayList;
import net.n3.nanoxml.IXMLElement;
import de.willuhn.datasource.GenericIterator;
import de.willuhn.datasource.GenericObject;
import de.willuhn.datasource.GenericObjectNode;
import de.willuhn.datasource.pseudo.PseudoIterator;
import de.willuhn.jameica.services.BeanService;
import de.willuhn.jameica.system.Application;
import de.willuhn.logging.Logger;
import de.willuhn.util.I18N;
/**
* @author willuhn
*/
public abstract class AbstractItemXml implements Item
{
protected Item parent;
protected IXMLElement path;
protected I18N i18n = Application.getI18n();
protected ArrayList<Item> childs = new ArrayList<Item>();
private Action action = null;
private boolean enabled = true;
/**
* ct.
* @param parent das Eltern-Element.
* @param path Pfad in der XML-Datei.
* @param i18n optionaler Uebersetzer, um die Menu/Navi-Eintraege in die
* ausgewaehlte Sprache uebersetzen zu koennen.
*/
AbstractItemXml(Item parent, IXMLElement path, I18N i18n)
{
this.parent = parent;
this.path = path;
if (i18n != null)
this.i18n = i18n;
String s = path.getAttribute("enabled",null);
this.enabled = s == null || s.equalsIgnoreCase("true");
}
/**
* @see de.willuhn.jameica.gui.Item#getName()
*/
public String getName()
{
String name = path.getAttribute("name",null);
return name == null ? null : i18n.tr(name);
}
/**
* @see de.willuhn.jameica.gui.Item#isEnabled()
*/
public boolean isEnabled() throws RemoteException
{
return this.enabled;
}
/**
* @see de.willuhn.jameica.gui.Item#setEnabled(boolean, boolean)
*/
public void setEnabled(boolean enabled, boolean recursive) throws RemoteException
{
this.enabled = enabled;
}
/**
* @see de.willuhn.jameica.gui.Item#getAction()
*/
public Action getAction()
{
if (action != null)
return action; // hatten wir schonmal geladen
String s = path.getAttribute("action",null);
if (s == null)
return null;
try
{
Class c = Application.getClassLoader().load(s);
BeanService beanService = Application.getBootLoader().getBootable(BeanService.class);
action = (Action) beanService.get(c);
return action;
}
catch (Exception e)
{
Logger.error("error while instantiating action " + s,e);
}
return null;
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getChildren()
*/
public GenericIterator getChildren() throws RemoteException
{
return PseudoIterator.fromArray(childs.toArray(new Item[childs.size()]));
}
/**
* @see de.willuhn.datasource.GenericObjectNode#hasChild(de.willuhn.datasource.GenericObjectNode)
*/
public boolean hasChild(GenericObjectNode object) throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getParent()
*/
public GenericObjectNode getParent() throws RemoteException
{
return this.parent;
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getPossibleParents()
*/
public GenericIterator getPossibleParents() throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getPath()
*/
public GenericIterator getPath() throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObject#getAttribute(java.lang.String)
<SUF>*/
public Object getAttribute(String name) throws RemoteException
{
if ("name".equals(name))
return getName();
return path.getAttribute(name,null);
}
/**
* @see de.willuhn.datasource.GenericObject#getID()
*/
public String getID()
{
String id = this.path.getAttribute("id",null);
return id != null ? id : this.path.getFullName() + ":" + this.path.getLineNr();
}
/**
* @see de.willuhn.jameica.gui.extension.Extendable#getExtendableID()
*/
public String getExtendableID()
{
return getID();
}
/**
* @see de.willuhn.datasource.GenericObject#getPrimaryAttribute()
*/
public String getPrimaryAttribute() throws RemoteException
{
return "name";
}
/**
* @see de.willuhn.datasource.GenericObject#equals(de.willuhn.datasource.GenericObject)
*/
public boolean equals(GenericObject other) throws RemoteException
{
if (other == null)
return false;
return getID().equals(other.getID());
}
/**
* @see de.willuhn.datasource.GenericObject#getAttributeNames()
*/
public String[] getAttributeNames() throws RemoteException
{
return new String[] {"name"};
}
/**
* @see de.willuhn.jameica.gui.Item#addChild(de.willuhn.jameica.gui.Item)
*/
public void addChild(Item i) throws RemoteException
{
if (i == null)
return;
childs.add(i);
}
}
/*********************************************************************
* $Log: AbstractItemXml.java,v $
* Revision 1.13 2011/08/31 07:46:41 willuhn
* @B Compile-Fixes
*
* Revision 1.12 2011-08-30 16:02:23 willuhn
* @N Alle restlichen Stellen, in denen Instanzen via Class#newInstance erzeugt wurden, gegen BeanService ersetzt. Damit kann jetzt quasi ueberall Dependency-Injection verwendet werden, wo Jameica selbst die Instanzen erzeugt
*
* Revision 1.11 2006/06/27 23:14:11 willuhn
* @N neue Attribute "expanded" und "enabled" fuer Element "item" in plugin.xml
*
* Revision 1.10 2006/04/20 08:44:03 web0
* @C s/Childs/Children/
*
* Revision 1.9 2005/05/30 12:01:33 web0
* @R removed gui packages from rmic.xml
*
* Revision 1.8 2005/05/02 11:26:03 web0
* *** empty log message ***
*
* Revision 1.7 2005/03/09 01:06:36 web0
* @D javadoc fixes
*
* Revision 1.6 2004/12/13 22:48:30 willuhn
* *** empty log message ***
*
* Revision 1.5 2004/11/12 18:23:58 willuhn
* *** empty log message ***
*
* Revision 1.4 2004/11/05 20:00:44 willuhn
* @D javadoc fixes
*
* Revision 1.3 2004/10/12 23:49:31 willuhn
* *** empty log message ***
*
* Revision 1.2 2004/10/11 22:41:17 willuhn
* *** empty log message ***
*
* Revision 1.1 2004/10/08 16:41:58 willuhn
* *** empty log message ***
*
**********************************************************************/ |
212282_14 | /**********************************************************************
*
* Copyright (c) 2004 Olaf Willuhn
* All rights reserved.
*
* This software is copyrighted work licensed under the terms of the
* Jameica License. Please consult the file "LICENSE" for details.
*
**********************************************************************/
package de.willuhn.jameica.gui;
import java.rmi.RemoteException;
import java.util.ArrayList;
import net.n3.nanoxml.IXMLElement;
import de.willuhn.datasource.GenericIterator;
import de.willuhn.datasource.GenericObject;
import de.willuhn.datasource.GenericObjectNode;
import de.willuhn.datasource.pseudo.PseudoIterator;
import de.willuhn.jameica.services.BeanService;
import de.willuhn.jameica.system.Application;
import de.willuhn.logging.Logger;
import de.willuhn.util.I18N;
/**
* @author willuhn
*/
public abstract class AbstractItemXml implements Item
{
protected Item parent;
protected IXMLElement path;
protected I18N i18n = Application.getI18n();
protected ArrayList<Item> childs = new ArrayList<Item>();
private Action action = null;
private boolean enabled = true;
/**
* ct.
* @param parent das Eltern-Element.
* @param path Pfad in der XML-Datei.
* @param i18n optionaler Uebersetzer, um die Menu/Navi-Eintraege in die
* ausgewaehlte Sprache uebersetzen zu koennen.
*/
AbstractItemXml(Item parent, IXMLElement path, I18N i18n)
{
this.parent = parent;
this.path = path;
if (i18n != null)
this.i18n = i18n;
String s = path.getAttribute("enabled",null);
this.enabled = s == null || s.equalsIgnoreCase("true");
}
/**
* @see de.willuhn.jameica.gui.Item#getName()
*/
public String getName()
{
String name = path.getAttribute("name",null);
return name == null ? null : i18n.tr(name);
}
/**
* @see de.willuhn.jameica.gui.Item#isEnabled()
*/
public boolean isEnabled() throws RemoteException
{
return this.enabled;
}
/**
* @see de.willuhn.jameica.gui.Item#setEnabled(boolean, boolean)
*/
public void setEnabled(boolean enabled, boolean recursive) throws RemoteException
{
this.enabled = enabled;
}
/**
* @see de.willuhn.jameica.gui.Item#getAction()
*/
public Action getAction()
{
if (action != null)
return action; // hatten wir schonmal geladen
String s = path.getAttribute("action",null);
if (s == null)
return null;
try
{
Class c = Application.getClassLoader().load(s);
BeanService beanService = Application.getBootLoader().getBootable(BeanService.class);
action = (Action) beanService.get(c);
return action;
}
catch (Exception e)
{
Logger.error("error while instantiating action " + s,e);
}
return null;
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getChildren()
*/
public GenericIterator getChildren() throws RemoteException
{
return PseudoIterator.fromArray(childs.toArray(new Item[childs.size()]));
}
/**
* @see de.willuhn.datasource.GenericObjectNode#hasChild(de.willuhn.datasource.GenericObjectNode)
*/
public boolean hasChild(GenericObjectNode object) throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getParent()
*/
public GenericObjectNode getParent() throws RemoteException
{
return this.parent;
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getPossibleParents()
*/
public GenericIterator getPossibleParents() throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getPath()
*/
public GenericIterator getPath() throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObject#getAttribute(java.lang.String)
*/
public Object getAttribute(String name) throws RemoteException
{
if ("name".equals(name))
return getName();
return path.getAttribute(name,null);
}
/**
* @see de.willuhn.datasource.GenericObject#getID()
*/
public String getID()
{
String id = this.path.getAttribute("id",null);
return id != null ? id : this.path.getFullName() + ":" + this.path.getLineNr();
}
/**
* @see de.willuhn.jameica.gui.extension.Extendable#getExtendableID()
*/
public String getExtendableID()
{
return getID();
}
/**
* @see de.willuhn.datasource.GenericObject#getPrimaryAttribute()
*/
public String getPrimaryAttribute() throws RemoteException
{
return "name";
}
/**
* @see de.willuhn.datasource.GenericObject#equals(de.willuhn.datasource.GenericObject)
*/
public boolean equals(GenericObject other) throws RemoteException
{
if (other == null)
return false;
return getID().equals(other.getID());
}
/**
* @see de.willuhn.datasource.GenericObject#getAttributeNames()
*/
public String[] getAttributeNames() throws RemoteException
{
return new String[] {"name"};
}
/**
* @see de.willuhn.jameica.gui.Item#addChild(de.willuhn.jameica.gui.Item)
*/
public void addChild(Item i) throws RemoteException
{
if (i == null)
return;
childs.add(i);
}
}
/*********************************************************************
* $Log: AbstractItemXml.java,v $
* Revision 1.13 2011/08/31 07:46:41 willuhn
* @B Compile-Fixes
*
* Revision 1.12 2011-08-30 16:02:23 willuhn
* @N Alle restlichen Stellen, in denen Instanzen via Class#newInstance erzeugt wurden, gegen BeanService ersetzt. Damit kann jetzt quasi ueberall Dependency-Injection verwendet werden, wo Jameica selbst die Instanzen erzeugt
*
* Revision 1.11 2006/06/27 23:14:11 willuhn
* @N neue Attribute "expanded" und "enabled" fuer Element "item" in plugin.xml
*
* Revision 1.10 2006/04/20 08:44:03 web0
* @C s/Childs/Children/
*
* Revision 1.9 2005/05/30 12:01:33 web0
* @R removed gui packages from rmic.xml
*
* Revision 1.8 2005/05/02 11:26:03 web0
* *** empty log message ***
*
* Revision 1.7 2005/03/09 01:06:36 web0
* @D javadoc fixes
*
* Revision 1.6 2004/12/13 22:48:30 willuhn
* *** empty log message ***
*
* Revision 1.5 2004/11/12 18:23:58 willuhn
* *** empty log message ***
*
* Revision 1.4 2004/11/05 20:00:44 willuhn
* @D javadoc fixes
*
* Revision 1.3 2004/10/12 23:49:31 willuhn
* *** empty log message ***
*
* Revision 1.2 2004/10/11 22:41:17 willuhn
* *** empty log message ***
*
* Revision 1.1 2004/10/08 16:41:58 willuhn
* *** empty log message ***
*
**********************************************************************/ | willuhn/jameica | src/de/willuhn/jameica/gui/AbstractItemXml.java | 2,165 | /**
* @see de.willuhn.datasource.GenericObject#getID()
*/ | block_comment | nl | /**********************************************************************
*
* Copyright (c) 2004 Olaf Willuhn
* All rights reserved.
*
* This software is copyrighted work licensed under the terms of the
* Jameica License. Please consult the file "LICENSE" for details.
*
**********************************************************************/
package de.willuhn.jameica.gui;
import java.rmi.RemoteException;
import java.util.ArrayList;
import net.n3.nanoxml.IXMLElement;
import de.willuhn.datasource.GenericIterator;
import de.willuhn.datasource.GenericObject;
import de.willuhn.datasource.GenericObjectNode;
import de.willuhn.datasource.pseudo.PseudoIterator;
import de.willuhn.jameica.services.BeanService;
import de.willuhn.jameica.system.Application;
import de.willuhn.logging.Logger;
import de.willuhn.util.I18N;
/**
* @author willuhn
*/
public abstract class AbstractItemXml implements Item
{
protected Item parent;
protected IXMLElement path;
protected I18N i18n = Application.getI18n();
protected ArrayList<Item> childs = new ArrayList<Item>();
private Action action = null;
private boolean enabled = true;
/**
* ct.
* @param parent das Eltern-Element.
* @param path Pfad in der XML-Datei.
* @param i18n optionaler Uebersetzer, um die Menu/Navi-Eintraege in die
* ausgewaehlte Sprache uebersetzen zu koennen.
*/
AbstractItemXml(Item parent, IXMLElement path, I18N i18n)
{
this.parent = parent;
this.path = path;
if (i18n != null)
this.i18n = i18n;
String s = path.getAttribute("enabled",null);
this.enabled = s == null || s.equalsIgnoreCase("true");
}
/**
* @see de.willuhn.jameica.gui.Item#getName()
*/
public String getName()
{
String name = path.getAttribute("name",null);
return name == null ? null : i18n.tr(name);
}
/**
* @see de.willuhn.jameica.gui.Item#isEnabled()
*/
public boolean isEnabled() throws RemoteException
{
return this.enabled;
}
/**
* @see de.willuhn.jameica.gui.Item#setEnabled(boolean, boolean)
*/
public void setEnabled(boolean enabled, boolean recursive) throws RemoteException
{
this.enabled = enabled;
}
/**
* @see de.willuhn.jameica.gui.Item#getAction()
*/
public Action getAction()
{
if (action != null)
return action; // hatten wir schonmal geladen
String s = path.getAttribute("action",null);
if (s == null)
return null;
try
{
Class c = Application.getClassLoader().load(s);
BeanService beanService = Application.getBootLoader().getBootable(BeanService.class);
action = (Action) beanService.get(c);
return action;
}
catch (Exception e)
{
Logger.error("error while instantiating action " + s,e);
}
return null;
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getChildren()
*/
public GenericIterator getChildren() throws RemoteException
{
return PseudoIterator.fromArray(childs.toArray(new Item[childs.size()]));
}
/**
* @see de.willuhn.datasource.GenericObjectNode#hasChild(de.willuhn.datasource.GenericObjectNode)
*/
public boolean hasChild(GenericObjectNode object) throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getParent()
*/
public GenericObjectNode getParent() throws RemoteException
{
return this.parent;
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getPossibleParents()
*/
public GenericIterator getPossibleParents() throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getPath()
*/
public GenericIterator getPath() throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObject#getAttribute(java.lang.String)
*/
public Object getAttribute(String name) throws RemoteException
{
if ("name".equals(name))
return getName();
return path.getAttribute(name,null);
}
/**
* @see de.willuhn.datasource.GenericObject#getID()
<SUF>*/
public String getID()
{
String id = this.path.getAttribute("id",null);
return id != null ? id : this.path.getFullName() + ":" + this.path.getLineNr();
}
/**
* @see de.willuhn.jameica.gui.extension.Extendable#getExtendableID()
*/
public String getExtendableID()
{
return getID();
}
/**
* @see de.willuhn.datasource.GenericObject#getPrimaryAttribute()
*/
public String getPrimaryAttribute() throws RemoteException
{
return "name";
}
/**
* @see de.willuhn.datasource.GenericObject#equals(de.willuhn.datasource.GenericObject)
*/
public boolean equals(GenericObject other) throws RemoteException
{
if (other == null)
return false;
return getID().equals(other.getID());
}
/**
* @see de.willuhn.datasource.GenericObject#getAttributeNames()
*/
public String[] getAttributeNames() throws RemoteException
{
return new String[] {"name"};
}
/**
* @see de.willuhn.jameica.gui.Item#addChild(de.willuhn.jameica.gui.Item)
*/
public void addChild(Item i) throws RemoteException
{
if (i == null)
return;
childs.add(i);
}
}
/*********************************************************************
* $Log: AbstractItemXml.java,v $
* Revision 1.13 2011/08/31 07:46:41 willuhn
* @B Compile-Fixes
*
* Revision 1.12 2011-08-30 16:02:23 willuhn
* @N Alle restlichen Stellen, in denen Instanzen via Class#newInstance erzeugt wurden, gegen BeanService ersetzt. Damit kann jetzt quasi ueberall Dependency-Injection verwendet werden, wo Jameica selbst die Instanzen erzeugt
*
* Revision 1.11 2006/06/27 23:14:11 willuhn
* @N neue Attribute "expanded" und "enabled" fuer Element "item" in plugin.xml
*
* Revision 1.10 2006/04/20 08:44:03 web0
* @C s/Childs/Children/
*
* Revision 1.9 2005/05/30 12:01:33 web0
* @R removed gui packages from rmic.xml
*
* Revision 1.8 2005/05/02 11:26:03 web0
* *** empty log message ***
*
* Revision 1.7 2005/03/09 01:06:36 web0
* @D javadoc fixes
*
* Revision 1.6 2004/12/13 22:48:30 willuhn
* *** empty log message ***
*
* Revision 1.5 2004/11/12 18:23:58 willuhn
* *** empty log message ***
*
* Revision 1.4 2004/11/05 20:00:44 willuhn
* @D javadoc fixes
*
* Revision 1.3 2004/10/12 23:49:31 willuhn
* *** empty log message ***
*
* Revision 1.2 2004/10/11 22:41:17 willuhn
* *** empty log message ***
*
* Revision 1.1 2004/10/08 16:41:58 willuhn
* *** empty log message ***
*
**********************************************************************/ |
212282_19 | /**********************************************************************
*
* Copyright (c) 2004 Olaf Willuhn
* All rights reserved.
*
* This software is copyrighted work licensed under the terms of the
* Jameica License. Please consult the file "LICENSE" for details.
*
**********************************************************************/
package de.willuhn.jameica.gui;
import java.rmi.RemoteException;
import java.util.ArrayList;
import net.n3.nanoxml.IXMLElement;
import de.willuhn.datasource.GenericIterator;
import de.willuhn.datasource.GenericObject;
import de.willuhn.datasource.GenericObjectNode;
import de.willuhn.datasource.pseudo.PseudoIterator;
import de.willuhn.jameica.services.BeanService;
import de.willuhn.jameica.system.Application;
import de.willuhn.logging.Logger;
import de.willuhn.util.I18N;
/**
* @author willuhn
*/
public abstract class AbstractItemXml implements Item
{
protected Item parent;
protected IXMLElement path;
protected I18N i18n = Application.getI18n();
protected ArrayList<Item> childs = new ArrayList<Item>();
private Action action = null;
private boolean enabled = true;
/**
* ct.
* @param parent das Eltern-Element.
* @param path Pfad in der XML-Datei.
* @param i18n optionaler Uebersetzer, um die Menu/Navi-Eintraege in die
* ausgewaehlte Sprache uebersetzen zu koennen.
*/
AbstractItemXml(Item parent, IXMLElement path, I18N i18n)
{
this.parent = parent;
this.path = path;
if (i18n != null)
this.i18n = i18n;
String s = path.getAttribute("enabled",null);
this.enabled = s == null || s.equalsIgnoreCase("true");
}
/**
* @see de.willuhn.jameica.gui.Item#getName()
*/
public String getName()
{
String name = path.getAttribute("name",null);
return name == null ? null : i18n.tr(name);
}
/**
* @see de.willuhn.jameica.gui.Item#isEnabled()
*/
public boolean isEnabled() throws RemoteException
{
return this.enabled;
}
/**
* @see de.willuhn.jameica.gui.Item#setEnabled(boolean, boolean)
*/
public void setEnabled(boolean enabled, boolean recursive) throws RemoteException
{
this.enabled = enabled;
}
/**
* @see de.willuhn.jameica.gui.Item#getAction()
*/
public Action getAction()
{
if (action != null)
return action; // hatten wir schonmal geladen
String s = path.getAttribute("action",null);
if (s == null)
return null;
try
{
Class c = Application.getClassLoader().load(s);
BeanService beanService = Application.getBootLoader().getBootable(BeanService.class);
action = (Action) beanService.get(c);
return action;
}
catch (Exception e)
{
Logger.error("error while instantiating action " + s,e);
}
return null;
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getChildren()
*/
public GenericIterator getChildren() throws RemoteException
{
return PseudoIterator.fromArray(childs.toArray(new Item[childs.size()]));
}
/**
* @see de.willuhn.datasource.GenericObjectNode#hasChild(de.willuhn.datasource.GenericObjectNode)
*/
public boolean hasChild(GenericObjectNode object) throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getParent()
*/
public GenericObjectNode getParent() throws RemoteException
{
return this.parent;
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getPossibleParents()
*/
public GenericIterator getPossibleParents() throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getPath()
*/
public GenericIterator getPath() throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObject#getAttribute(java.lang.String)
*/
public Object getAttribute(String name) throws RemoteException
{
if ("name".equals(name))
return getName();
return path.getAttribute(name,null);
}
/**
* @see de.willuhn.datasource.GenericObject#getID()
*/
public String getID()
{
String id = this.path.getAttribute("id",null);
return id != null ? id : this.path.getFullName() + ":" + this.path.getLineNr();
}
/**
* @see de.willuhn.jameica.gui.extension.Extendable#getExtendableID()
*/
public String getExtendableID()
{
return getID();
}
/**
* @see de.willuhn.datasource.GenericObject#getPrimaryAttribute()
*/
public String getPrimaryAttribute() throws RemoteException
{
return "name";
}
/**
* @see de.willuhn.datasource.GenericObject#equals(de.willuhn.datasource.GenericObject)
*/
public boolean equals(GenericObject other) throws RemoteException
{
if (other == null)
return false;
return getID().equals(other.getID());
}
/**
* @see de.willuhn.datasource.GenericObject#getAttributeNames()
*/
public String[] getAttributeNames() throws RemoteException
{
return new String[] {"name"};
}
/**
* @see de.willuhn.jameica.gui.Item#addChild(de.willuhn.jameica.gui.Item)
*/
public void addChild(Item i) throws RemoteException
{
if (i == null)
return;
childs.add(i);
}
}
/*********************************************************************
* $Log: AbstractItemXml.java,v $
* Revision 1.13 2011/08/31 07:46:41 willuhn
* @B Compile-Fixes
*
* Revision 1.12 2011-08-30 16:02:23 willuhn
* @N Alle restlichen Stellen, in denen Instanzen via Class#newInstance erzeugt wurden, gegen BeanService ersetzt. Damit kann jetzt quasi ueberall Dependency-Injection verwendet werden, wo Jameica selbst die Instanzen erzeugt
*
* Revision 1.11 2006/06/27 23:14:11 willuhn
* @N neue Attribute "expanded" und "enabled" fuer Element "item" in plugin.xml
*
* Revision 1.10 2006/04/20 08:44:03 web0
* @C s/Childs/Children/
*
* Revision 1.9 2005/05/30 12:01:33 web0
* @R removed gui packages from rmic.xml
*
* Revision 1.8 2005/05/02 11:26:03 web0
* *** empty log message ***
*
* Revision 1.7 2005/03/09 01:06:36 web0
* @D javadoc fixes
*
* Revision 1.6 2004/12/13 22:48:30 willuhn
* *** empty log message ***
*
* Revision 1.5 2004/11/12 18:23:58 willuhn
* *** empty log message ***
*
* Revision 1.4 2004/11/05 20:00:44 willuhn
* @D javadoc fixes
*
* Revision 1.3 2004/10/12 23:49:31 willuhn
* *** empty log message ***
*
* Revision 1.2 2004/10/11 22:41:17 willuhn
* *** empty log message ***
*
* Revision 1.1 2004/10/08 16:41:58 willuhn
* *** empty log message ***
*
**********************************************************************/ | willuhn/jameica | src/de/willuhn/jameica/gui/AbstractItemXml.java | 2,165 | /**
* @see de.willuhn.jameica.gui.Item#addChild(de.willuhn.jameica.gui.Item)
*/ | block_comment | nl | /**********************************************************************
*
* Copyright (c) 2004 Olaf Willuhn
* All rights reserved.
*
* This software is copyrighted work licensed under the terms of the
* Jameica License. Please consult the file "LICENSE" for details.
*
**********************************************************************/
package de.willuhn.jameica.gui;
import java.rmi.RemoteException;
import java.util.ArrayList;
import net.n3.nanoxml.IXMLElement;
import de.willuhn.datasource.GenericIterator;
import de.willuhn.datasource.GenericObject;
import de.willuhn.datasource.GenericObjectNode;
import de.willuhn.datasource.pseudo.PseudoIterator;
import de.willuhn.jameica.services.BeanService;
import de.willuhn.jameica.system.Application;
import de.willuhn.logging.Logger;
import de.willuhn.util.I18N;
/**
* @author willuhn
*/
public abstract class AbstractItemXml implements Item
{
protected Item parent;
protected IXMLElement path;
protected I18N i18n = Application.getI18n();
protected ArrayList<Item> childs = new ArrayList<Item>();
private Action action = null;
private boolean enabled = true;
/**
* ct.
* @param parent das Eltern-Element.
* @param path Pfad in der XML-Datei.
* @param i18n optionaler Uebersetzer, um die Menu/Navi-Eintraege in die
* ausgewaehlte Sprache uebersetzen zu koennen.
*/
AbstractItemXml(Item parent, IXMLElement path, I18N i18n)
{
this.parent = parent;
this.path = path;
if (i18n != null)
this.i18n = i18n;
String s = path.getAttribute("enabled",null);
this.enabled = s == null || s.equalsIgnoreCase("true");
}
/**
* @see de.willuhn.jameica.gui.Item#getName()
*/
public String getName()
{
String name = path.getAttribute("name",null);
return name == null ? null : i18n.tr(name);
}
/**
* @see de.willuhn.jameica.gui.Item#isEnabled()
*/
public boolean isEnabled() throws RemoteException
{
return this.enabled;
}
/**
* @see de.willuhn.jameica.gui.Item#setEnabled(boolean, boolean)
*/
public void setEnabled(boolean enabled, boolean recursive) throws RemoteException
{
this.enabled = enabled;
}
/**
* @see de.willuhn.jameica.gui.Item#getAction()
*/
public Action getAction()
{
if (action != null)
return action; // hatten wir schonmal geladen
String s = path.getAttribute("action",null);
if (s == null)
return null;
try
{
Class c = Application.getClassLoader().load(s);
BeanService beanService = Application.getBootLoader().getBootable(BeanService.class);
action = (Action) beanService.get(c);
return action;
}
catch (Exception e)
{
Logger.error("error while instantiating action " + s,e);
}
return null;
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getChildren()
*/
public GenericIterator getChildren() throws RemoteException
{
return PseudoIterator.fromArray(childs.toArray(new Item[childs.size()]));
}
/**
* @see de.willuhn.datasource.GenericObjectNode#hasChild(de.willuhn.datasource.GenericObjectNode)
*/
public boolean hasChild(GenericObjectNode object) throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getParent()
*/
public GenericObjectNode getParent() throws RemoteException
{
return this.parent;
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getPossibleParents()
*/
public GenericIterator getPossibleParents() throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObjectNode#getPath()
*/
public GenericIterator getPath() throws RemoteException
{
throw new UnsupportedOperationException("not implemented");
}
/**
* @see de.willuhn.datasource.GenericObject#getAttribute(java.lang.String)
*/
public Object getAttribute(String name) throws RemoteException
{
if ("name".equals(name))
return getName();
return path.getAttribute(name,null);
}
/**
* @see de.willuhn.datasource.GenericObject#getID()
*/
public String getID()
{
String id = this.path.getAttribute("id",null);
return id != null ? id : this.path.getFullName() + ":" + this.path.getLineNr();
}
/**
* @see de.willuhn.jameica.gui.extension.Extendable#getExtendableID()
*/
public String getExtendableID()
{
return getID();
}
/**
* @see de.willuhn.datasource.GenericObject#getPrimaryAttribute()
*/
public String getPrimaryAttribute() throws RemoteException
{
return "name";
}
/**
* @see de.willuhn.datasource.GenericObject#equals(de.willuhn.datasource.GenericObject)
*/
public boolean equals(GenericObject other) throws RemoteException
{
if (other == null)
return false;
return getID().equals(other.getID());
}
/**
* @see de.willuhn.datasource.GenericObject#getAttributeNames()
*/
public String[] getAttributeNames() throws RemoteException
{
return new String[] {"name"};
}
/**
* @see de.willuhn.jameica.gui.Item#addChild(de.willuhn.jameica.gui.Item)
<SUF>*/
public void addChild(Item i) throws RemoteException
{
if (i == null)
return;
childs.add(i);
}
}
/*********************************************************************
* $Log: AbstractItemXml.java,v $
* Revision 1.13 2011/08/31 07:46:41 willuhn
* @B Compile-Fixes
*
* Revision 1.12 2011-08-30 16:02:23 willuhn
* @N Alle restlichen Stellen, in denen Instanzen via Class#newInstance erzeugt wurden, gegen BeanService ersetzt. Damit kann jetzt quasi ueberall Dependency-Injection verwendet werden, wo Jameica selbst die Instanzen erzeugt
*
* Revision 1.11 2006/06/27 23:14:11 willuhn
* @N neue Attribute "expanded" und "enabled" fuer Element "item" in plugin.xml
*
* Revision 1.10 2006/04/20 08:44:03 web0
* @C s/Childs/Children/
*
* Revision 1.9 2005/05/30 12:01:33 web0
* @R removed gui packages from rmic.xml
*
* Revision 1.8 2005/05/02 11:26:03 web0
* *** empty log message ***
*
* Revision 1.7 2005/03/09 01:06:36 web0
* @D javadoc fixes
*
* Revision 1.6 2004/12/13 22:48:30 willuhn
* *** empty log message ***
*
* Revision 1.5 2004/11/12 18:23:58 willuhn
* *** empty log message ***
*
* Revision 1.4 2004/11/05 20:00:44 willuhn
* @D javadoc fixes
*
* Revision 1.3 2004/10/12 23:49:31 willuhn
* *** empty log message ***
*
* Revision 1.2 2004/10/11 22:41:17 willuhn
* *** empty log message ***
*
* Revision 1.1 2004/10/08 16:41:58 willuhn
* *** empty log message ***
*
**********************************************************************/ |
212325_0 |
package huisjetuintje;
import java.util.stream.Stream;
import huisjetuintje.model.Coo;
import huisjetuintje.model.Ovaal;
import huisjetuintje.model.Veelhoek;
import javafx.application.Application;
import javafx.scene.Group;
import javafx.scene.Scene;
import javafx.scene.canvas.Canvas;
import javafx.scene.canvas.GraphicsContext;
import javafx.scene.paint.Color;
import javafx.stage.Stage;
import huisjetuintje.model.Pixels;
public class Main extends Application {
// declaratie en initialisatie van alle punten op de wiskundige schets
// (zie opgave, linkertekening)
private Coo a = new Coo(7,2);
private Coo b = new Coo(8,2);
private Coo extra = new Coo(8,2);
private Coo c = new Coo(8,8);
private Coo d = new Coo(7,8);
private Coo e = new Coo(12,2);
private Coo f = new Coo(12,5);
private Coo g = new Coo(13,5);
private Coo h = new Coo(13,2);
private Coo x = new Coo(9,5);
private Coo y = new Coo(11,5);
private Coo z = new Coo(9,4);
private Coo u = new Coo(11,4);
private Coo k = new Coo(8,7);
private Coo l = new Coo(11,10);
private Coo m = new Coo(14,7);
private Coo v = new Coo(14,2);
private Coo p = new Coo(12,9);
private Coo q = new Coo(13,8);
private Coo r = new Coo(13,10);
private Coo s = new Coo(12,10);
private Coo center = new Coo(7.5,11);
// declaratie van alle onderdelen van de tekening
// (onderdelen van het huis en van de boom)
private Veelhoek gevel = new Veelhoek(extra,v,m,k);
private Veelhoek raam = new Veelhoek(x,y,u,z);
private Veelhoek deur = new Veelhoek(e,f,g,h);
private Veelhoek dak = new Veelhoek(k,l,m);
private Veelhoek schouw = new Veelhoek(p,q,r,s);
private Veelhoek stam = new Veelhoek(a,b,c,d);
private Ovaal kruin = new Ovaal(center,4.2,6.2);
@Override
public void start(Stage primaryStage) throws Exception {
primaryStage.setTitle("huisje tuintje");
Group group = new Group();
Canvas canvas = new Canvas(1000,750);
GraphicsContext context = canvas.getGraphicsContext2D();
context.setLineWidth(4);
// Op het canvas (1000 pixels breed, 750 pixels hoog) zal getekend worden;
// de gebruiker heeft z'n schets gemaakt op een kladblad
// met Cartesiaans assenstelsel: de oorsprong ligt linksonder,
// de rechterbovenhoek heeft coördinaten (20,15).
Pixels.stelInOpCanvas(canvas,new Coo(20,15));
// stam en kruin worden verschoven (2 eenheden naar links, 1 eenheid naar onder)
// vul aan
stam.verschuif(new Coo(-1, 0));
kruin.verschuif(new Coo(-1, 0));
// boom wordt getekend
stam.teken(Color.BROWN,context);
kruin.teken(Color.GREEN,context);
// huis wordt getekend
schouw.teken(Color.GRAY,context);
gevel.teken(Color.ORANGE,context);
raam.teken(Color.YELLOW,context);
deur.teken(Color.YELLOW,context);
dak.teken(Color.RED,context);
group.getChildren().add(canvas);
Scene scene = new Scene(group);
primaryStage.setScene(scene);
primaryStage.show();
}
public static void main(String[] args) {
launch(args);
}
}
| AdrenalineGhost/Projects | ExamenVoorbereiding/reeks9/HuisjeTuintje/src/main/java/huisjetuintje/Main.java | 1,051 | // declaratie en initialisatie van alle punten op de wiskundige schets | line_comment | nl |
package huisjetuintje;
import java.util.stream.Stream;
import huisjetuintje.model.Coo;
import huisjetuintje.model.Ovaal;
import huisjetuintje.model.Veelhoek;
import javafx.application.Application;
import javafx.scene.Group;
import javafx.scene.Scene;
import javafx.scene.canvas.Canvas;
import javafx.scene.canvas.GraphicsContext;
import javafx.scene.paint.Color;
import javafx.stage.Stage;
import huisjetuintje.model.Pixels;
public class Main extends Application {
// declaratie en<SUF>
// (zie opgave, linkertekening)
private Coo a = new Coo(7,2);
private Coo b = new Coo(8,2);
private Coo extra = new Coo(8,2);
private Coo c = new Coo(8,8);
private Coo d = new Coo(7,8);
private Coo e = new Coo(12,2);
private Coo f = new Coo(12,5);
private Coo g = new Coo(13,5);
private Coo h = new Coo(13,2);
private Coo x = new Coo(9,5);
private Coo y = new Coo(11,5);
private Coo z = new Coo(9,4);
private Coo u = new Coo(11,4);
private Coo k = new Coo(8,7);
private Coo l = new Coo(11,10);
private Coo m = new Coo(14,7);
private Coo v = new Coo(14,2);
private Coo p = new Coo(12,9);
private Coo q = new Coo(13,8);
private Coo r = new Coo(13,10);
private Coo s = new Coo(12,10);
private Coo center = new Coo(7.5,11);
// declaratie van alle onderdelen van de tekening
// (onderdelen van het huis en van de boom)
private Veelhoek gevel = new Veelhoek(extra,v,m,k);
private Veelhoek raam = new Veelhoek(x,y,u,z);
private Veelhoek deur = new Veelhoek(e,f,g,h);
private Veelhoek dak = new Veelhoek(k,l,m);
private Veelhoek schouw = new Veelhoek(p,q,r,s);
private Veelhoek stam = new Veelhoek(a,b,c,d);
private Ovaal kruin = new Ovaal(center,4.2,6.2);
@Override
public void start(Stage primaryStage) throws Exception {
primaryStage.setTitle("huisje tuintje");
Group group = new Group();
Canvas canvas = new Canvas(1000,750);
GraphicsContext context = canvas.getGraphicsContext2D();
context.setLineWidth(4);
// Op het canvas (1000 pixels breed, 750 pixels hoog) zal getekend worden;
// de gebruiker heeft z'n schets gemaakt op een kladblad
// met Cartesiaans assenstelsel: de oorsprong ligt linksonder,
// de rechterbovenhoek heeft coördinaten (20,15).
Pixels.stelInOpCanvas(canvas,new Coo(20,15));
// stam en kruin worden verschoven (2 eenheden naar links, 1 eenheid naar onder)
// vul aan
stam.verschuif(new Coo(-1, 0));
kruin.verschuif(new Coo(-1, 0));
// boom wordt getekend
stam.teken(Color.BROWN,context);
kruin.teken(Color.GREEN,context);
// huis wordt getekend
schouw.teken(Color.GRAY,context);
gevel.teken(Color.ORANGE,context);
raam.teken(Color.YELLOW,context);
deur.teken(Color.YELLOW,context);
dak.teken(Color.RED,context);
group.getChildren().add(canvas);
Scene scene = new Scene(group);
primaryStage.setScene(scene);
primaryStage.show();
}
public static void main(String[] args) {
launch(args);
}
}
|
212325_1 |
package huisjetuintje;
import java.util.stream.Stream;
import huisjetuintje.model.Coo;
import huisjetuintje.model.Ovaal;
import huisjetuintje.model.Veelhoek;
import javafx.application.Application;
import javafx.scene.Group;
import javafx.scene.Scene;
import javafx.scene.canvas.Canvas;
import javafx.scene.canvas.GraphicsContext;
import javafx.scene.paint.Color;
import javafx.stage.Stage;
import huisjetuintje.model.Pixels;
public class Main extends Application {
// declaratie en initialisatie van alle punten op de wiskundige schets
// (zie opgave, linkertekening)
private Coo a = new Coo(7,2);
private Coo b = new Coo(8,2);
private Coo extra = new Coo(8,2);
private Coo c = new Coo(8,8);
private Coo d = new Coo(7,8);
private Coo e = new Coo(12,2);
private Coo f = new Coo(12,5);
private Coo g = new Coo(13,5);
private Coo h = new Coo(13,2);
private Coo x = new Coo(9,5);
private Coo y = new Coo(11,5);
private Coo z = new Coo(9,4);
private Coo u = new Coo(11,4);
private Coo k = new Coo(8,7);
private Coo l = new Coo(11,10);
private Coo m = new Coo(14,7);
private Coo v = new Coo(14,2);
private Coo p = new Coo(12,9);
private Coo q = new Coo(13,8);
private Coo r = new Coo(13,10);
private Coo s = new Coo(12,10);
private Coo center = new Coo(7.5,11);
// declaratie van alle onderdelen van de tekening
// (onderdelen van het huis en van de boom)
private Veelhoek gevel = new Veelhoek(extra,v,m,k);
private Veelhoek raam = new Veelhoek(x,y,u,z);
private Veelhoek deur = new Veelhoek(e,f,g,h);
private Veelhoek dak = new Veelhoek(k,l,m);
private Veelhoek schouw = new Veelhoek(p,q,r,s);
private Veelhoek stam = new Veelhoek(a,b,c,d);
private Ovaal kruin = new Ovaal(center,4.2,6.2);
@Override
public void start(Stage primaryStage) throws Exception {
primaryStage.setTitle("huisje tuintje");
Group group = new Group();
Canvas canvas = new Canvas(1000,750);
GraphicsContext context = canvas.getGraphicsContext2D();
context.setLineWidth(4);
// Op het canvas (1000 pixels breed, 750 pixels hoog) zal getekend worden;
// de gebruiker heeft z'n schets gemaakt op een kladblad
// met Cartesiaans assenstelsel: de oorsprong ligt linksonder,
// de rechterbovenhoek heeft coördinaten (20,15).
Pixels.stelInOpCanvas(canvas,new Coo(20,15));
// stam en kruin worden verschoven (2 eenheden naar links, 1 eenheid naar onder)
// vul aan
stam.verschuif(new Coo(-1, 0));
kruin.verschuif(new Coo(-1, 0));
// boom wordt getekend
stam.teken(Color.BROWN,context);
kruin.teken(Color.GREEN,context);
// huis wordt getekend
schouw.teken(Color.GRAY,context);
gevel.teken(Color.ORANGE,context);
raam.teken(Color.YELLOW,context);
deur.teken(Color.YELLOW,context);
dak.teken(Color.RED,context);
group.getChildren().add(canvas);
Scene scene = new Scene(group);
primaryStage.setScene(scene);
primaryStage.show();
}
public static void main(String[] args) {
launch(args);
}
}
| AdrenalineGhost/Projects | ExamenVoorbereiding/reeks9/HuisjeTuintje/src/main/java/huisjetuintje/Main.java | 1,051 | // (zie opgave, linkertekening) | line_comment | nl |
package huisjetuintje;
import java.util.stream.Stream;
import huisjetuintje.model.Coo;
import huisjetuintje.model.Ovaal;
import huisjetuintje.model.Veelhoek;
import javafx.application.Application;
import javafx.scene.Group;
import javafx.scene.Scene;
import javafx.scene.canvas.Canvas;
import javafx.scene.canvas.GraphicsContext;
import javafx.scene.paint.Color;
import javafx.stage.Stage;
import huisjetuintje.model.Pixels;
public class Main extends Application {
// declaratie en initialisatie van alle punten op de wiskundige schets
// (zie opgave,<SUF>
private Coo a = new Coo(7,2);
private Coo b = new Coo(8,2);
private Coo extra = new Coo(8,2);
private Coo c = new Coo(8,8);
private Coo d = new Coo(7,8);
private Coo e = new Coo(12,2);
private Coo f = new Coo(12,5);
private Coo g = new Coo(13,5);
private Coo h = new Coo(13,2);
private Coo x = new Coo(9,5);
private Coo y = new Coo(11,5);
private Coo z = new Coo(9,4);
private Coo u = new Coo(11,4);
private Coo k = new Coo(8,7);
private Coo l = new Coo(11,10);
private Coo m = new Coo(14,7);
private Coo v = new Coo(14,2);
private Coo p = new Coo(12,9);
private Coo q = new Coo(13,8);
private Coo r = new Coo(13,10);
private Coo s = new Coo(12,10);
private Coo center = new Coo(7.5,11);
// declaratie van alle onderdelen van de tekening
// (onderdelen van het huis en van de boom)
private Veelhoek gevel = new Veelhoek(extra,v,m,k);
private Veelhoek raam = new Veelhoek(x,y,u,z);
private Veelhoek deur = new Veelhoek(e,f,g,h);
private Veelhoek dak = new Veelhoek(k,l,m);
private Veelhoek schouw = new Veelhoek(p,q,r,s);
private Veelhoek stam = new Veelhoek(a,b,c,d);
private Ovaal kruin = new Ovaal(center,4.2,6.2);
@Override
public void start(Stage primaryStage) throws Exception {
primaryStage.setTitle("huisje tuintje");
Group group = new Group();
Canvas canvas = new Canvas(1000,750);
GraphicsContext context = canvas.getGraphicsContext2D();
context.setLineWidth(4);
// Op het canvas (1000 pixels breed, 750 pixels hoog) zal getekend worden;
// de gebruiker heeft z'n schets gemaakt op een kladblad
// met Cartesiaans assenstelsel: de oorsprong ligt linksonder,
// de rechterbovenhoek heeft coördinaten (20,15).
Pixels.stelInOpCanvas(canvas,new Coo(20,15));
// stam en kruin worden verschoven (2 eenheden naar links, 1 eenheid naar onder)
// vul aan
stam.verschuif(new Coo(-1, 0));
kruin.verschuif(new Coo(-1, 0));
// boom wordt getekend
stam.teken(Color.BROWN,context);
kruin.teken(Color.GREEN,context);
// huis wordt getekend
schouw.teken(Color.GRAY,context);
gevel.teken(Color.ORANGE,context);
raam.teken(Color.YELLOW,context);
deur.teken(Color.YELLOW,context);
dak.teken(Color.RED,context);
group.getChildren().add(canvas);
Scene scene = new Scene(group);
primaryStage.setScene(scene);
primaryStage.show();
}
public static void main(String[] args) {
launch(args);
}
}
|
212325_2 |
package huisjetuintje;
import java.util.stream.Stream;
import huisjetuintje.model.Coo;
import huisjetuintje.model.Ovaal;
import huisjetuintje.model.Veelhoek;
import javafx.application.Application;
import javafx.scene.Group;
import javafx.scene.Scene;
import javafx.scene.canvas.Canvas;
import javafx.scene.canvas.GraphicsContext;
import javafx.scene.paint.Color;
import javafx.stage.Stage;
import huisjetuintje.model.Pixels;
public class Main extends Application {
// declaratie en initialisatie van alle punten op de wiskundige schets
// (zie opgave, linkertekening)
private Coo a = new Coo(7,2);
private Coo b = new Coo(8,2);
private Coo extra = new Coo(8,2);
private Coo c = new Coo(8,8);
private Coo d = new Coo(7,8);
private Coo e = new Coo(12,2);
private Coo f = new Coo(12,5);
private Coo g = new Coo(13,5);
private Coo h = new Coo(13,2);
private Coo x = new Coo(9,5);
private Coo y = new Coo(11,5);
private Coo z = new Coo(9,4);
private Coo u = new Coo(11,4);
private Coo k = new Coo(8,7);
private Coo l = new Coo(11,10);
private Coo m = new Coo(14,7);
private Coo v = new Coo(14,2);
private Coo p = new Coo(12,9);
private Coo q = new Coo(13,8);
private Coo r = new Coo(13,10);
private Coo s = new Coo(12,10);
private Coo center = new Coo(7.5,11);
// declaratie van alle onderdelen van de tekening
// (onderdelen van het huis en van de boom)
private Veelhoek gevel = new Veelhoek(extra,v,m,k);
private Veelhoek raam = new Veelhoek(x,y,u,z);
private Veelhoek deur = new Veelhoek(e,f,g,h);
private Veelhoek dak = new Veelhoek(k,l,m);
private Veelhoek schouw = new Veelhoek(p,q,r,s);
private Veelhoek stam = new Veelhoek(a,b,c,d);
private Ovaal kruin = new Ovaal(center,4.2,6.2);
@Override
public void start(Stage primaryStage) throws Exception {
primaryStage.setTitle("huisje tuintje");
Group group = new Group();
Canvas canvas = new Canvas(1000,750);
GraphicsContext context = canvas.getGraphicsContext2D();
context.setLineWidth(4);
// Op het canvas (1000 pixels breed, 750 pixels hoog) zal getekend worden;
// de gebruiker heeft z'n schets gemaakt op een kladblad
// met Cartesiaans assenstelsel: de oorsprong ligt linksonder,
// de rechterbovenhoek heeft coördinaten (20,15).
Pixels.stelInOpCanvas(canvas,new Coo(20,15));
// stam en kruin worden verschoven (2 eenheden naar links, 1 eenheid naar onder)
// vul aan
stam.verschuif(new Coo(-1, 0));
kruin.verschuif(new Coo(-1, 0));
// boom wordt getekend
stam.teken(Color.BROWN,context);
kruin.teken(Color.GREEN,context);
// huis wordt getekend
schouw.teken(Color.GRAY,context);
gevel.teken(Color.ORANGE,context);
raam.teken(Color.YELLOW,context);
deur.teken(Color.YELLOW,context);
dak.teken(Color.RED,context);
group.getChildren().add(canvas);
Scene scene = new Scene(group);
primaryStage.setScene(scene);
primaryStage.show();
}
public static void main(String[] args) {
launch(args);
}
}
| AdrenalineGhost/Projects | ExamenVoorbereiding/reeks9/HuisjeTuintje/src/main/java/huisjetuintje/Main.java | 1,051 | // declaratie van alle onderdelen van de tekening | line_comment | nl |
package huisjetuintje;
import java.util.stream.Stream;
import huisjetuintje.model.Coo;
import huisjetuintje.model.Ovaal;
import huisjetuintje.model.Veelhoek;
import javafx.application.Application;
import javafx.scene.Group;
import javafx.scene.Scene;
import javafx.scene.canvas.Canvas;
import javafx.scene.canvas.GraphicsContext;
import javafx.scene.paint.Color;
import javafx.stage.Stage;
import huisjetuintje.model.Pixels;
public class Main extends Application {
// declaratie en initialisatie van alle punten op de wiskundige schets
// (zie opgave, linkertekening)
private Coo a = new Coo(7,2);
private Coo b = new Coo(8,2);
private Coo extra = new Coo(8,2);
private Coo c = new Coo(8,8);
private Coo d = new Coo(7,8);
private Coo e = new Coo(12,2);
private Coo f = new Coo(12,5);
private Coo g = new Coo(13,5);
private Coo h = new Coo(13,2);
private Coo x = new Coo(9,5);
private Coo y = new Coo(11,5);
private Coo z = new Coo(9,4);
private Coo u = new Coo(11,4);
private Coo k = new Coo(8,7);
private Coo l = new Coo(11,10);
private Coo m = new Coo(14,7);
private Coo v = new Coo(14,2);
private Coo p = new Coo(12,9);
private Coo q = new Coo(13,8);
private Coo r = new Coo(13,10);
private Coo s = new Coo(12,10);
private Coo center = new Coo(7.5,11);
// declaratie van<SUF>
// (onderdelen van het huis en van de boom)
private Veelhoek gevel = new Veelhoek(extra,v,m,k);
private Veelhoek raam = new Veelhoek(x,y,u,z);
private Veelhoek deur = new Veelhoek(e,f,g,h);
private Veelhoek dak = new Veelhoek(k,l,m);
private Veelhoek schouw = new Veelhoek(p,q,r,s);
private Veelhoek stam = new Veelhoek(a,b,c,d);
private Ovaal kruin = new Ovaal(center,4.2,6.2);
@Override
public void start(Stage primaryStage) throws Exception {
primaryStage.setTitle("huisje tuintje");
Group group = new Group();
Canvas canvas = new Canvas(1000,750);
GraphicsContext context = canvas.getGraphicsContext2D();
context.setLineWidth(4);
// Op het canvas (1000 pixels breed, 750 pixels hoog) zal getekend worden;
// de gebruiker heeft z'n schets gemaakt op een kladblad
// met Cartesiaans assenstelsel: de oorsprong ligt linksonder,
// de rechterbovenhoek heeft coördinaten (20,15).
Pixels.stelInOpCanvas(canvas,new Coo(20,15));
// stam en kruin worden verschoven (2 eenheden naar links, 1 eenheid naar onder)
// vul aan
stam.verschuif(new Coo(-1, 0));
kruin.verschuif(new Coo(-1, 0));
// boom wordt getekend
stam.teken(Color.BROWN,context);
kruin.teken(Color.GREEN,context);
// huis wordt getekend
schouw.teken(Color.GRAY,context);
gevel.teken(Color.ORANGE,context);
raam.teken(Color.YELLOW,context);
deur.teken(Color.YELLOW,context);
dak.teken(Color.RED,context);
group.getChildren().add(canvas);
Scene scene = new Scene(group);
primaryStage.setScene(scene);
primaryStage.show();
}
public static void main(String[] args) {
launch(args);
}
}
|
212325_3 |
package huisjetuintje;
import java.util.stream.Stream;
import huisjetuintje.model.Coo;
import huisjetuintje.model.Ovaal;
import huisjetuintje.model.Veelhoek;
import javafx.application.Application;
import javafx.scene.Group;
import javafx.scene.Scene;
import javafx.scene.canvas.Canvas;
import javafx.scene.canvas.GraphicsContext;
import javafx.scene.paint.Color;
import javafx.stage.Stage;
import huisjetuintje.model.Pixels;
public class Main extends Application {
// declaratie en initialisatie van alle punten op de wiskundige schets
// (zie opgave, linkertekening)
private Coo a = new Coo(7,2);
private Coo b = new Coo(8,2);
private Coo extra = new Coo(8,2);
private Coo c = new Coo(8,8);
private Coo d = new Coo(7,8);
private Coo e = new Coo(12,2);
private Coo f = new Coo(12,5);
private Coo g = new Coo(13,5);
private Coo h = new Coo(13,2);
private Coo x = new Coo(9,5);
private Coo y = new Coo(11,5);
private Coo z = new Coo(9,4);
private Coo u = new Coo(11,4);
private Coo k = new Coo(8,7);
private Coo l = new Coo(11,10);
private Coo m = new Coo(14,7);
private Coo v = new Coo(14,2);
private Coo p = new Coo(12,9);
private Coo q = new Coo(13,8);
private Coo r = new Coo(13,10);
private Coo s = new Coo(12,10);
private Coo center = new Coo(7.5,11);
// declaratie van alle onderdelen van de tekening
// (onderdelen van het huis en van de boom)
private Veelhoek gevel = new Veelhoek(extra,v,m,k);
private Veelhoek raam = new Veelhoek(x,y,u,z);
private Veelhoek deur = new Veelhoek(e,f,g,h);
private Veelhoek dak = new Veelhoek(k,l,m);
private Veelhoek schouw = new Veelhoek(p,q,r,s);
private Veelhoek stam = new Veelhoek(a,b,c,d);
private Ovaal kruin = new Ovaal(center,4.2,6.2);
@Override
public void start(Stage primaryStage) throws Exception {
primaryStage.setTitle("huisje tuintje");
Group group = new Group();
Canvas canvas = new Canvas(1000,750);
GraphicsContext context = canvas.getGraphicsContext2D();
context.setLineWidth(4);
// Op het canvas (1000 pixels breed, 750 pixels hoog) zal getekend worden;
// de gebruiker heeft z'n schets gemaakt op een kladblad
// met Cartesiaans assenstelsel: de oorsprong ligt linksonder,
// de rechterbovenhoek heeft coördinaten (20,15).
Pixels.stelInOpCanvas(canvas,new Coo(20,15));
// stam en kruin worden verschoven (2 eenheden naar links, 1 eenheid naar onder)
// vul aan
stam.verschuif(new Coo(-1, 0));
kruin.verschuif(new Coo(-1, 0));
// boom wordt getekend
stam.teken(Color.BROWN,context);
kruin.teken(Color.GREEN,context);
// huis wordt getekend
schouw.teken(Color.GRAY,context);
gevel.teken(Color.ORANGE,context);
raam.teken(Color.YELLOW,context);
deur.teken(Color.YELLOW,context);
dak.teken(Color.RED,context);
group.getChildren().add(canvas);
Scene scene = new Scene(group);
primaryStage.setScene(scene);
primaryStage.show();
}
public static void main(String[] args) {
launch(args);
}
}
| AdrenalineGhost/Projects | ExamenVoorbereiding/reeks9/HuisjeTuintje/src/main/java/huisjetuintje/Main.java | 1,051 | // (onderdelen van het huis en van de boom) | line_comment | nl |
package huisjetuintje;
import java.util.stream.Stream;
import huisjetuintje.model.Coo;
import huisjetuintje.model.Ovaal;
import huisjetuintje.model.Veelhoek;
import javafx.application.Application;
import javafx.scene.Group;
import javafx.scene.Scene;
import javafx.scene.canvas.Canvas;
import javafx.scene.canvas.GraphicsContext;
import javafx.scene.paint.Color;
import javafx.stage.Stage;
import huisjetuintje.model.Pixels;
public class Main extends Application {
// declaratie en initialisatie van alle punten op de wiskundige schets
// (zie opgave, linkertekening)
private Coo a = new Coo(7,2);
private Coo b = new Coo(8,2);
private Coo extra = new Coo(8,2);
private Coo c = new Coo(8,8);
private Coo d = new Coo(7,8);
private Coo e = new Coo(12,2);
private Coo f = new Coo(12,5);
private Coo g = new Coo(13,5);
private Coo h = new Coo(13,2);
private Coo x = new Coo(9,5);
private Coo y = new Coo(11,5);
private Coo z = new Coo(9,4);
private Coo u = new Coo(11,4);
private Coo k = new Coo(8,7);
private Coo l = new Coo(11,10);
private Coo m = new Coo(14,7);
private Coo v = new Coo(14,2);
private Coo p = new Coo(12,9);
private Coo q = new Coo(13,8);
private Coo r = new Coo(13,10);
private Coo s = new Coo(12,10);
private Coo center = new Coo(7.5,11);
// declaratie van alle onderdelen van de tekening
// (onderdelen van<SUF>
private Veelhoek gevel = new Veelhoek(extra,v,m,k);
private Veelhoek raam = new Veelhoek(x,y,u,z);
private Veelhoek deur = new Veelhoek(e,f,g,h);
private Veelhoek dak = new Veelhoek(k,l,m);
private Veelhoek schouw = new Veelhoek(p,q,r,s);
private Veelhoek stam = new Veelhoek(a,b,c,d);
private Ovaal kruin = new Ovaal(center,4.2,6.2);
@Override
public void start(Stage primaryStage) throws Exception {
primaryStage.setTitle("huisje tuintje");
Group group = new Group();
Canvas canvas = new Canvas(1000,750);
GraphicsContext context = canvas.getGraphicsContext2D();
context.setLineWidth(4);
// Op het canvas (1000 pixels breed, 750 pixels hoog) zal getekend worden;
// de gebruiker heeft z'n schets gemaakt op een kladblad
// met Cartesiaans assenstelsel: de oorsprong ligt linksonder,
// de rechterbovenhoek heeft coördinaten (20,15).
Pixels.stelInOpCanvas(canvas,new Coo(20,15));
// stam en kruin worden verschoven (2 eenheden naar links, 1 eenheid naar onder)
// vul aan
stam.verschuif(new Coo(-1, 0));
kruin.verschuif(new Coo(-1, 0));
// boom wordt getekend
stam.teken(Color.BROWN,context);
kruin.teken(Color.GREEN,context);
// huis wordt getekend
schouw.teken(Color.GRAY,context);
gevel.teken(Color.ORANGE,context);
raam.teken(Color.YELLOW,context);
deur.teken(Color.YELLOW,context);
dak.teken(Color.RED,context);
group.getChildren().add(canvas);
Scene scene = new Scene(group);
primaryStage.setScene(scene);
primaryStage.show();
}
public static void main(String[] args) {
launch(args);
}
}
|
212325_4 |
package huisjetuintje;
import java.util.stream.Stream;
import huisjetuintje.model.Coo;
import huisjetuintje.model.Ovaal;
import huisjetuintje.model.Veelhoek;
import javafx.application.Application;
import javafx.scene.Group;
import javafx.scene.Scene;
import javafx.scene.canvas.Canvas;
import javafx.scene.canvas.GraphicsContext;
import javafx.scene.paint.Color;
import javafx.stage.Stage;
import huisjetuintje.model.Pixels;
public class Main extends Application {
// declaratie en initialisatie van alle punten op de wiskundige schets
// (zie opgave, linkertekening)
private Coo a = new Coo(7,2);
private Coo b = new Coo(8,2);
private Coo extra = new Coo(8,2);
private Coo c = new Coo(8,8);
private Coo d = new Coo(7,8);
private Coo e = new Coo(12,2);
private Coo f = new Coo(12,5);
private Coo g = new Coo(13,5);
private Coo h = new Coo(13,2);
private Coo x = new Coo(9,5);
private Coo y = new Coo(11,5);
private Coo z = new Coo(9,4);
private Coo u = new Coo(11,4);
private Coo k = new Coo(8,7);
private Coo l = new Coo(11,10);
private Coo m = new Coo(14,7);
private Coo v = new Coo(14,2);
private Coo p = new Coo(12,9);
private Coo q = new Coo(13,8);
private Coo r = new Coo(13,10);
private Coo s = new Coo(12,10);
private Coo center = new Coo(7.5,11);
// declaratie van alle onderdelen van de tekening
// (onderdelen van het huis en van de boom)
private Veelhoek gevel = new Veelhoek(extra,v,m,k);
private Veelhoek raam = new Veelhoek(x,y,u,z);
private Veelhoek deur = new Veelhoek(e,f,g,h);
private Veelhoek dak = new Veelhoek(k,l,m);
private Veelhoek schouw = new Veelhoek(p,q,r,s);
private Veelhoek stam = new Veelhoek(a,b,c,d);
private Ovaal kruin = new Ovaal(center,4.2,6.2);
@Override
public void start(Stage primaryStage) throws Exception {
primaryStage.setTitle("huisje tuintje");
Group group = new Group();
Canvas canvas = new Canvas(1000,750);
GraphicsContext context = canvas.getGraphicsContext2D();
context.setLineWidth(4);
// Op het canvas (1000 pixels breed, 750 pixels hoog) zal getekend worden;
// de gebruiker heeft z'n schets gemaakt op een kladblad
// met Cartesiaans assenstelsel: de oorsprong ligt linksonder,
// de rechterbovenhoek heeft coördinaten (20,15).
Pixels.stelInOpCanvas(canvas,new Coo(20,15));
// stam en kruin worden verschoven (2 eenheden naar links, 1 eenheid naar onder)
// vul aan
stam.verschuif(new Coo(-1, 0));
kruin.verschuif(new Coo(-1, 0));
// boom wordt getekend
stam.teken(Color.BROWN,context);
kruin.teken(Color.GREEN,context);
// huis wordt getekend
schouw.teken(Color.GRAY,context);
gevel.teken(Color.ORANGE,context);
raam.teken(Color.YELLOW,context);
deur.teken(Color.YELLOW,context);
dak.teken(Color.RED,context);
group.getChildren().add(canvas);
Scene scene = new Scene(group);
primaryStage.setScene(scene);
primaryStage.show();
}
public static void main(String[] args) {
launch(args);
}
}
| AdrenalineGhost/Projects | ExamenVoorbereiding/reeks9/HuisjeTuintje/src/main/java/huisjetuintje/Main.java | 1,051 | // Op het canvas (1000 pixels breed, 750 pixels hoog) zal getekend worden; | line_comment | nl |
package huisjetuintje;
import java.util.stream.Stream;
import huisjetuintje.model.Coo;
import huisjetuintje.model.Ovaal;
import huisjetuintje.model.Veelhoek;
import javafx.application.Application;
import javafx.scene.Group;
import javafx.scene.Scene;
import javafx.scene.canvas.Canvas;
import javafx.scene.canvas.GraphicsContext;
import javafx.scene.paint.Color;
import javafx.stage.Stage;
import huisjetuintje.model.Pixels;
public class Main extends Application {
// declaratie en initialisatie van alle punten op de wiskundige schets
// (zie opgave, linkertekening)
private Coo a = new Coo(7,2);
private Coo b = new Coo(8,2);
private Coo extra = new Coo(8,2);
private Coo c = new Coo(8,8);
private Coo d = new Coo(7,8);
private Coo e = new Coo(12,2);
private Coo f = new Coo(12,5);
private Coo g = new Coo(13,5);
private Coo h = new Coo(13,2);
private Coo x = new Coo(9,5);
private Coo y = new Coo(11,5);
private Coo z = new Coo(9,4);
private Coo u = new Coo(11,4);
private Coo k = new Coo(8,7);
private Coo l = new Coo(11,10);
private Coo m = new Coo(14,7);
private Coo v = new Coo(14,2);
private Coo p = new Coo(12,9);
private Coo q = new Coo(13,8);
private Coo r = new Coo(13,10);
private Coo s = new Coo(12,10);
private Coo center = new Coo(7.5,11);
// declaratie van alle onderdelen van de tekening
// (onderdelen van het huis en van de boom)
private Veelhoek gevel = new Veelhoek(extra,v,m,k);
private Veelhoek raam = new Veelhoek(x,y,u,z);
private Veelhoek deur = new Veelhoek(e,f,g,h);
private Veelhoek dak = new Veelhoek(k,l,m);
private Veelhoek schouw = new Veelhoek(p,q,r,s);
private Veelhoek stam = new Veelhoek(a,b,c,d);
private Ovaal kruin = new Ovaal(center,4.2,6.2);
@Override
public void start(Stage primaryStage) throws Exception {
primaryStage.setTitle("huisje tuintje");
Group group = new Group();
Canvas canvas = new Canvas(1000,750);
GraphicsContext context = canvas.getGraphicsContext2D();
context.setLineWidth(4);
// Op het<SUF>
// de gebruiker heeft z'n schets gemaakt op een kladblad
// met Cartesiaans assenstelsel: de oorsprong ligt linksonder,
// de rechterbovenhoek heeft coördinaten (20,15).
Pixels.stelInOpCanvas(canvas,new Coo(20,15));
// stam en kruin worden verschoven (2 eenheden naar links, 1 eenheid naar onder)
// vul aan
stam.verschuif(new Coo(-1, 0));
kruin.verschuif(new Coo(-1, 0));
// boom wordt getekend
stam.teken(Color.BROWN,context);
kruin.teken(Color.GREEN,context);
// huis wordt getekend
schouw.teken(Color.GRAY,context);
gevel.teken(Color.ORANGE,context);
raam.teken(Color.YELLOW,context);
deur.teken(Color.YELLOW,context);
dak.teken(Color.RED,context);
group.getChildren().add(canvas);
Scene scene = new Scene(group);
primaryStage.setScene(scene);
primaryStage.show();
}
public static void main(String[] args) {
launch(args);
}
}
|
212325_5 |
package huisjetuintje;
import java.util.stream.Stream;
import huisjetuintje.model.Coo;
import huisjetuintje.model.Ovaal;
import huisjetuintje.model.Veelhoek;
import javafx.application.Application;
import javafx.scene.Group;
import javafx.scene.Scene;
import javafx.scene.canvas.Canvas;
import javafx.scene.canvas.GraphicsContext;
import javafx.scene.paint.Color;
import javafx.stage.Stage;
import huisjetuintje.model.Pixels;
public class Main extends Application {
// declaratie en initialisatie van alle punten op de wiskundige schets
// (zie opgave, linkertekening)
private Coo a = new Coo(7,2);
private Coo b = new Coo(8,2);
private Coo extra = new Coo(8,2);
private Coo c = new Coo(8,8);
private Coo d = new Coo(7,8);
private Coo e = new Coo(12,2);
private Coo f = new Coo(12,5);
private Coo g = new Coo(13,5);
private Coo h = new Coo(13,2);
private Coo x = new Coo(9,5);
private Coo y = new Coo(11,5);
private Coo z = new Coo(9,4);
private Coo u = new Coo(11,4);
private Coo k = new Coo(8,7);
private Coo l = new Coo(11,10);
private Coo m = new Coo(14,7);
private Coo v = new Coo(14,2);
private Coo p = new Coo(12,9);
private Coo q = new Coo(13,8);
private Coo r = new Coo(13,10);
private Coo s = new Coo(12,10);
private Coo center = new Coo(7.5,11);
// declaratie van alle onderdelen van de tekening
// (onderdelen van het huis en van de boom)
private Veelhoek gevel = new Veelhoek(extra,v,m,k);
private Veelhoek raam = new Veelhoek(x,y,u,z);
private Veelhoek deur = new Veelhoek(e,f,g,h);
private Veelhoek dak = new Veelhoek(k,l,m);
private Veelhoek schouw = new Veelhoek(p,q,r,s);
private Veelhoek stam = new Veelhoek(a,b,c,d);
private Ovaal kruin = new Ovaal(center,4.2,6.2);
@Override
public void start(Stage primaryStage) throws Exception {
primaryStage.setTitle("huisje tuintje");
Group group = new Group();
Canvas canvas = new Canvas(1000,750);
GraphicsContext context = canvas.getGraphicsContext2D();
context.setLineWidth(4);
// Op het canvas (1000 pixels breed, 750 pixels hoog) zal getekend worden;
// de gebruiker heeft z'n schets gemaakt op een kladblad
// met Cartesiaans assenstelsel: de oorsprong ligt linksonder,
// de rechterbovenhoek heeft coördinaten (20,15).
Pixels.stelInOpCanvas(canvas,new Coo(20,15));
// stam en kruin worden verschoven (2 eenheden naar links, 1 eenheid naar onder)
// vul aan
stam.verschuif(new Coo(-1, 0));
kruin.verschuif(new Coo(-1, 0));
// boom wordt getekend
stam.teken(Color.BROWN,context);
kruin.teken(Color.GREEN,context);
// huis wordt getekend
schouw.teken(Color.GRAY,context);
gevel.teken(Color.ORANGE,context);
raam.teken(Color.YELLOW,context);
deur.teken(Color.YELLOW,context);
dak.teken(Color.RED,context);
group.getChildren().add(canvas);
Scene scene = new Scene(group);
primaryStage.setScene(scene);
primaryStage.show();
}
public static void main(String[] args) {
launch(args);
}
}
| AdrenalineGhost/Projects | ExamenVoorbereiding/reeks9/HuisjeTuintje/src/main/java/huisjetuintje/Main.java | 1,051 | // de gebruiker heeft z'n schets gemaakt op een kladblad | line_comment | nl |
package huisjetuintje;
import java.util.stream.Stream;
import huisjetuintje.model.Coo;
import huisjetuintje.model.Ovaal;
import huisjetuintje.model.Veelhoek;
import javafx.application.Application;
import javafx.scene.Group;
import javafx.scene.Scene;
import javafx.scene.canvas.Canvas;
import javafx.scene.canvas.GraphicsContext;
import javafx.scene.paint.Color;
import javafx.stage.Stage;
import huisjetuintje.model.Pixels;
public class Main extends Application {
// declaratie en initialisatie van alle punten op de wiskundige schets
// (zie opgave, linkertekening)
private Coo a = new Coo(7,2);
private Coo b = new Coo(8,2);
private Coo extra = new Coo(8,2);
private Coo c = new Coo(8,8);
private Coo d = new Coo(7,8);
private Coo e = new Coo(12,2);
private Coo f = new Coo(12,5);
private Coo g = new Coo(13,5);
private Coo h = new Coo(13,2);
private Coo x = new Coo(9,5);
private Coo y = new Coo(11,5);
private Coo z = new Coo(9,4);
private Coo u = new Coo(11,4);
private Coo k = new Coo(8,7);
private Coo l = new Coo(11,10);
private Coo m = new Coo(14,7);
private Coo v = new Coo(14,2);
private Coo p = new Coo(12,9);
private Coo q = new Coo(13,8);
private Coo r = new Coo(13,10);
private Coo s = new Coo(12,10);
private Coo center = new Coo(7.5,11);
// declaratie van alle onderdelen van de tekening
// (onderdelen van het huis en van de boom)
private Veelhoek gevel = new Veelhoek(extra,v,m,k);
private Veelhoek raam = new Veelhoek(x,y,u,z);
private Veelhoek deur = new Veelhoek(e,f,g,h);
private Veelhoek dak = new Veelhoek(k,l,m);
private Veelhoek schouw = new Veelhoek(p,q,r,s);
private Veelhoek stam = new Veelhoek(a,b,c,d);
private Ovaal kruin = new Ovaal(center,4.2,6.2);
@Override
public void start(Stage primaryStage) throws Exception {
primaryStage.setTitle("huisje tuintje");
Group group = new Group();
Canvas canvas = new Canvas(1000,750);
GraphicsContext context = canvas.getGraphicsContext2D();
context.setLineWidth(4);
// Op het canvas (1000 pixels breed, 750 pixels hoog) zal getekend worden;
// de gebruiker<SUF>
// met Cartesiaans assenstelsel: de oorsprong ligt linksonder,
// de rechterbovenhoek heeft coördinaten (20,15).
Pixels.stelInOpCanvas(canvas,new Coo(20,15));
// stam en kruin worden verschoven (2 eenheden naar links, 1 eenheid naar onder)
// vul aan
stam.verschuif(new Coo(-1, 0));
kruin.verschuif(new Coo(-1, 0));
// boom wordt getekend
stam.teken(Color.BROWN,context);
kruin.teken(Color.GREEN,context);
// huis wordt getekend
schouw.teken(Color.GRAY,context);
gevel.teken(Color.ORANGE,context);
raam.teken(Color.YELLOW,context);
deur.teken(Color.YELLOW,context);
dak.teken(Color.RED,context);
group.getChildren().add(canvas);
Scene scene = new Scene(group);
primaryStage.setScene(scene);
primaryStage.show();
}
public static void main(String[] args) {
launch(args);
}
}
|
212325_7 |
package huisjetuintje;
import java.util.stream.Stream;
import huisjetuintje.model.Coo;
import huisjetuintje.model.Ovaal;
import huisjetuintje.model.Veelhoek;
import javafx.application.Application;
import javafx.scene.Group;
import javafx.scene.Scene;
import javafx.scene.canvas.Canvas;
import javafx.scene.canvas.GraphicsContext;
import javafx.scene.paint.Color;
import javafx.stage.Stage;
import huisjetuintje.model.Pixels;
public class Main extends Application {
// declaratie en initialisatie van alle punten op de wiskundige schets
// (zie opgave, linkertekening)
private Coo a = new Coo(7,2);
private Coo b = new Coo(8,2);
private Coo extra = new Coo(8,2);
private Coo c = new Coo(8,8);
private Coo d = new Coo(7,8);
private Coo e = new Coo(12,2);
private Coo f = new Coo(12,5);
private Coo g = new Coo(13,5);
private Coo h = new Coo(13,2);
private Coo x = new Coo(9,5);
private Coo y = new Coo(11,5);
private Coo z = new Coo(9,4);
private Coo u = new Coo(11,4);
private Coo k = new Coo(8,7);
private Coo l = new Coo(11,10);
private Coo m = new Coo(14,7);
private Coo v = new Coo(14,2);
private Coo p = new Coo(12,9);
private Coo q = new Coo(13,8);
private Coo r = new Coo(13,10);
private Coo s = new Coo(12,10);
private Coo center = new Coo(7.5,11);
// declaratie van alle onderdelen van de tekening
// (onderdelen van het huis en van de boom)
private Veelhoek gevel = new Veelhoek(extra,v,m,k);
private Veelhoek raam = new Veelhoek(x,y,u,z);
private Veelhoek deur = new Veelhoek(e,f,g,h);
private Veelhoek dak = new Veelhoek(k,l,m);
private Veelhoek schouw = new Veelhoek(p,q,r,s);
private Veelhoek stam = new Veelhoek(a,b,c,d);
private Ovaal kruin = new Ovaal(center,4.2,6.2);
@Override
public void start(Stage primaryStage) throws Exception {
primaryStage.setTitle("huisje tuintje");
Group group = new Group();
Canvas canvas = new Canvas(1000,750);
GraphicsContext context = canvas.getGraphicsContext2D();
context.setLineWidth(4);
// Op het canvas (1000 pixels breed, 750 pixels hoog) zal getekend worden;
// de gebruiker heeft z'n schets gemaakt op een kladblad
// met Cartesiaans assenstelsel: de oorsprong ligt linksonder,
// de rechterbovenhoek heeft coördinaten (20,15).
Pixels.stelInOpCanvas(canvas,new Coo(20,15));
// stam en kruin worden verschoven (2 eenheden naar links, 1 eenheid naar onder)
// vul aan
stam.verschuif(new Coo(-1, 0));
kruin.verschuif(new Coo(-1, 0));
// boom wordt getekend
stam.teken(Color.BROWN,context);
kruin.teken(Color.GREEN,context);
// huis wordt getekend
schouw.teken(Color.GRAY,context);
gevel.teken(Color.ORANGE,context);
raam.teken(Color.YELLOW,context);
deur.teken(Color.YELLOW,context);
dak.teken(Color.RED,context);
group.getChildren().add(canvas);
Scene scene = new Scene(group);
primaryStage.setScene(scene);
primaryStage.show();
}
public static void main(String[] args) {
launch(args);
}
}
| AdrenalineGhost/Projects | ExamenVoorbereiding/reeks9/HuisjeTuintje/src/main/java/huisjetuintje/Main.java | 1,051 | // de rechterbovenhoek heeft coördinaten (20,15). | line_comment | nl |
package huisjetuintje;
import java.util.stream.Stream;
import huisjetuintje.model.Coo;
import huisjetuintje.model.Ovaal;
import huisjetuintje.model.Veelhoek;
import javafx.application.Application;
import javafx.scene.Group;
import javafx.scene.Scene;
import javafx.scene.canvas.Canvas;
import javafx.scene.canvas.GraphicsContext;
import javafx.scene.paint.Color;
import javafx.stage.Stage;
import huisjetuintje.model.Pixels;
public class Main extends Application {
// declaratie en initialisatie van alle punten op de wiskundige schets
// (zie opgave, linkertekening)
private Coo a = new Coo(7,2);
private Coo b = new Coo(8,2);
private Coo extra = new Coo(8,2);
private Coo c = new Coo(8,8);
private Coo d = new Coo(7,8);
private Coo e = new Coo(12,2);
private Coo f = new Coo(12,5);
private Coo g = new Coo(13,5);
private Coo h = new Coo(13,2);
private Coo x = new Coo(9,5);
private Coo y = new Coo(11,5);
private Coo z = new Coo(9,4);
private Coo u = new Coo(11,4);
private Coo k = new Coo(8,7);
private Coo l = new Coo(11,10);
private Coo m = new Coo(14,7);
private Coo v = new Coo(14,2);
private Coo p = new Coo(12,9);
private Coo q = new Coo(13,8);
private Coo r = new Coo(13,10);
private Coo s = new Coo(12,10);
private Coo center = new Coo(7.5,11);
// declaratie van alle onderdelen van de tekening
// (onderdelen van het huis en van de boom)
private Veelhoek gevel = new Veelhoek(extra,v,m,k);
private Veelhoek raam = new Veelhoek(x,y,u,z);
private Veelhoek deur = new Veelhoek(e,f,g,h);
private Veelhoek dak = new Veelhoek(k,l,m);
private Veelhoek schouw = new Veelhoek(p,q,r,s);
private Veelhoek stam = new Veelhoek(a,b,c,d);
private Ovaal kruin = new Ovaal(center,4.2,6.2);
@Override
public void start(Stage primaryStage) throws Exception {
primaryStage.setTitle("huisje tuintje");
Group group = new Group();
Canvas canvas = new Canvas(1000,750);
GraphicsContext context = canvas.getGraphicsContext2D();
context.setLineWidth(4);
// Op het canvas (1000 pixels breed, 750 pixels hoog) zal getekend worden;
// de gebruiker heeft z'n schets gemaakt op een kladblad
// met Cartesiaans assenstelsel: de oorsprong ligt linksonder,
// de rechterbovenhoek<SUF>
Pixels.stelInOpCanvas(canvas,new Coo(20,15));
// stam en kruin worden verschoven (2 eenheden naar links, 1 eenheid naar onder)
// vul aan
stam.verschuif(new Coo(-1, 0));
kruin.verschuif(new Coo(-1, 0));
// boom wordt getekend
stam.teken(Color.BROWN,context);
kruin.teken(Color.GREEN,context);
// huis wordt getekend
schouw.teken(Color.GRAY,context);
gevel.teken(Color.ORANGE,context);
raam.teken(Color.YELLOW,context);
deur.teken(Color.YELLOW,context);
dak.teken(Color.RED,context);
group.getChildren().add(canvas);
Scene scene = new Scene(group);
primaryStage.setScene(scene);
primaryStage.show();
}
public static void main(String[] args) {
launch(args);
}
}
|
212325_8 |
package huisjetuintje;
import java.util.stream.Stream;
import huisjetuintje.model.Coo;
import huisjetuintje.model.Ovaal;
import huisjetuintje.model.Veelhoek;
import javafx.application.Application;
import javafx.scene.Group;
import javafx.scene.Scene;
import javafx.scene.canvas.Canvas;
import javafx.scene.canvas.GraphicsContext;
import javafx.scene.paint.Color;
import javafx.stage.Stage;
import huisjetuintje.model.Pixels;
public class Main extends Application {
// declaratie en initialisatie van alle punten op de wiskundige schets
// (zie opgave, linkertekening)
private Coo a = new Coo(7,2);
private Coo b = new Coo(8,2);
private Coo extra = new Coo(8,2);
private Coo c = new Coo(8,8);
private Coo d = new Coo(7,8);
private Coo e = new Coo(12,2);
private Coo f = new Coo(12,5);
private Coo g = new Coo(13,5);
private Coo h = new Coo(13,2);
private Coo x = new Coo(9,5);
private Coo y = new Coo(11,5);
private Coo z = new Coo(9,4);
private Coo u = new Coo(11,4);
private Coo k = new Coo(8,7);
private Coo l = new Coo(11,10);
private Coo m = new Coo(14,7);
private Coo v = new Coo(14,2);
private Coo p = new Coo(12,9);
private Coo q = new Coo(13,8);
private Coo r = new Coo(13,10);
private Coo s = new Coo(12,10);
private Coo center = new Coo(7.5,11);
// declaratie van alle onderdelen van de tekening
// (onderdelen van het huis en van de boom)
private Veelhoek gevel = new Veelhoek(extra,v,m,k);
private Veelhoek raam = new Veelhoek(x,y,u,z);
private Veelhoek deur = new Veelhoek(e,f,g,h);
private Veelhoek dak = new Veelhoek(k,l,m);
private Veelhoek schouw = new Veelhoek(p,q,r,s);
private Veelhoek stam = new Veelhoek(a,b,c,d);
private Ovaal kruin = new Ovaal(center,4.2,6.2);
@Override
public void start(Stage primaryStage) throws Exception {
primaryStage.setTitle("huisje tuintje");
Group group = new Group();
Canvas canvas = new Canvas(1000,750);
GraphicsContext context = canvas.getGraphicsContext2D();
context.setLineWidth(4);
// Op het canvas (1000 pixels breed, 750 pixels hoog) zal getekend worden;
// de gebruiker heeft z'n schets gemaakt op een kladblad
// met Cartesiaans assenstelsel: de oorsprong ligt linksonder,
// de rechterbovenhoek heeft coördinaten (20,15).
Pixels.stelInOpCanvas(canvas,new Coo(20,15));
// stam en kruin worden verschoven (2 eenheden naar links, 1 eenheid naar onder)
// vul aan
stam.verschuif(new Coo(-1, 0));
kruin.verschuif(new Coo(-1, 0));
// boom wordt getekend
stam.teken(Color.BROWN,context);
kruin.teken(Color.GREEN,context);
// huis wordt getekend
schouw.teken(Color.GRAY,context);
gevel.teken(Color.ORANGE,context);
raam.teken(Color.YELLOW,context);
deur.teken(Color.YELLOW,context);
dak.teken(Color.RED,context);
group.getChildren().add(canvas);
Scene scene = new Scene(group);
primaryStage.setScene(scene);
primaryStage.show();
}
public static void main(String[] args) {
launch(args);
}
}
| AdrenalineGhost/Projects | ExamenVoorbereiding/reeks9/HuisjeTuintje/src/main/java/huisjetuintje/Main.java | 1,051 | // stam en kruin worden verschoven (2 eenheden naar links, 1 eenheid naar onder) | line_comment | nl |
package huisjetuintje;
import java.util.stream.Stream;
import huisjetuintje.model.Coo;
import huisjetuintje.model.Ovaal;
import huisjetuintje.model.Veelhoek;
import javafx.application.Application;
import javafx.scene.Group;
import javafx.scene.Scene;
import javafx.scene.canvas.Canvas;
import javafx.scene.canvas.GraphicsContext;
import javafx.scene.paint.Color;
import javafx.stage.Stage;
import huisjetuintje.model.Pixels;
public class Main extends Application {
// declaratie en initialisatie van alle punten op de wiskundige schets
// (zie opgave, linkertekening)
private Coo a = new Coo(7,2);
private Coo b = new Coo(8,2);
private Coo extra = new Coo(8,2);
private Coo c = new Coo(8,8);
private Coo d = new Coo(7,8);
private Coo e = new Coo(12,2);
private Coo f = new Coo(12,5);
private Coo g = new Coo(13,5);
private Coo h = new Coo(13,2);
private Coo x = new Coo(9,5);
private Coo y = new Coo(11,5);
private Coo z = new Coo(9,4);
private Coo u = new Coo(11,4);
private Coo k = new Coo(8,7);
private Coo l = new Coo(11,10);
private Coo m = new Coo(14,7);
private Coo v = new Coo(14,2);
private Coo p = new Coo(12,9);
private Coo q = new Coo(13,8);
private Coo r = new Coo(13,10);
private Coo s = new Coo(12,10);
private Coo center = new Coo(7.5,11);
// declaratie van alle onderdelen van de tekening
// (onderdelen van het huis en van de boom)
private Veelhoek gevel = new Veelhoek(extra,v,m,k);
private Veelhoek raam = new Veelhoek(x,y,u,z);
private Veelhoek deur = new Veelhoek(e,f,g,h);
private Veelhoek dak = new Veelhoek(k,l,m);
private Veelhoek schouw = new Veelhoek(p,q,r,s);
private Veelhoek stam = new Veelhoek(a,b,c,d);
private Ovaal kruin = new Ovaal(center,4.2,6.2);
@Override
public void start(Stage primaryStage) throws Exception {
primaryStage.setTitle("huisje tuintje");
Group group = new Group();
Canvas canvas = new Canvas(1000,750);
GraphicsContext context = canvas.getGraphicsContext2D();
context.setLineWidth(4);
// Op het canvas (1000 pixels breed, 750 pixels hoog) zal getekend worden;
// de gebruiker heeft z'n schets gemaakt op een kladblad
// met Cartesiaans assenstelsel: de oorsprong ligt linksonder,
// de rechterbovenhoek heeft coördinaten (20,15).
Pixels.stelInOpCanvas(canvas,new Coo(20,15));
// stam en<SUF>
// vul aan
stam.verschuif(new Coo(-1, 0));
kruin.verschuif(new Coo(-1, 0));
// boom wordt getekend
stam.teken(Color.BROWN,context);
kruin.teken(Color.GREEN,context);
// huis wordt getekend
schouw.teken(Color.GRAY,context);
gevel.teken(Color.ORANGE,context);
raam.teken(Color.YELLOW,context);
deur.teken(Color.YELLOW,context);
dak.teken(Color.RED,context);
group.getChildren().add(canvas);
Scene scene = new Scene(group);
primaryStage.setScene(scene);
primaryStage.show();
}
public static void main(String[] args) {
launch(args);
}
}
|
212325_10 |
package huisjetuintje;
import java.util.stream.Stream;
import huisjetuintje.model.Coo;
import huisjetuintje.model.Ovaal;
import huisjetuintje.model.Veelhoek;
import javafx.application.Application;
import javafx.scene.Group;
import javafx.scene.Scene;
import javafx.scene.canvas.Canvas;
import javafx.scene.canvas.GraphicsContext;
import javafx.scene.paint.Color;
import javafx.stage.Stage;
import huisjetuintje.model.Pixels;
public class Main extends Application {
// declaratie en initialisatie van alle punten op de wiskundige schets
// (zie opgave, linkertekening)
private Coo a = new Coo(7,2);
private Coo b = new Coo(8,2);
private Coo extra = new Coo(8,2);
private Coo c = new Coo(8,8);
private Coo d = new Coo(7,8);
private Coo e = new Coo(12,2);
private Coo f = new Coo(12,5);
private Coo g = new Coo(13,5);
private Coo h = new Coo(13,2);
private Coo x = new Coo(9,5);
private Coo y = new Coo(11,5);
private Coo z = new Coo(9,4);
private Coo u = new Coo(11,4);
private Coo k = new Coo(8,7);
private Coo l = new Coo(11,10);
private Coo m = new Coo(14,7);
private Coo v = new Coo(14,2);
private Coo p = new Coo(12,9);
private Coo q = new Coo(13,8);
private Coo r = new Coo(13,10);
private Coo s = new Coo(12,10);
private Coo center = new Coo(7.5,11);
// declaratie van alle onderdelen van de tekening
// (onderdelen van het huis en van de boom)
private Veelhoek gevel = new Veelhoek(extra,v,m,k);
private Veelhoek raam = new Veelhoek(x,y,u,z);
private Veelhoek deur = new Veelhoek(e,f,g,h);
private Veelhoek dak = new Veelhoek(k,l,m);
private Veelhoek schouw = new Veelhoek(p,q,r,s);
private Veelhoek stam = new Veelhoek(a,b,c,d);
private Ovaal kruin = new Ovaal(center,4.2,6.2);
@Override
public void start(Stage primaryStage) throws Exception {
primaryStage.setTitle("huisje tuintje");
Group group = new Group();
Canvas canvas = new Canvas(1000,750);
GraphicsContext context = canvas.getGraphicsContext2D();
context.setLineWidth(4);
// Op het canvas (1000 pixels breed, 750 pixels hoog) zal getekend worden;
// de gebruiker heeft z'n schets gemaakt op een kladblad
// met Cartesiaans assenstelsel: de oorsprong ligt linksonder,
// de rechterbovenhoek heeft coördinaten (20,15).
Pixels.stelInOpCanvas(canvas,new Coo(20,15));
// stam en kruin worden verschoven (2 eenheden naar links, 1 eenheid naar onder)
// vul aan
stam.verschuif(new Coo(-1, 0));
kruin.verschuif(new Coo(-1, 0));
// boom wordt getekend
stam.teken(Color.BROWN,context);
kruin.teken(Color.GREEN,context);
// huis wordt getekend
schouw.teken(Color.GRAY,context);
gevel.teken(Color.ORANGE,context);
raam.teken(Color.YELLOW,context);
deur.teken(Color.YELLOW,context);
dak.teken(Color.RED,context);
group.getChildren().add(canvas);
Scene scene = new Scene(group);
primaryStage.setScene(scene);
primaryStage.show();
}
public static void main(String[] args) {
launch(args);
}
}
| AdrenalineGhost/Projects | ExamenVoorbereiding/reeks9/HuisjeTuintje/src/main/java/huisjetuintje/Main.java | 1,051 | // huis wordt getekend | line_comment | nl |
package huisjetuintje;
import java.util.stream.Stream;
import huisjetuintje.model.Coo;
import huisjetuintje.model.Ovaal;
import huisjetuintje.model.Veelhoek;
import javafx.application.Application;
import javafx.scene.Group;
import javafx.scene.Scene;
import javafx.scene.canvas.Canvas;
import javafx.scene.canvas.GraphicsContext;
import javafx.scene.paint.Color;
import javafx.stage.Stage;
import huisjetuintje.model.Pixels;
public class Main extends Application {
// declaratie en initialisatie van alle punten op de wiskundige schets
// (zie opgave, linkertekening)
private Coo a = new Coo(7,2);
private Coo b = new Coo(8,2);
private Coo extra = new Coo(8,2);
private Coo c = new Coo(8,8);
private Coo d = new Coo(7,8);
private Coo e = new Coo(12,2);
private Coo f = new Coo(12,5);
private Coo g = new Coo(13,5);
private Coo h = new Coo(13,2);
private Coo x = new Coo(9,5);
private Coo y = new Coo(11,5);
private Coo z = new Coo(9,4);
private Coo u = new Coo(11,4);
private Coo k = new Coo(8,7);
private Coo l = new Coo(11,10);
private Coo m = new Coo(14,7);
private Coo v = new Coo(14,2);
private Coo p = new Coo(12,9);
private Coo q = new Coo(13,8);
private Coo r = new Coo(13,10);
private Coo s = new Coo(12,10);
private Coo center = new Coo(7.5,11);
// declaratie van alle onderdelen van de tekening
// (onderdelen van het huis en van de boom)
private Veelhoek gevel = new Veelhoek(extra,v,m,k);
private Veelhoek raam = new Veelhoek(x,y,u,z);
private Veelhoek deur = new Veelhoek(e,f,g,h);
private Veelhoek dak = new Veelhoek(k,l,m);
private Veelhoek schouw = new Veelhoek(p,q,r,s);
private Veelhoek stam = new Veelhoek(a,b,c,d);
private Ovaal kruin = new Ovaal(center,4.2,6.2);
@Override
public void start(Stage primaryStage) throws Exception {
primaryStage.setTitle("huisje tuintje");
Group group = new Group();
Canvas canvas = new Canvas(1000,750);
GraphicsContext context = canvas.getGraphicsContext2D();
context.setLineWidth(4);
// Op het canvas (1000 pixels breed, 750 pixels hoog) zal getekend worden;
// de gebruiker heeft z'n schets gemaakt op een kladblad
// met Cartesiaans assenstelsel: de oorsprong ligt linksonder,
// de rechterbovenhoek heeft coördinaten (20,15).
Pixels.stelInOpCanvas(canvas,new Coo(20,15));
// stam en kruin worden verschoven (2 eenheden naar links, 1 eenheid naar onder)
// vul aan
stam.verschuif(new Coo(-1, 0));
kruin.verschuif(new Coo(-1, 0));
// boom wordt getekend
stam.teken(Color.BROWN,context);
kruin.teken(Color.GREEN,context);
// huis wordt<SUF>
schouw.teken(Color.GRAY,context);
gevel.teken(Color.ORANGE,context);
raam.teken(Color.YELLOW,context);
deur.teken(Color.YELLOW,context);
dak.teken(Color.RED,context);
group.getChildren().add(canvas);
Scene scene = new Scene(group);
primaryStage.setScene(scene);
primaryStage.show();
}
public static void main(String[] args) {
launch(args);
}
}
|
212331_0 | package Java2D;
import be.uantwerpen.fti.ei.space.*;
import javax.imageio.ImageIO;
import javax.swing.*;
import java.awt.*;
import java.awt.image.BufferedImage;
import java.io.File;
import java.io.FileInputStream;
import java.io.IOException;
import java.util.Arrays;
import java.util.Properties;
public class Java2DFactory extends A_fact {
public int screenWidth;
public int screenHeight;
public double gameWidth;
public double gameHeight;
public double scaleX;
public double scaleY;
private final JFrame frame;
private final JPanel panel;
private final JLabel statusbar;
private BufferedImage g2dimage;
private Graphics2D g2d;
private BufferedImage backgroundImg;
private BufferedImage gameOverImg;
private BufferedImage youWinImg;
private double size;
/**
* Deze functie maakt een nieuw JFrame en JPanel aan en voegt een statusbar toe.
* @throws IOException
*/
public Java2DFactory() throws IOException{
readconfig();
frame = new JFrame();
statusbar = new JLabel("0");
panel = new JPanel(true) {
@Override
public void paintComponent(Graphics g) {
super.paintComponent(g);
doDrawing(g);
}
};
frame.setFocusable(true);
frame.add(panel);
frame.add(statusbar,BorderLayout.NORTH);
frame.setTitle("Space Invadors");
frame.setDefaultCloseOperation(WindowConstants.EXIT_ON_CLOSE);
frame.setResizable(true);
frame.setLocationRelativeTo(null);
frame.setVisible(true);
}
public Graphics2D getG2d() {
return g2d;
}
public JFrame getFrame() {
return frame;
}
public double getSize() {
return size;
}
/**
* Deze functie leest een config bestand in met scherm breedte en hoogte.
* @throws IOException
*/
private void readconfig() throws IOException {
FileInputStream fileInputStream = new FileInputStream("Space_Invaders/src/config.properties");
Properties prop = new Properties();
prop.load(fileInputStream);
this.screenHeight = Integer.parseInt(prop.getProperty("ScreenHeight"));
this.screenWidth = Integer.parseInt(prop.getProperty("ScreenWidth"));
}
/**
* Deze functie maakt een schalingsfactor voor x en voor y aan. Deze schaal drukt de verhouding van game afmetingen en de schermafmetingen uit.
* @param gamewidth de breedte van het game veld
* @param gameheight de hoogte van het game veld
*/
public void scaleScreen(double gamewidth, double gameheight){
gameWidth = gamewidth;
gameHeight = gameheight;
scaleX = screenWidth / gamewidth;
scaleY = screenHeight / gameheight;
}
/**
* Deze functie drukt een "game over afbeelding" af over heel het scherm.
*/
@Override
protected void gameOver() {
try{
gameOverImg = resizeImage(gameOverImg,frame.getWidth(), frame.getHeight());
} catch (Exception e){
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2d.drawImage(gameOverImg, 0, 0, null);
statusbar.setText("press space key to continue");
}
/**
* Deze functie drukt een "you win afbeelding" af over heel het scherm.
*/
@Override
protected void youWin() {
try{
youWinImg = resizeImage(youWinImg,frame.getWidth(), frame.getHeight());
} catch (Exception e){
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2d.drawImage(youWinImg, 0, 0, null);
statusbar.setText("press space key to continue");
}
/**
* deze functie hertekent het scherm.
*/
@Override
public void render() {
panel.repaint();
}
/**
* Deze funcite plaats een achtergrond op het speelveld.
* @param g Graphics
*/
private void doDrawing(Graphics g) {
Graphics2D graph2d = (Graphics2D) g;
Toolkit.getDefaultToolkit().sync();
graph2d.drawImage(g2dimage, 0, 0, null); // copy buffered image
graph2d.dispose();
if (g2d != null)
g2d.drawImage(backgroundImg,0, 0, null);
}
/**
* Met deze functie kan de grootte van een afbeelding worden aangepast.
* @param originalImage de aan te passen afbeelding
* @param targetWidth de gewenste breedte
* @param targetHeight de gewenste hoogte
* @return geeft de aangepaste afbeelding terug
*/
public BufferedImage resizeImage(BufferedImage originalImage, int targetWidth, int targetHeight){
Image resultingImage = originalImage.getScaledInstance(targetWidth, targetHeight, Image.SCALE_DEFAULT);
BufferedImage outputImage = new BufferedImage(targetWidth, targetHeight, BufferedImage.TYPE_4BYTE_ABGR_PRE);
outputImage.getGraphics().drawImage(resultingImage, 0, 0, null);
return outputImage;
}
/**
* Deze functie laad de afbeeldingen voor de achtergrond, game over en you win in.
* @throws IOException
*/
private void loadImages() throws IOException {
backgroundImg = null;
gameOverImg = null;
youWinImg = null;
backgroundImg = ImageIO.read(new File("Space_Invaders/src/recources/background.jpg"));
gameOverImg = ImageIO.read(new File("Space_Invaders/src/recources/Game over.jpg"));
youWinImg = ImageIO.read(new File("Space_Invaders/src/recources/you_win.png"));
}
/**
* Deze functie zet de game dimensies op een bepaalde waarde en zet het veld op een bepaalde locatie op het scherm.
* De achtergrond wordt over heel het veld getekend.
* @param GameWidth game breedte
* @param GameHeight game hoogte
* @throws IOException
*/
@Override
public void setGameDimensions(int GameWidth, int GameHeight) throws IOException {
size = Math.min(screenWidth /GameWidth, screenHeight /GameHeight);
System.out.println("size: "+size);
frame.setLocation(50,50);
frame.setSize(screenWidth, screenHeight);
loadImages();
try {
backgroundImg = resizeImage(backgroundImg, frame.getWidth(), frame.getHeight());
} catch(Exception e) {
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2dimage = new BufferedImage(frame.getWidth(), frame.getHeight(), BufferedImage.TYPE_4BYTE_ABGR_PRE);
g2d = g2dimage.createGraphics();
g2d.drawImage(backgroundImg,0, 0, null);
}
/**
* Deze functie zet de score en het aantal resterende levens in de statusbar.
* @param score de huidige score
* @param lives het resterende aantal levens
*/
@Override
protected void ShowStatus(int score, int lives) {
statusbar.setText("Score " + score + " lives " + lives);
statusbar.setForeground(Color.DARK_GRAY);
}
/**
* Deze funcite maakt een nieuw Java2Dplayership aan
* @return Java2DPlayerShip
* @throws IOException
*/
@Override
protected Playership CreatePlayerschip() throws IOException {
return new Java2DPlayership(this);
}
/**
* Deze funcite maakt een nieuw Java2DEnemyShip aan
* @return Java2DEnemyShip
* @throws IOException
*/
@Override
protected Enemyship CreateEnemyship() throws IOException {
return new Java2DEnemyship(this);
}
/**
* Deze functie maakt een nieuwe player bullet aan
* @return Java2DBullet
* @throws IOException
*/
@Override
protected Bullet CreateBullet() throws IOException {
return new Java2DBullet(this);
}
/**
* Deze functie maakt een nieuwe enemy bullet aan
* @return Java2DEnemyBullet
* @throws IOException
*/
@Override
protected Java2DEnemyBullet CreateEnemyBullet() throws IOException {
return new Java2DEnemyBullet(this);
}
/**
* Deze functie maakt een nieuwe positieve bonus aan
* @return Java2DPBonus
* @throws IOException
*/
@Override
protected Java2DPBonus CreatePBonus() throws IOException {
return new Java2DPBonus(this);
}
/**
* Deze functie maakt een nieuwe negatieve bonus aan
* @return Java2DNBonus
* @throws IOException
*/
@Override
protected Java2DNBonus CreateNBonus() throws IOException {
return new Java2DNBonus(this);
}
/**
* Deze functie maakt een nieuw input object aan
* @return Java2DInput
*/
@Override
protected Input CreateInput() {
return new Java2DInput(this);
}
/**
* Deze functie maakt een nieuw sound object aan.
* @return Java2DSound
*/
@Override
protected Sound CreateSound() {
return new Java2DSound();
}
}
| JurgenVanpeteghem/Space-Invaders | Space_Invaders/src/Java2D/Java2DFactory.java | 2,410 | /**
* Deze functie maakt een nieuw JFrame en JPanel aan en voegt een statusbar toe.
* @throws IOException
*/ | block_comment | nl | package Java2D;
import be.uantwerpen.fti.ei.space.*;
import javax.imageio.ImageIO;
import javax.swing.*;
import java.awt.*;
import java.awt.image.BufferedImage;
import java.io.File;
import java.io.FileInputStream;
import java.io.IOException;
import java.util.Arrays;
import java.util.Properties;
public class Java2DFactory extends A_fact {
public int screenWidth;
public int screenHeight;
public double gameWidth;
public double gameHeight;
public double scaleX;
public double scaleY;
private final JFrame frame;
private final JPanel panel;
private final JLabel statusbar;
private BufferedImage g2dimage;
private Graphics2D g2d;
private BufferedImage backgroundImg;
private BufferedImage gameOverImg;
private BufferedImage youWinImg;
private double size;
/**
* Deze functie maakt<SUF>*/
public Java2DFactory() throws IOException{
readconfig();
frame = new JFrame();
statusbar = new JLabel("0");
panel = new JPanel(true) {
@Override
public void paintComponent(Graphics g) {
super.paintComponent(g);
doDrawing(g);
}
};
frame.setFocusable(true);
frame.add(panel);
frame.add(statusbar,BorderLayout.NORTH);
frame.setTitle("Space Invadors");
frame.setDefaultCloseOperation(WindowConstants.EXIT_ON_CLOSE);
frame.setResizable(true);
frame.setLocationRelativeTo(null);
frame.setVisible(true);
}
public Graphics2D getG2d() {
return g2d;
}
public JFrame getFrame() {
return frame;
}
public double getSize() {
return size;
}
/**
* Deze functie leest een config bestand in met scherm breedte en hoogte.
* @throws IOException
*/
private void readconfig() throws IOException {
FileInputStream fileInputStream = new FileInputStream("Space_Invaders/src/config.properties");
Properties prop = new Properties();
prop.load(fileInputStream);
this.screenHeight = Integer.parseInt(prop.getProperty("ScreenHeight"));
this.screenWidth = Integer.parseInt(prop.getProperty("ScreenWidth"));
}
/**
* Deze functie maakt een schalingsfactor voor x en voor y aan. Deze schaal drukt de verhouding van game afmetingen en de schermafmetingen uit.
* @param gamewidth de breedte van het game veld
* @param gameheight de hoogte van het game veld
*/
public void scaleScreen(double gamewidth, double gameheight){
gameWidth = gamewidth;
gameHeight = gameheight;
scaleX = screenWidth / gamewidth;
scaleY = screenHeight / gameheight;
}
/**
* Deze functie drukt een "game over afbeelding" af over heel het scherm.
*/
@Override
protected void gameOver() {
try{
gameOverImg = resizeImage(gameOverImg,frame.getWidth(), frame.getHeight());
} catch (Exception e){
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2d.drawImage(gameOverImg, 0, 0, null);
statusbar.setText("press space key to continue");
}
/**
* Deze functie drukt een "you win afbeelding" af over heel het scherm.
*/
@Override
protected void youWin() {
try{
youWinImg = resizeImage(youWinImg,frame.getWidth(), frame.getHeight());
} catch (Exception e){
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2d.drawImage(youWinImg, 0, 0, null);
statusbar.setText("press space key to continue");
}
/**
* deze functie hertekent het scherm.
*/
@Override
public void render() {
panel.repaint();
}
/**
* Deze funcite plaats een achtergrond op het speelveld.
* @param g Graphics
*/
private void doDrawing(Graphics g) {
Graphics2D graph2d = (Graphics2D) g;
Toolkit.getDefaultToolkit().sync();
graph2d.drawImage(g2dimage, 0, 0, null); // copy buffered image
graph2d.dispose();
if (g2d != null)
g2d.drawImage(backgroundImg,0, 0, null);
}
/**
* Met deze functie kan de grootte van een afbeelding worden aangepast.
* @param originalImage de aan te passen afbeelding
* @param targetWidth de gewenste breedte
* @param targetHeight de gewenste hoogte
* @return geeft de aangepaste afbeelding terug
*/
public BufferedImage resizeImage(BufferedImage originalImage, int targetWidth, int targetHeight){
Image resultingImage = originalImage.getScaledInstance(targetWidth, targetHeight, Image.SCALE_DEFAULT);
BufferedImage outputImage = new BufferedImage(targetWidth, targetHeight, BufferedImage.TYPE_4BYTE_ABGR_PRE);
outputImage.getGraphics().drawImage(resultingImage, 0, 0, null);
return outputImage;
}
/**
* Deze functie laad de afbeeldingen voor de achtergrond, game over en you win in.
* @throws IOException
*/
private void loadImages() throws IOException {
backgroundImg = null;
gameOverImg = null;
youWinImg = null;
backgroundImg = ImageIO.read(new File("Space_Invaders/src/recources/background.jpg"));
gameOverImg = ImageIO.read(new File("Space_Invaders/src/recources/Game over.jpg"));
youWinImg = ImageIO.read(new File("Space_Invaders/src/recources/you_win.png"));
}
/**
* Deze functie zet de game dimensies op een bepaalde waarde en zet het veld op een bepaalde locatie op het scherm.
* De achtergrond wordt over heel het veld getekend.
* @param GameWidth game breedte
* @param GameHeight game hoogte
* @throws IOException
*/
@Override
public void setGameDimensions(int GameWidth, int GameHeight) throws IOException {
size = Math.min(screenWidth /GameWidth, screenHeight /GameHeight);
System.out.println("size: "+size);
frame.setLocation(50,50);
frame.setSize(screenWidth, screenHeight);
loadImages();
try {
backgroundImg = resizeImage(backgroundImg, frame.getWidth(), frame.getHeight());
} catch(Exception e) {
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2dimage = new BufferedImage(frame.getWidth(), frame.getHeight(), BufferedImage.TYPE_4BYTE_ABGR_PRE);
g2d = g2dimage.createGraphics();
g2d.drawImage(backgroundImg,0, 0, null);
}
/**
* Deze functie zet de score en het aantal resterende levens in de statusbar.
* @param score de huidige score
* @param lives het resterende aantal levens
*/
@Override
protected void ShowStatus(int score, int lives) {
statusbar.setText("Score " + score + " lives " + lives);
statusbar.setForeground(Color.DARK_GRAY);
}
/**
* Deze funcite maakt een nieuw Java2Dplayership aan
* @return Java2DPlayerShip
* @throws IOException
*/
@Override
protected Playership CreatePlayerschip() throws IOException {
return new Java2DPlayership(this);
}
/**
* Deze funcite maakt een nieuw Java2DEnemyShip aan
* @return Java2DEnemyShip
* @throws IOException
*/
@Override
protected Enemyship CreateEnemyship() throws IOException {
return new Java2DEnemyship(this);
}
/**
* Deze functie maakt een nieuwe player bullet aan
* @return Java2DBullet
* @throws IOException
*/
@Override
protected Bullet CreateBullet() throws IOException {
return new Java2DBullet(this);
}
/**
* Deze functie maakt een nieuwe enemy bullet aan
* @return Java2DEnemyBullet
* @throws IOException
*/
@Override
protected Java2DEnemyBullet CreateEnemyBullet() throws IOException {
return new Java2DEnemyBullet(this);
}
/**
* Deze functie maakt een nieuwe positieve bonus aan
* @return Java2DPBonus
* @throws IOException
*/
@Override
protected Java2DPBonus CreatePBonus() throws IOException {
return new Java2DPBonus(this);
}
/**
* Deze functie maakt een nieuwe negatieve bonus aan
* @return Java2DNBonus
* @throws IOException
*/
@Override
protected Java2DNBonus CreateNBonus() throws IOException {
return new Java2DNBonus(this);
}
/**
* Deze functie maakt een nieuw input object aan
* @return Java2DInput
*/
@Override
protected Input CreateInput() {
return new Java2DInput(this);
}
/**
* Deze functie maakt een nieuw sound object aan.
* @return Java2DSound
*/
@Override
protected Sound CreateSound() {
return new Java2DSound();
}
}
|
212331_1 | package Java2D;
import be.uantwerpen.fti.ei.space.*;
import javax.imageio.ImageIO;
import javax.swing.*;
import java.awt.*;
import java.awt.image.BufferedImage;
import java.io.File;
import java.io.FileInputStream;
import java.io.IOException;
import java.util.Arrays;
import java.util.Properties;
public class Java2DFactory extends A_fact {
public int screenWidth;
public int screenHeight;
public double gameWidth;
public double gameHeight;
public double scaleX;
public double scaleY;
private final JFrame frame;
private final JPanel panel;
private final JLabel statusbar;
private BufferedImage g2dimage;
private Graphics2D g2d;
private BufferedImage backgroundImg;
private BufferedImage gameOverImg;
private BufferedImage youWinImg;
private double size;
/**
* Deze functie maakt een nieuw JFrame en JPanel aan en voegt een statusbar toe.
* @throws IOException
*/
public Java2DFactory() throws IOException{
readconfig();
frame = new JFrame();
statusbar = new JLabel("0");
panel = new JPanel(true) {
@Override
public void paintComponent(Graphics g) {
super.paintComponent(g);
doDrawing(g);
}
};
frame.setFocusable(true);
frame.add(panel);
frame.add(statusbar,BorderLayout.NORTH);
frame.setTitle("Space Invadors");
frame.setDefaultCloseOperation(WindowConstants.EXIT_ON_CLOSE);
frame.setResizable(true);
frame.setLocationRelativeTo(null);
frame.setVisible(true);
}
public Graphics2D getG2d() {
return g2d;
}
public JFrame getFrame() {
return frame;
}
public double getSize() {
return size;
}
/**
* Deze functie leest een config bestand in met scherm breedte en hoogte.
* @throws IOException
*/
private void readconfig() throws IOException {
FileInputStream fileInputStream = new FileInputStream("Space_Invaders/src/config.properties");
Properties prop = new Properties();
prop.load(fileInputStream);
this.screenHeight = Integer.parseInt(prop.getProperty("ScreenHeight"));
this.screenWidth = Integer.parseInt(prop.getProperty("ScreenWidth"));
}
/**
* Deze functie maakt een schalingsfactor voor x en voor y aan. Deze schaal drukt de verhouding van game afmetingen en de schermafmetingen uit.
* @param gamewidth de breedte van het game veld
* @param gameheight de hoogte van het game veld
*/
public void scaleScreen(double gamewidth, double gameheight){
gameWidth = gamewidth;
gameHeight = gameheight;
scaleX = screenWidth / gamewidth;
scaleY = screenHeight / gameheight;
}
/**
* Deze functie drukt een "game over afbeelding" af over heel het scherm.
*/
@Override
protected void gameOver() {
try{
gameOverImg = resizeImage(gameOverImg,frame.getWidth(), frame.getHeight());
} catch (Exception e){
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2d.drawImage(gameOverImg, 0, 0, null);
statusbar.setText("press space key to continue");
}
/**
* Deze functie drukt een "you win afbeelding" af over heel het scherm.
*/
@Override
protected void youWin() {
try{
youWinImg = resizeImage(youWinImg,frame.getWidth(), frame.getHeight());
} catch (Exception e){
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2d.drawImage(youWinImg, 0, 0, null);
statusbar.setText("press space key to continue");
}
/**
* deze functie hertekent het scherm.
*/
@Override
public void render() {
panel.repaint();
}
/**
* Deze funcite plaats een achtergrond op het speelveld.
* @param g Graphics
*/
private void doDrawing(Graphics g) {
Graphics2D graph2d = (Graphics2D) g;
Toolkit.getDefaultToolkit().sync();
graph2d.drawImage(g2dimage, 0, 0, null); // copy buffered image
graph2d.dispose();
if (g2d != null)
g2d.drawImage(backgroundImg,0, 0, null);
}
/**
* Met deze functie kan de grootte van een afbeelding worden aangepast.
* @param originalImage de aan te passen afbeelding
* @param targetWidth de gewenste breedte
* @param targetHeight de gewenste hoogte
* @return geeft de aangepaste afbeelding terug
*/
public BufferedImage resizeImage(BufferedImage originalImage, int targetWidth, int targetHeight){
Image resultingImage = originalImage.getScaledInstance(targetWidth, targetHeight, Image.SCALE_DEFAULT);
BufferedImage outputImage = new BufferedImage(targetWidth, targetHeight, BufferedImage.TYPE_4BYTE_ABGR_PRE);
outputImage.getGraphics().drawImage(resultingImage, 0, 0, null);
return outputImage;
}
/**
* Deze functie laad de afbeeldingen voor de achtergrond, game over en you win in.
* @throws IOException
*/
private void loadImages() throws IOException {
backgroundImg = null;
gameOverImg = null;
youWinImg = null;
backgroundImg = ImageIO.read(new File("Space_Invaders/src/recources/background.jpg"));
gameOverImg = ImageIO.read(new File("Space_Invaders/src/recources/Game over.jpg"));
youWinImg = ImageIO.read(new File("Space_Invaders/src/recources/you_win.png"));
}
/**
* Deze functie zet de game dimensies op een bepaalde waarde en zet het veld op een bepaalde locatie op het scherm.
* De achtergrond wordt over heel het veld getekend.
* @param GameWidth game breedte
* @param GameHeight game hoogte
* @throws IOException
*/
@Override
public void setGameDimensions(int GameWidth, int GameHeight) throws IOException {
size = Math.min(screenWidth /GameWidth, screenHeight /GameHeight);
System.out.println("size: "+size);
frame.setLocation(50,50);
frame.setSize(screenWidth, screenHeight);
loadImages();
try {
backgroundImg = resizeImage(backgroundImg, frame.getWidth(), frame.getHeight());
} catch(Exception e) {
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2dimage = new BufferedImage(frame.getWidth(), frame.getHeight(), BufferedImage.TYPE_4BYTE_ABGR_PRE);
g2d = g2dimage.createGraphics();
g2d.drawImage(backgroundImg,0, 0, null);
}
/**
* Deze functie zet de score en het aantal resterende levens in de statusbar.
* @param score de huidige score
* @param lives het resterende aantal levens
*/
@Override
protected void ShowStatus(int score, int lives) {
statusbar.setText("Score " + score + " lives " + lives);
statusbar.setForeground(Color.DARK_GRAY);
}
/**
* Deze funcite maakt een nieuw Java2Dplayership aan
* @return Java2DPlayerShip
* @throws IOException
*/
@Override
protected Playership CreatePlayerschip() throws IOException {
return new Java2DPlayership(this);
}
/**
* Deze funcite maakt een nieuw Java2DEnemyShip aan
* @return Java2DEnemyShip
* @throws IOException
*/
@Override
protected Enemyship CreateEnemyship() throws IOException {
return new Java2DEnemyship(this);
}
/**
* Deze functie maakt een nieuwe player bullet aan
* @return Java2DBullet
* @throws IOException
*/
@Override
protected Bullet CreateBullet() throws IOException {
return new Java2DBullet(this);
}
/**
* Deze functie maakt een nieuwe enemy bullet aan
* @return Java2DEnemyBullet
* @throws IOException
*/
@Override
protected Java2DEnemyBullet CreateEnemyBullet() throws IOException {
return new Java2DEnemyBullet(this);
}
/**
* Deze functie maakt een nieuwe positieve bonus aan
* @return Java2DPBonus
* @throws IOException
*/
@Override
protected Java2DPBonus CreatePBonus() throws IOException {
return new Java2DPBonus(this);
}
/**
* Deze functie maakt een nieuwe negatieve bonus aan
* @return Java2DNBonus
* @throws IOException
*/
@Override
protected Java2DNBonus CreateNBonus() throws IOException {
return new Java2DNBonus(this);
}
/**
* Deze functie maakt een nieuw input object aan
* @return Java2DInput
*/
@Override
protected Input CreateInput() {
return new Java2DInput(this);
}
/**
* Deze functie maakt een nieuw sound object aan.
* @return Java2DSound
*/
@Override
protected Sound CreateSound() {
return new Java2DSound();
}
}
| JurgenVanpeteghem/Space-Invaders | Space_Invaders/src/Java2D/Java2DFactory.java | 2,410 | /**
* Deze functie leest een config bestand in met scherm breedte en hoogte.
* @throws IOException
*/ | block_comment | nl | package Java2D;
import be.uantwerpen.fti.ei.space.*;
import javax.imageio.ImageIO;
import javax.swing.*;
import java.awt.*;
import java.awt.image.BufferedImage;
import java.io.File;
import java.io.FileInputStream;
import java.io.IOException;
import java.util.Arrays;
import java.util.Properties;
public class Java2DFactory extends A_fact {
public int screenWidth;
public int screenHeight;
public double gameWidth;
public double gameHeight;
public double scaleX;
public double scaleY;
private final JFrame frame;
private final JPanel panel;
private final JLabel statusbar;
private BufferedImage g2dimage;
private Graphics2D g2d;
private BufferedImage backgroundImg;
private BufferedImage gameOverImg;
private BufferedImage youWinImg;
private double size;
/**
* Deze functie maakt een nieuw JFrame en JPanel aan en voegt een statusbar toe.
* @throws IOException
*/
public Java2DFactory() throws IOException{
readconfig();
frame = new JFrame();
statusbar = new JLabel("0");
panel = new JPanel(true) {
@Override
public void paintComponent(Graphics g) {
super.paintComponent(g);
doDrawing(g);
}
};
frame.setFocusable(true);
frame.add(panel);
frame.add(statusbar,BorderLayout.NORTH);
frame.setTitle("Space Invadors");
frame.setDefaultCloseOperation(WindowConstants.EXIT_ON_CLOSE);
frame.setResizable(true);
frame.setLocationRelativeTo(null);
frame.setVisible(true);
}
public Graphics2D getG2d() {
return g2d;
}
public JFrame getFrame() {
return frame;
}
public double getSize() {
return size;
}
/**
* Deze functie leest<SUF>*/
private void readconfig() throws IOException {
FileInputStream fileInputStream = new FileInputStream("Space_Invaders/src/config.properties");
Properties prop = new Properties();
prop.load(fileInputStream);
this.screenHeight = Integer.parseInt(prop.getProperty("ScreenHeight"));
this.screenWidth = Integer.parseInt(prop.getProperty("ScreenWidth"));
}
/**
* Deze functie maakt een schalingsfactor voor x en voor y aan. Deze schaal drukt de verhouding van game afmetingen en de schermafmetingen uit.
* @param gamewidth de breedte van het game veld
* @param gameheight de hoogte van het game veld
*/
public void scaleScreen(double gamewidth, double gameheight){
gameWidth = gamewidth;
gameHeight = gameheight;
scaleX = screenWidth / gamewidth;
scaleY = screenHeight / gameheight;
}
/**
* Deze functie drukt een "game over afbeelding" af over heel het scherm.
*/
@Override
protected void gameOver() {
try{
gameOverImg = resizeImage(gameOverImg,frame.getWidth(), frame.getHeight());
} catch (Exception e){
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2d.drawImage(gameOverImg, 0, 0, null);
statusbar.setText("press space key to continue");
}
/**
* Deze functie drukt een "you win afbeelding" af over heel het scherm.
*/
@Override
protected void youWin() {
try{
youWinImg = resizeImage(youWinImg,frame.getWidth(), frame.getHeight());
} catch (Exception e){
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2d.drawImage(youWinImg, 0, 0, null);
statusbar.setText("press space key to continue");
}
/**
* deze functie hertekent het scherm.
*/
@Override
public void render() {
panel.repaint();
}
/**
* Deze funcite plaats een achtergrond op het speelveld.
* @param g Graphics
*/
private void doDrawing(Graphics g) {
Graphics2D graph2d = (Graphics2D) g;
Toolkit.getDefaultToolkit().sync();
graph2d.drawImage(g2dimage, 0, 0, null); // copy buffered image
graph2d.dispose();
if (g2d != null)
g2d.drawImage(backgroundImg,0, 0, null);
}
/**
* Met deze functie kan de grootte van een afbeelding worden aangepast.
* @param originalImage de aan te passen afbeelding
* @param targetWidth de gewenste breedte
* @param targetHeight de gewenste hoogte
* @return geeft de aangepaste afbeelding terug
*/
public BufferedImage resizeImage(BufferedImage originalImage, int targetWidth, int targetHeight){
Image resultingImage = originalImage.getScaledInstance(targetWidth, targetHeight, Image.SCALE_DEFAULT);
BufferedImage outputImage = new BufferedImage(targetWidth, targetHeight, BufferedImage.TYPE_4BYTE_ABGR_PRE);
outputImage.getGraphics().drawImage(resultingImage, 0, 0, null);
return outputImage;
}
/**
* Deze functie laad de afbeeldingen voor de achtergrond, game over en you win in.
* @throws IOException
*/
private void loadImages() throws IOException {
backgroundImg = null;
gameOverImg = null;
youWinImg = null;
backgroundImg = ImageIO.read(new File("Space_Invaders/src/recources/background.jpg"));
gameOverImg = ImageIO.read(new File("Space_Invaders/src/recources/Game over.jpg"));
youWinImg = ImageIO.read(new File("Space_Invaders/src/recources/you_win.png"));
}
/**
* Deze functie zet de game dimensies op een bepaalde waarde en zet het veld op een bepaalde locatie op het scherm.
* De achtergrond wordt over heel het veld getekend.
* @param GameWidth game breedte
* @param GameHeight game hoogte
* @throws IOException
*/
@Override
public void setGameDimensions(int GameWidth, int GameHeight) throws IOException {
size = Math.min(screenWidth /GameWidth, screenHeight /GameHeight);
System.out.println("size: "+size);
frame.setLocation(50,50);
frame.setSize(screenWidth, screenHeight);
loadImages();
try {
backgroundImg = resizeImage(backgroundImg, frame.getWidth(), frame.getHeight());
} catch(Exception e) {
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2dimage = new BufferedImage(frame.getWidth(), frame.getHeight(), BufferedImage.TYPE_4BYTE_ABGR_PRE);
g2d = g2dimage.createGraphics();
g2d.drawImage(backgroundImg,0, 0, null);
}
/**
* Deze functie zet de score en het aantal resterende levens in de statusbar.
* @param score de huidige score
* @param lives het resterende aantal levens
*/
@Override
protected void ShowStatus(int score, int lives) {
statusbar.setText("Score " + score + " lives " + lives);
statusbar.setForeground(Color.DARK_GRAY);
}
/**
* Deze funcite maakt een nieuw Java2Dplayership aan
* @return Java2DPlayerShip
* @throws IOException
*/
@Override
protected Playership CreatePlayerschip() throws IOException {
return new Java2DPlayership(this);
}
/**
* Deze funcite maakt een nieuw Java2DEnemyShip aan
* @return Java2DEnemyShip
* @throws IOException
*/
@Override
protected Enemyship CreateEnemyship() throws IOException {
return new Java2DEnemyship(this);
}
/**
* Deze functie maakt een nieuwe player bullet aan
* @return Java2DBullet
* @throws IOException
*/
@Override
protected Bullet CreateBullet() throws IOException {
return new Java2DBullet(this);
}
/**
* Deze functie maakt een nieuwe enemy bullet aan
* @return Java2DEnemyBullet
* @throws IOException
*/
@Override
protected Java2DEnemyBullet CreateEnemyBullet() throws IOException {
return new Java2DEnemyBullet(this);
}
/**
* Deze functie maakt een nieuwe positieve bonus aan
* @return Java2DPBonus
* @throws IOException
*/
@Override
protected Java2DPBonus CreatePBonus() throws IOException {
return new Java2DPBonus(this);
}
/**
* Deze functie maakt een nieuwe negatieve bonus aan
* @return Java2DNBonus
* @throws IOException
*/
@Override
protected Java2DNBonus CreateNBonus() throws IOException {
return new Java2DNBonus(this);
}
/**
* Deze functie maakt een nieuw input object aan
* @return Java2DInput
*/
@Override
protected Input CreateInput() {
return new Java2DInput(this);
}
/**
* Deze functie maakt een nieuw sound object aan.
* @return Java2DSound
*/
@Override
protected Sound CreateSound() {
return new Java2DSound();
}
}
|
212331_2 | package Java2D;
import be.uantwerpen.fti.ei.space.*;
import javax.imageio.ImageIO;
import javax.swing.*;
import java.awt.*;
import java.awt.image.BufferedImage;
import java.io.File;
import java.io.FileInputStream;
import java.io.IOException;
import java.util.Arrays;
import java.util.Properties;
public class Java2DFactory extends A_fact {
public int screenWidth;
public int screenHeight;
public double gameWidth;
public double gameHeight;
public double scaleX;
public double scaleY;
private final JFrame frame;
private final JPanel panel;
private final JLabel statusbar;
private BufferedImage g2dimage;
private Graphics2D g2d;
private BufferedImage backgroundImg;
private BufferedImage gameOverImg;
private BufferedImage youWinImg;
private double size;
/**
* Deze functie maakt een nieuw JFrame en JPanel aan en voegt een statusbar toe.
* @throws IOException
*/
public Java2DFactory() throws IOException{
readconfig();
frame = new JFrame();
statusbar = new JLabel("0");
panel = new JPanel(true) {
@Override
public void paintComponent(Graphics g) {
super.paintComponent(g);
doDrawing(g);
}
};
frame.setFocusable(true);
frame.add(panel);
frame.add(statusbar,BorderLayout.NORTH);
frame.setTitle("Space Invadors");
frame.setDefaultCloseOperation(WindowConstants.EXIT_ON_CLOSE);
frame.setResizable(true);
frame.setLocationRelativeTo(null);
frame.setVisible(true);
}
public Graphics2D getG2d() {
return g2d;
}
public JFrame getFrame() {
return frame;
}
public double getSize() {
return size;
}
/**
* Deze functie leest een config bestand in met scherm breedte en hoogte.
* @throws IOException
*/
private void readconfig() throws IOException {
FileInputStream fileInputStream = new FileInputStream("Space_Invaders/src/config.properties");
Properties prop = new Properties();
prop.load(fileInputStream);
this.screenHeight = Integer.parseInt(prop.getProperty("ScreenHeight"));
this.screenWidth = Integer.parseInt(prop.getProperty("ScreenWidth"));
}
/**
* Deze functie maakt een schalingsfactor voor x en voor y aan. Deze schaal drukt de verhouding van game afmetingen en de schermafmetingen uit.
* @param gamewidth de breedte van het game veld
* @param gameheight de hoogte van het game veld
*/
public void scaleScreen(double gamewidth, double gameheight){
gameWidth = gamewidth;
gameHeight = gameheight;
scaleX = screenWidth / gamewidth;
scaleY = screenHeight / gameheight;
}
/**
* Deze functie drukt een "game over afbeelding" af over heel het scherm.
*/
@Override
protected void gameOver() {
try{
gameOverImg = resizeImage(gameOverImg,frame.getWidth(), frame.getHeight());
} catch (Exception e){
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2d.drawImage(gameOverImg, 0, 0, null);
statusbar.setText("press space key to continue");
}
/**
* Deze functie drukt een "you win afbeelding" af over heel het scherm.
*/
@Override
protected void youWin() {
try{
youWinImg = resizeImage(youWinImg,frame.getWidth(), frame.getHeight());
} catch (Exception e){
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2d.drawImage(youWinImg, 0, 0, null);
statusbar.setText("press space key to continue");
}
/**
* deze functie hertekent het scherm.
*/
@Override
public void render() {
panel.repaint();
}
/**
* Deze funcite plaats een achtergrond op het speelveld.
* @param g Graphics
*/
private void doDrawing(Graphics g) {
Graphics2D graph2d = (Graphics2D) g;
Toolkit.getDefaultToolkit().sync();
graph2d.drawImage(g2dimage, 0, 0, null); // copy buffered image
graph2d.dispose();
if (g2d != null)
g2d.drawImage(backgroundImg,0, 0, null);
}
/**
* Met deze functie kan de grootte van een afbeelding worden aangepast.
* @param originalImage de aan te passen afbeelding
* @param targetWidth de gewenste breedte
* @param targetHeight de gewenste hoogte
* @return geeft de aangepaste afbeelding terug
*/
public BufferedImage resizeImage(BufferedImage originalImage, int targetWidth, int targetHeight){
Image resultingImage = originalImage.getScaledInstance(targetWidth, targetHeight, Image.SCALE_DEFAULT);
BufferedImage outputImage = new BufferedImage(targetWidth, targetHeight, BufferedImage.TYPE_4BYTE_ABGR_PRE);
outputImage.getGraphics().drawImage(resultingImage, 0, 0, null);
return outputImage;
}
/**
* Deze functie laad de afbeeldingen voor de achtergrond, game over en you win in.
* @throws IOException
*/
private void loadImages() throws IOException {
backgroundImg = null;
gameOverImg = null;
youWinImg = null;
backgroundImg = ImageIO.read(new File("Space_Invaders/src/recources/background.jpg"));
gameOverImg = ImageIO.read(new File("Space_Invaders/src/recources/Game over.jpg"));
youWinImg = ImageIO.read(new File("Space_Invaders/src/recources/you_win.png"));
}
/**
* Deze functie zet de game dimensies op een bepaalde waarde en zet het veld op een bepaalde locatie op het scherm.
* De achtergrond wordt over heel het veld getekend.
* @param GameWidth game breedte
* @param GameHeight game hoogte
* @throws IOException
*/
@Override
public void setGameDimensions(int GameWidth, int GameHeight) throws IOException {
size = Math.min(screenWidth /GameWidth, screenHeight /GameHeight);
System.out.println("size: "+size);
frame.setLocation(50,50);
frame.setSize(screenWidth, screenHeight);
loadImages();
try {
backgroundImg = resizeImage(backgroundImg, frame.getWidth(), frame.getHeight());
} catch(Exception e) {
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2dimage = new BufferedImage(frame.getWidth(), frame.getHeight(), BufferedImage.TYPE_4BYTE_ABGR_PRE);
g2d = g2dimage.createGraphics();
g2d.drawImage(backgroundImg,0, 0, null);
}
/**
* Deze functie zet de score en het aantal resterende levens in de statusbar.
* @param score de huidige score
* @param lives het resterende aantal levens
*/
@Override
protected void ShowStatus(int score, int lives) {
statusbar.setText("Score " + score + " lives " + lives);
statusbar.setForeground(Color.DARK_GRAY);
}
/**
* Deze funcite maakt een nieuw Java2Dplayership aan
* @return Java2DPlayerShip
* @throws IOException
*/
@Override
protected Playership CreatePlayerschip() throws IOException {
return new Java2DPlayership(this);
}
/**
* Deze funcite maakt een nieuw Java2DEnemyShip aan
* @return Java2DEnemyShip
* @throws IOException
*/
@Override
protected Enemyship CreateEnemyship() throws IOException {
return new Java2DEnemyship(this);
}
/**
* Deze functie maakt een nieuwe player bullet aan
* @return Java2DBullet
* @throws IOException
*/
@Override
protected Bullet CreateBullet() throws IOException {
return new Java2DBullet(this);
}
/**
* Deze functie maakt een nieuwe enemy bullet aan
* @return Java2DEnemyBullet
* @throws IOException
*/
@Override
protected Java2DEnemyBullet CreateEnemyBullet() throws IOException {
return new Java2DEnemyBullet(this);
}
/**
* Deze functie maakt een nieuwe positieve bonus aan
* @return Java2DPBonus
* @throws IOException
*/
@Override
protected Java2DPBonus CreatePBonus() throws IOException {
return new Java2DPBonus(this);
}
/**
* Deze functie maakt een nieuwe negatieve bonus aan
* @return Java2DNBonus
* @throws IOException
*/
@Override
protected Java2DNBonus CreateNBonus() throws IOException {
return new Java2DNBonus(this);
}
/**
* Deze functie maakt een nieuw input object aan
* @return Java2DInput
*/
@Override
protected Input CreateInput() {
return new Java2DInput(this);
}
/**
* Deze functie maakt een nieuw sound object aan.
* @return Java2DSound
*/
@Override
protected Sound CreateSound() {
return new Java2DSound();
}
}
| JurgenVanpeteghem/Space-Invaders | Space_Invaders/src/Java2D/Java2DFactory.java | 2,410 | /**
* Deze functie maakt een schalingsfactor voor x en voor y aan. Deze schaal drukt de verhouding van game afmetingen en de schermafmetingen uit.
* @param gamewidth de breedte van het game veld
* @param gameheight de hoogte van het game veld
*/ | block_comment | nl | package Java2D;
import be.uantwerpen.fti.ei.space.*;
import javax.imageio.ImageIO;
import javax.swing.*;
import java.awt.*;
import java.awt.image.BufferedImage;
import java.io.File;
import java.io.FileInputStream;
import java.io.IOException;
import java.util.Arrays;
import java.util.Properties;
public class Java2DFactory extends A_fact {
public int screenWidth;
public int screenHeight;
public double gameWidth;
public double gameHeight;
public double scaleX;
public double scaleY;
private final JFrame frame;
private final JPanel panel;
private final JLabel statusbar;
private BufferedImage g2dimage;
private Graphics2D g2d;
private BufferedImage backgroundImg;
private BufferedImage gameOverImg;
private BufferedImage youWinImg;
private double size;
/**
* Deze functie maakt een nieuw JFrame en JPanel aan en voegt een statusbar toe.
* @throws IOException
*/
public Java2DFactory() throws IOException{
readconfig();
frame = new JFrame();
statusbar = new JLabel("0");
panel = new JPanel(true) {
@Override
public void paintComponent(Graphics g) {
super.paintComponent(g);
doDrawing(g);
}
};
frame.setFocusable(true);
frame.add(panel);
frame.add(statusbar,BorderLayout.NORTH);
frame.setTitle("Space Invadors");
frame.setDefaultCloseOperation(WindowConstants.EXIT_ON_CLOSE);
frame.setResizable(true);
frame.setLocationRelativeTo(null);
frame.setVisible(true);
}
public Graphics2D getG2d() {
return g2d;
}
public JFrame getFrame() {
return frame;
}
public double getSize() {
return size;
}
/**
* Deze functie leest een config bestand in met scherm breedte en hoogte.
* @throws IOException
*/
private void readconfig() throws IOException {
FileInputStream fileInputStream = new FileInputStream("Space_Invaders/src/config.properties");
Properties prop = new Properties();
prop.load(fileInputStream);
this.screenHeight = Integer.parseInt(prop.getProperty("ScreenHeight"));
this.screenWidth = Integer.parseInt(prop.getProperty("ScreenWidth"));
}
/**
* Deze functie maakt<SUF>*/
public void scaleScreen(double gamewidth, double gameheight){
gameWidth = gamewidth;
gameHeight = gameheight;
scaleX = screenWidth / gamewidth;
scaleY = screenHeight / gameheight;
}
/**
* Deze functie drukt een "game over afbeelding" af over heel het scherm.
*/
@Override
protected void gameOver() {
try{
gameOverImg = resizeImage(gameOverImg,frame.getWidth(), frame.getHeight());
} catch (Exception e){
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2d.drawImage(gameOverImg, 0, 0, null);
statusbar.setText("press space key to continue");
}
/**
* Deze functie drukt een "you win afbeelding" af over heel het scherm.
*/
@Override
protected void youWin() {
try{
youWinImg = resizeImage(youWinImg,frame.getWidth(), frame.getHeight());
} catch (Exception e){
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2d.drawImage(youWinImg, 0, 0, null);
statusbar.setText("press space key to continue");
}
/**
* deze functie hertekent het scherm.
*/
@Override
public void render() {
panel.repaint();
}
/**
* Deze funcite plaats een achtergrond op het speelveld.
* @param g Graphics
*/
private void doDrawing(Graphics g) {
Graphics2D graph2d = (Graphics2D) g;
Toolkit.getDefaultToolkit().sync();
graph2d.drawImage(g2dimage, 0, 0, null); // copy buffered image
graph2d.dispose();
if (g2d != null)
g2d.drawImage(backgroundImg,0, 0, null);
}
/**
* Met deze functie kan de grootte van een afbeelding worden aangepast.
* @param originalImage de aan te passen afbeelding
* @param targetWidth de gewenste breedte
* @param targetHeight de gewenste hoogte
* @return geeft de aangepaste afbeelding terug
*/
public BufferedImage resizeImage(BufferedImage originalImage, int targetWidth, int targetHeight){
Image resultingImage = originalImage.getScaledInstance(targetWidth, targetHeight, Image.SCALE_DEFAULT);
BufferedImage outputImage = new BufferedImage(targetWidth, targetHeight, BufferedImage.TYPE_4BYTE_ABGR_PRE);
outputImage.getGraphics().drawImage(resultingImage, 0, 0, null);
return outputImage;
}
/**
* Deze functie laad de afbeeldingen voor de achtergrond, game over en you win in.
* @throws IOException
*/
private void loadImages() throws IOException {
backgroundImg = null;
gameOverImg = null;
youWinImg = null;
backgroundImg = ImageIO.read(new File("Space_Invaders/src/recources/background.jpg"));
gameOverImg = ImageIO.read(new File("Space_Invaders/src/recources/Game over.jpg"));
youWinImg = ImageIO.read(new File("Space_Invaders/src/recources/you_win.png"));
}
/**
* Deze functie zet de game dimensies op een bepaalde waarde en zet het veld op een bepaalde locatie op het scherm.
* De achtergrond wordt over heel het veld getekend.
* @param GameWidth game breedte
* @param GameHeight game hoogte
* @throws IOException
*/
@Override
public void setGameDimensions(int GameWidth, int GameHeight) throws IOException {
size = Math.min(screenWidth /GameWidth, screenHeight /GameHeight);
System.out.println("size: "+size);
frame.setLocation(50,50);
frame.setSize(screenWidth, screenHeight);
loadImages();
try {
backgroundImg = resizeImage(backgroundImg, frame.getWidth(), frame.getHeight());
} catch(Exception e) {
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2dimage = new BufferedImage(frame.getWidth(), frame.getHeight(), BufferedImage.TYPE_4BYTE_ABGR_PRE);
g2d = g2dimage.createGraphics();
g2d.drawImage(backgroundImg,0, 0, null);
}
/**
* Deze functie zet de score en het aantal resterende levens in de statusbar.
* @param score de huidige score
* @param lives het resterende aantal levens
*/
@Override
protected void ShowStatus(int score, int lives) {
statusbar.setText("Score " + score + " lives " + lives);
statusbar.setForeground(Color.DARK_GRAY);
}
/**
* Deze funcite maakt een nieuw Java2Dplayership aan
* @return Java2DPlayerShip
* @throws IOException
*/
@Override
protected Playership CreatePlayerschip() throws IOException {
return new Java2DPlayership(this);
}
/**
* Deze funcite maakt een nieuw Java2DEnemyShip aan
* @return Java2DEnemyShip
* @throws IOException
*/
@Override
protected Enemyship CreateEnemyship() throws IOException {
return new Java2DEnemyship(this);
}
/**
* Deze functie maakt een nieuwe player bullet aan
* @return Java2DBullet
* @throws IOException
*/
@Override
protected Bullet CreateBullet() throws IOException {
return new Java2DBullet(this);
}
/**
* Deze functie maakt een nieuwe enemy bullet aan
* @return Java2DEnemyBullet
* @throws IOException
*/
@Override
protected Java2DEnemyBullet CreateEnemyBullet() throws IOException {
return new Java2DEnemyBullet(this);
}
/**
* Deze functie maakt een nieuwe positieve bonus aan
* @return Java2DPBonus
* @throws IOException
*/
@Override
protected Java2DPBonus CreatePBonus() throws IOException {
return new Java2DPBonus(this);
}
/**
* Deze functie maakt een nieuwe negatieve bonus aan
* @return Java2DNBonus
* @throws IOException
*/
@Override
protected Java2DNBonus CreateNBonus() throws IOException {
return new Java2DNBonus(this);
}
/**
* Deze functie maakt een nieuw input object aan
* @return Java2DInput
*/
@Override
protected Input CreateInput() {
return new Java2DInput(this);
}
/**
* Deze functie maakt een nieuw sound object aan.
* @return Java2DSound
*/
@Override
protected Sound CreateSound() {
return new Java2DSound();
}
}
|
212331_3 | package Java2D;
import be.uantwerpen.fti.ei.space.*;
import javax.imageio.ImageIO;
import javax.swing.*;
import java.awt.*;
import java.awt.image.BufferedImage;
import java.io.File;
import java.io.FileInputStream;
import java.io.IOException;
import java.util.Arrays;
import java.util.Properties;
public class Java2DFactory extends A_fact {
public int screenWidth;
public int screenHeight;
public double gameWidth;
public double gameHeight;
public double scaleX;
public double scaleY;
private final JFrame frame;
private final JPanel panel;
private final JLabel statusbar;
private BufferedImage g2dimage;
private Graphics2D g2d;
private BufferedImage backgroundImg;
private BufferedImage gameOverImg;
private BufferedImage youWinImg;
private double size;
/**
* Deze functie maakt een nieuw JFrame en JPanel aan en voegt een statusbar toe.
* @throws IOException
*/
public Java2DFactory() throws IOException{
readconfig();
frame = new JFrame();
statusbar = new JLabel("0");
panel = new JPanel(true) {
@Override
public void paintComponent(Graphics g) {
super.paintComponent(g);
doDrawing(g);
}
};
frame.setFocusable(true);
frame.add(panel);
frame.add(statusbar,BorderLayout.NORTH);
frame.setTitle("Space Invadors");
frame.setDefaultCloseOperation(WindowConstants.EXIT_ON_CLOSE);
frame.setResizable(true);
frame.setLocationRelativeTo(null);
frame.setVisible(true);
}
public Graphics2D getG2d() {
return g2d;
}
public JFrame getFrame() {
return frame;
}
public double getSize() {
return size;
}
/**
* Deze functie leest een config bestand in met scherm breedte en hoogte.
* @throws IOException
*/
private void readconfig() throws IOException {
FileInputStream fileInputStream = new FileInputStream("Space_Invaders/src/config.properties");
Properties prop = new Properties();
prop.load(fileInputStream);
this.screenHeight = Integer.parseInt(prop.getProperty("ScreenHeight"));
this.screenWidth = Integer.parseInt(prop.getProperty("ScreenWidth"));
}
/**
* Deze functie maakt een schalingsfactor voor x en voor y aan. Deze schaal drukt de verhouding van game afmetingen en de schermafmetingen uit.
* @param gamewidth de breedte van het game veld
* @param gameheight de hoogte van het game veld
*/
public void scaleScreen(double gamewidth, double gameheight){
gameWidth = gamewidth;
gameHeight = gameheight;
scaleX = screenWidth / gamewidth;
scaleY = screenHeight / gameheight;
}
/**
* Deze functie drukt een "game over afbeelding" af over heel het scherm.
*/
@Override
protected void gameOver() {
try{
gameOverImg = resizeImage(gameOverImg,frame.getWidth(), frame.getHeight());
} catch (Exception e){
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2d.drawImage(gameOverImg, 0, 0, null);
statusbar.setText("press space key to continue");
}
/**
* Deze functie drukt een "you win afbeelding" af over heel het scherm.
*/
@Override
protected void youWin() {
try{
youWinImg = resizeImage(youWinImg,frame.getWidth(), frame.getHeight());
} catch (Exception e){
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2d.drawImage(youWinImg, 0, 0, null);
statusbar.setText("press space key to continue");
}
/**
* deze functie hertekent het scherm.
*/
@Override
public void render() {
panel.repaint();
}
/**
* Deze funcite plaats een achtergrond op het speelveld.
* @param g Graphics
*/
private void doDrawing(Graphics g) {
Graphics2D graph2d = (Graphics2D) g;
Toolkit.getDefaultToolkit().sync();
graph2d.drawImage(g2dimage, 0, 0, null); // copy buffered image
graph2d.dispose();
if (g2d != null)
g2d.drawImage(backgroundImg,0, 0, null);
}
/**
* Met deze functie kan de grootte van een afbeelding worden aangepast.
* @param originalImage de aan te passen afbeelding
* @param targetWidth de gewenste breedte
* @param targetHeight de gewenste hoogte
* @return geeft de aangepaste afbeelding terug
*/
public BufferedImage resizeImage(BufferedImage originalImage, int targetWidth, int targetHeight){
Image resultingImage = originalImage.getScaledInstance(targetWidth, targetHeight, Image.SCALE_DEFAULT);
BufferedImage outputImage = new BufferedImage(targetWidth, targetHeight, BufferedImage.TYPE_4BYTE_ABGR_PRE);
outputImage.getGraphics().drawImage(resultingImage, 0, 0, null);
return outputImage;
}
/**
* Deze functie laad de afbeeldingen voor de achtergrond, game over en you win in.
* @throws IOException
*/
private void loadImages() throws IOException {
backgroundImg = null;
gameOverImg = null;
youWinImg = null;
backgroundImg = ImageIO.read(new File("Space_Invaders/src/recources/background.jpg"));
gameOverImg = ImageIO.read(new File("Space_Invaders/src/recources/Game over.jpg"));
youWinImg = ImageIO.read(new File("Space_Invaders/src/recources/you_win.png"));
}
/**
* Deze functie zet de game dimensies op een bepaalde waarde en zet het veld op een bepaalde locatie op het scherm.
* De achtergrond wordt over heel het veld getekend.
* @param GameWidth game breedte
* @param GameHeight game hoogte
* @throws IOException
*/
@Override
public void setGameDimensions(int GameWidth, int GameHeight) throws IOException {
size = Math.min(screenWidth /GameWidth, screenHeight /GameHeight);
System.out.println("size: "+size);
frame.setLocation(50,50);
frame.setSize(screenWidth, screenHeight);
loadImages();
try {
backgroundImg = resizeImage(backgroundImg, frame.getWidth(), frame.getHeight());
} catch(Exception e) {
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2dimage = new BufferedImage(frame.getWidth(), frame.getHeight(), BufferedImage.TYPE_4BYTE_ABGR_PRE);
g2d = g2dimage.createGraphics();
g2d.drawImage(backgroundImg,0, 0, null);
}
/**
* Deze functie zet de score en het aantal resterende levens in de statusbar.
* @param score de huidige score
* @param lives het resterende aantal levens
*/
@Override
protected void ShowStatus(int score, int lives) {
statusbar.setText("Score " + score + " lives " + lives);
statusbar.setForeground(Color.DARK_GRAY);
}
/**
* Deze funcite maakt een nieuw Java2Dplayership aan
* @return Java2DPlayerShip
* @throws IOException
*/
@Override
protected Playership CreatePlayerschip() throws IOException {
return new Java2DPlayership(this);
}
/**
* Deze funcite maakt een nieuw Java2DEnemyShip aan
* @return Java2DEnemyShip
* @throws IOException
*/
@Override
protected Enemyship CreateEnemyship() throws IOException {
return new Java2DEnemyship(this);
}
/**
* Deze functie maakt een nieuwe player bullet aan
* @return Java2DBullet
* @throws IOException
*/
@Override
protected Bullet CreateBullet() throws IOException {
return new Java2DBullet(this);
}
/**
* Deze functie maakt een nieuwe enemy bullet aan
* @return Java2DEnemyBullet
* @throws IOException
*/
@Override
protected Java2DEnemyBullet CreateEnemyBullet() throws IOException {
return new Java2DEnemyBullet(this);
}
/**
* Deze functie maakt een nieuwe positieve bonus aan
* @return Java2DPBonus
* @throws IOException
*/
@Override
protected Java2DPBonus CreatePBonus() throws IOException {
return new Java2DPBonus(this);
}
/**
* Deze functie maakt een nieuwe negatieve bonus aan
* @return Java2DNBonus
* @throws IOException
*/
@Override
protected Java2DNBonus CreateNBonus() throws IOException {
return new Java2DNBonus(this);
}
/**
* Deze functie maakt een nieuw input object aan
* @return Java2DInput
*/
@Override
protected Input CreateInput() {
return new Java2DInput(this);
}
/**
* Deze functie maakt een nieuw sound object aan.
* @return Java2DSound
*/
@Override
protected Sound CreateSound() {
return new Java2DSound();
}
}
| JurgenVanpeteghem/Space-Invaders | Space_Invaders/src/Java2D/Java2DFactory.java | 2,410 | /**
* Deze functie drukt een "game over afbeelding" af over heel het scherm.
*/ | block_comment | nl | package Java2D;
import be.uantwerpen.fti.ei.space.*;
import javax.imageio.ImageIO;
import javax.swing.*;
import java.awt.*;
import java.awt.image.BufferedImage;
import java.io.File;
import java.io.FileInputStream;
import java.io.IOException;
import java.util.Arrays;
import java.util.Properties;
public class Java2DFactory extends A_fact {
public int screenWidth;
public int screenHeight;
public double gameWidth;
public double gameHeight;
public double scaleX;
public double scaleY;
private final JFrame frame;
private final JPanel panel;
private final JLabel statusbar;
private BufferedImage g2dimage;
private Graphics2D g2d;
private BufferedImage backgroundImg;
private BufferedImage gameOverImg;
private BufferedImage youWinImg;
private double size;
/**
* Deze functie maakt een nieuw JFrame en JPanel aan en voegt een statusbar toe.
* @throws IOException
*/
public Java2DFactory() throws IOException{
readconfig();
frame = new JFrame();
statusbar = new JLabel("0");
panel = new JPanel(true) {
@Override
public void paintComponent(Graphics g) {
super.paintComponent(g);
doDrawing(g);
}
};
frame.setFocusable(true);
frame.add(panel);
frame.add(statusbar,BorderLayout.NORTH);
frame.setTitle("Space Invadors");
frame.setDefaultCloseOperation(WindowConstants.EXIT_ON_CLOSE);
frame.setResizable(true);
frame.setLocationRelativeTo(null);
frame.setVisible(true);
}
public Graphics2D getG2d() {
return g2d;
}
public JFrame getFrame() {
return frame;
}
public double getSize() {
return size;
}
/**
* Deze functie leest een config bestand in met scherm breedte en hoogte.
* @throws IOException
*/
private void readconfig() throws IOException {
FileInputStream fileInputStream = new FileInputStream("Space_Invaders/src/config.properties");
Properties prop = new Properties();
prop.load(fileInputStream);
this.screenHeight = Integer.parseInt(prop.getProperty("ScreenHeight"));
this.screenWidth = Integer.parseInt(prop.getProperty("ScreenWidth"));
}
/**
* Deze functie maakt een schalingsfactor voor x en voor y aan. Deze schaal drukt de verhouding van game afmetingen en de schermafmetingen uit.
* @param gamewidth de breedte van het game veld
* @param gameheight de hoogte van het game veld
*/
public void scaleScreen(double gamewidth, double gameheight){
gameWidth = gamewidth;
gameHeight = gameheight;
scaleX = screenWidth / gamewidth;
scaleY = screenHeight / gameheight;
}
/**
* Deze functie drukt<SUF>*/
@Override
protected void gameOver() {
try{
gameOverImg = resizeImage(gameOverImg,frame.getWidth(), frame.getHeight());
} catch (Exception e){
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2d.drawImage(gameOverImg, 0, 0, null);
statusbar.setText("press space key to continue");
}
/**
* Deze functie drukt een "you win afbeelding" af over heel het scherm.
*/
@Override
protected void youWin() {
try{
youWinImg = resizeImage(youWinImg,frame.getWidth(), frame.getHeight());
} catch (Exception e){
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2d.drawImage(youWinImg, 0, 0, null);
statusbar.setText("press space key to continue");
}
/**
* deze functie hertekent het scherm.
*/
@Override
public void render() {
panel.repaint();
}
/**
* Deze funcite plaats een achtergrond op het speelveld.
* @param g Graphics
*/
private void doDrawing(Graphics g) {
Graphics2D graph2d = (Graphics2D) g;
Toolkit.getDefaultToolkit().sync();
graph2d.drawImage(g2dimage, 0, 0, null); // copy buffered image
graph2d.dispose();
if (g2d != null)
g2d.drawImage(backgroundImg,0, 0, null);
}
/**
* Met deze functie kan de grootte van een afbeelding worden aangepast.
* @param originalImage de aan te passen afbeelding
* @param targetWidth de gewenste breedte
* @param targetHeight de gewenste hoogte
* @return geeft de aangepaste afbeelding terug
*/
public BufferedImage resizeImage(BufferedImage originalImage, int targetWidth, int targetHeight){
Image resultingImage = originalImage.getScaledInstance(targetWidth, targetHeight, Image.SCALE_DEFAULT);
BufferedImage outputImage = new BufferedImage(targetWidth, targetHeight, BufferedImage.TYPE_4BYTE_ABGR_PRE);
outputImage.getGraphics().drawImage(resultingImage, 0, 0, null);
return outputImage;
}
/**
* Deze functie laad de afbeeldingen voor de achtergrond, game over en you win in.
* @throws IOException
*/
private void loadImages() throws IOException {
backgroundImg = null;
gameOverImg = null;
youWinImg = null;
backgroundImg = ImageIO.read(new File("Space_Invaders/src/recources/background.jpg"));
gameOverImg = ImageIO.read(new File("Space_Invaders/src/recources/Game over.jpg"));
youWinImg = ImageIO.read(new File("Space_Invaders/src/recources/you_win.png"));
}
/**
* Deze functie zet de game dimensies op een bepaalde waarde en zet het veld op een bepaalde locatie op het scherm.
* De achtergrond wordt over heel het veld getekend.
* @param GameWidth game breedte
* @param GameHeight game hoogte
* @throws IOException
*/
@Override
public void setGameDimensions(int GameWidth, int GameHeight) throws IOException {
size = Math.min(screenWidth /GameWidth, screenHeight /GameHeight);
System.out.println("size: "+size);
frame.setLocation(50,50);
frame.setSize(screenWidth, screenHeight);
loadImages();
try {
backgroundImg = resizeImage(backgroundImg, frame.getWidth(), frame.getHeight());
} catch(Exception e) {
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2dimage = new BufferedImage(frame.getWidth(), frame.getHeight(), BufferedImage.TYPE_4BYTE_ABGR_PRE);
g2d = g2dimage.createGraphics();
g2d.drawImage(backgroundImg,0, 0, null);
}
/**
* Deze functie zet de score en het aantal resterende levens in de statusbar.
* @param score de huidige score
* @param lives het resterende aantal levens
*/
@Override
protected void ShowStatus(int score, int lives) {
statusbar.setText("Score " + score + " lives " + lives);
statusbar.setForeground(Color.DARK_GRAY);
}
/**
* Deze funcite maakt een nieuw Java2Dplayership aan
* @return Java2DPlayerShip
* @throws IOException
*/
@Override
protected Playership CreatePlayerschip() throws IOException {
return new Java2DPlayership(this);
}
/**
* Deze funcite maakt een nieuw Java2DEnemyShip aan
* @return Java2DEnemyShip
* @throws IOException
*/
@Override
protected Enemyship CreateEnemyship() throws IOException {
return new Java2DEnemyship(this);
}
/**
* Deze functie maakt een nieuwe player bullet aan
* @return Java2DBullet
* @throws IOException
*/
@Override
protected Bullet CreateBullet() throws IOException {
return new Java2DBullet(this);
}
/**
* Deze functie maakt een nieuwe enemy bullet aan
* @return Java2DEnemyBullet
* @throws IOException
*/
@Override
protected Java2DEnemyBullet CreateEnemyBullet() throws IOException {
return new Java2DEnemyBullet(this);
}
/**
* Deze functie maakt een nieuwe positieve bonus aan
* @return Java2DPBonus
* @throws IOException
*/
@Override
protected Java2DPBonus CreatePBonus() throws IOException {
return new Java2DPBonus(this);
}
/**
* Deze functie maakt een nieuwe negatieve bonus aan
* @return Java2DNBonus
* @throws IOException
*/
@Override
protected Java2DNBonus CreateNBonus() throws IOException {
return new Java2DNBonus(this);
}
/**
* Deze functie maakt een nieuw input object aan
* @return Java2DInput
*/
@Override
protected Input CreateInput() {
return new Java2DInput(this);
}
/**
* Deze functie maakt een nieuw sound object aan.
* @return Java2DSound
*/
@Override
protected Sound CreateSound() {
return new Java2DSound();
}
}
|
212331_4 | package Java2D;
import be.uantwerpen.fti.ei.space.*;
import javax.imageio.ImageIO;
import javax.swing.*;
import java.awt.*;
import java.awt.image.BufferedImage;
import java.io.File;
import java.io.FileInputStream;
import java.io.IOException;
import java.util.Arrays;
import java.util.Properties;
public class Java2DFactory extends A_fact {
public int screenWidth;
public int screenHeight;
public double gameWidth;
public double gameHeight;
public double scaleX;
public double scaleY;
private final JFrame frame;
private final JPanel panel;
private final JLabel statusbar;
private BufferedImage g2dimage;
private Graphics2D g2d;
private BufferedImage backgroundImg;
private BufferedImage gameOverImg;
private BufferedImage youWinImg;
private double size;
/**
* Deze functie maakt een nieuw JFrame en JPanel aan en voegt een statusbar toe.
* @throws IOException
*/
public Java2DFactory() throws IOException{
readconfig();
frame = new JFrame();
statusbar = new JLabel("0");
panel = new JPanel(true) {
@Override
public void paintComponent(Graphics g) {
super.paintComponent(g);
doDrawing(g);
}
};
frame.setFocusable(true);
frame.add(panel);
frame.add(statusbar,BorderLayout.NORTH);
frame.setTitle("Space Invadors");
frame.setDefaultCloseOperation(WindowConstants.EXIT_ON_CLOSE);
frame.setResizable(true);
frame.setLocationRelativeTo(null);
frame.setVisible(true);
}
public Graphics2D getG2d() {
return g2d;
}
public JFrame getFrame() {
return frame;
}
public double getSize() {
return size;
}
/**
* Deze functie leest een config bestand in met scherm breedte en hoogte.
* @throws IOException
*/
private void readconfig() throws IOException {
FileInputStream fileInputStream = new FileInputStream("Space_Invaders/src/config.properties");
Properties prop = new Properties();
prop.load(fileInputStream);
this.screenHeight = Integer.parseInt(prop.getProperty("ScreenHeight"));
this.screenWidth = Integer.parseInt(prop.getProperty("ScreenWidth"));
}
/**
* Deze functie maakt een schalingsfactor voor x en voor y aan. Deze schaal drukt de verhouding van game afmetingen en de schermafmetingen uit.
* @param gamewidth de breedte van het game veld
* @param gameheight de hoogte van het game veld
*/
public void scaleScreen(double gamewidth, double gameheight){
gameWidth = gamewidth;
gameHeight = gameheight;
scaleX = screenWidth / gamewidth;
scaleY = screenHeight / gameheight;
}
/**
* Deze functie drukt een "game over afbeelding" af over heel het scherm.
*/
@Override
protected void gameOver() {
try{
gameOverImg = resizeImage(gameOverImg,frame.getWidth(), frame.getHeight());
} catch (Exception e){
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2d.drawImage(gameOverImg, 0, 0, null);
statusbar.setText("press space key to continue");
}
/**
* Deze functie drukt een "you win afbeelding" af over heel het scherm.
*/
@Override
protected void youWin() {
try{
youWinImg = resizeImage(youWinImg,frame.getWidth(), frame.getHeight());
} catch (Exception e){
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2d.drawImage(youWinImg, 0, 0, null);
statusbar.setText("press space key to continue");
}
/**
* deze functie hertekent het scherm.
*/
@Override
public void render() {
panel.repaint();
}
/**
* Deze funcite plaats een achtergrond op het speelveld.
* @param g Graphics
*/
private void doDrawing(Graphics g) {
Graphics2D graph2d = (Graphics2D) g;
Toolkit.getDefaultToolkit().sync();
graph2d.drawImage(g2dimage, 0, 0, null); // copy buffered image
graph2d.dispose();
if (g2d != null)
g2d.drawImage(backgroundImg,0, 0, null);
}
/**
* Met deze functie kan de grootte van een afbeelding worden aangepast.
* @param originalImage de aan te passen afbeelding
* @param targetWidth de gewenste breedte
* @param targetHeight de gewenste hoogte
* @return geeft de aangepaste afbeelding terug
*/
public BufferedImage resizeImage(BufferedImage originalImage, int targetWidth, int targetHeight){
Image resultingImage = originalImage.getScaledInstance(targetWidth, targetHeight, Image.SCALE_DEFAULT);
BufferedImage outputImage = new BufferedImage(targetWidth, targetHeight, BufferedImage.TYPE_4BYTE_ABGR_PRE);
outputImage.getGraphics().drawImage(resultingImage, 0, 0, null);
return outputImage;
}
/**
* Deze functie laad de afbeeldingen voor de achtergrond, game over en you win in.
* @throws IOException
*/
private void loadImages() throws IOException {
backgroundImg = null;
gameOverImg = null;
youWinImg = null;
backgroundImg = ImageIO.read(new File("Space_Invaders/src/recources/background.jpg"));
gameOverImg = ImageIO.read(new File("Space_Invaders/src/recources/Game over.jpg"));
youWinImg = ImageIO.read(new File("Space_Invaders/src/recources/you_win.png"));
}
/**
* Deze functie zet de game dimensies op een bepaalde waarde en zet het veld op een bepaalde locatie op het scherm.
* De achtergrond wordt over heel het veld getekend.
* @param GameWidth game breedte
* @param GameHeight game hoogte
* @throws IOException
*/
@Override
public void setGameDimensions(int GameWidth, int GameHeight) throws IOException {
size = Math.min(screenWidth /GameWidth, screenHeight /GameHeight);
System.out.println("size: "+size);
frame.setLocation(50,50);
frame.setSize(screenWidth, screenHeight);
loadImages();
try {
backgroundImg = resizeImage(backgroundImg, frame.getWidth(), frame.getHeight());
} catch(Exception e) {
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2dimage = new BufferedImage(frame.getWidth(), frame.getHeight(), BufferedImage.TYPE_4BYTE_ABGR_PRE);
g2d = g2dimage.createGraphics();
g2d.drawImage(backgroundImg,0, 0, null);
}
/**
* Deze functie zet de score en het aantal resterende levens in de statusbar.
* @param score de huidige score
* @param lives het resterende aantal levens
*/
@Override
protected void ShowStatus(int score, int lives) {
statusbar.setText("Score " + score + " lives " + lives);
statusbar.setForeground(Color.DARK_GRAY);
}
/**
* Deze funcite maakt een nieuw Java2Dplayership aan
* @return Java2DPlayerShip
* @throws IOException
*/
@Override
protected Playership CreatePlayerschip() throws IOException {
return new Java2DPlayership(this);
}
/**
* Deze funcite maakt een nieuw Java2DEnemyShip aan
* @return Java2DEnemyShip
* @throws IOException
*/
@Override
protected Enemyship CreateEnemyship() throws IOException {
return new Java2DEnemyship(this);
}
/**
* Deze functie maakt een nieuwe player bullet aan
* @return Java2DBullet
* @throws IOException
*/
@Override
protected Bullet CreateBullet() throws IOException {
return new Java2DBullet(this);
}
/**
* Deze functie maakt een nieuwe enemy bullet aan
* @return Java2DEnemyBullet
* @throws IOException
*/
@Override
protected Java2DEnemyBullet CreateEnemyBullet() throws IOException {
return new Java2DEnemyBullet(this);
}
/**
* Deze functie maakt een nieuwe positieve bonus aan
* @return Java2DPBonus
* @throws IOException
*/
@Override
protected Java2DPBonus CreatePBonus() throws IOException {
return new Java2DPBonus(this);
}
/**
* Deze functie maakt een nieuwe negatieve bonus aan
* @return Java2DNBonus
* @throws IOException
*/
@Override
protected Java2DNBonus CreateNBonus() throws IOException {
return new Java2DNBonus(this);
}
/**
* Deze functie maakt een nieuw input object aan
* @return Java2DInput
*/
@Override
protected Input CreateInput() {
return new Java2DInput(this);
}
/**
* Deze functie maakt een nieuw sound object aan.
* @return Java2DSound
*/
@Override
protected Sound CreateSound() {
return new Java2DSound();
}
}
| JurgenVanpeteghem/Space-Invaders | Space_Invaders/src/Java2D/Java2DFactory.java | 2,410 | /**
* Deze functie drukt een "you win afbeelding" af over heel het scherm.
*/ | block_comment | nl | package Java2D;
import be.uantwerpen.fti.ei.space.*;
import javax.imageio.ImageIO;
import javax.swing.*;
import java.awt.*;
import java.awt.image.BufferedImage;
import java.io.File;
import java.io.FileInputStream;
import java.io.IOException;
import java.util.Arrays;
import java.util.Properties;
public class Java2DFactory extends A_fact {
public int screenWidth;
public int screenHeight;
public double gameWidth;
public double gameHeight;
public double scaleX;
public double scaleY;
private final JFrame frame;
private final JPanel panel;
private final JLabel statusbar;
private BufferedImage g2dimage;
private Graphics2D g2d;
private BufferedImage backgroundImg;
private BufferedImage gameOverImg;
private BufferedImage youWinImg;
private double size;
/**
* Deze functie maakt een nieuw JFrame en JPanel aan en voegt een statusbar toe.
* @throws IOException
*/
public Java2DFactory() throws IOException{
readconfig();
frame = new JFrame();
statusbar = new JLabel("0");
panel = new JPanel(true) {
@Override
public void paintComponent(Graphics g) {
super.paintComponent(g);
doDrawing(g);
}
};
frame.setFocusable(true);
frame.add(panel);
frame.add(statusbar,BorderLayout.NORTH);
frame.setTitle("Space Invadors");
frame.setDefaultCloseOperation(WindowConstants.EXIT_ON_CLOSE);
frame.setResizable(true);
frame.setLocationRelativeTo(null);
frame.setVisible(true);
}
public Graphics2D getG2d() {
return g2d;
}
public JFrame getFrame() {
return frame;
}
public double getSize() {
return size;
}
/**
* Deze functie leest een config bestand in met scherm breedte en hoogte.
* @throws IOException
*/
private void readconfig() throws IOException {
FileInputStream fileInputStream = new FileInputStream("Space_Invaders/src/config.properties");
Properties prop = new Properties();
prop.load(fileInputStream);
this.screenHeight = Integer.parseInt(prop.getProperty("ScreenHeight"));
this.screenWidth = Integer.parseInt(prop.getProperty("ScreenWidth"));
}
/**
* Deze functie maakt een schalingsfactor voor x en voor y aan. Deze schaal drukt de verhouding van game afmetingen en de schermafmetingen uit.
* @param gamewidth de breedte van het game veld
* @param gameheight de hoogte van het game veld
*/
public void scaleScreen(double gamewidth, double gameheight){
gameWidth = gamewidth;
gameHeight = gameheight;
scaleX = screenWidth / gamewidth;
scaleY = screenHeight / gameheight;
}
/**
* Deze functie drukt een "game over afbeelding" af over heel het scherm.
*/
@Override
protected void gameOver() {
try{
gameOverImg = resizeImage(gameOverImg,frame.getWidth(), frame.getHeight());
} catch (Exception e){
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2d.drawImage(gameOverImg, 0, 0, null);
statusbar.setText("press space key to continue");
}
/**
* Deze functie drukt<SUF>*/
@Override
protected void youWin() {
try{
youWinImg = resizeImage(youWinImg,frame.getWidth(), frame.getHeight());
} catch (Exception e){
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2d.drawImage(youWinImg, 0, 0, null);
statusbar.setText("press space key to continue");
}
/**
* deze functie hertekent het scherm.
*/
@Override
public void render() {
panel.repaint();
}
/**
* Deze funcite plaats een achtergrond op het speelveld.
* @param g Graphics
*/
private void doDrawing(Graphics g) {
Graphics2D graph2d = (Graphics2D) g;
Toolkit.getDefaultToolkit().sync();
graph2d.drawImage(g2dimage, 0, 0, null); // copy buffered image
graph2d.dispose();
if (g2d != null)
g2d.drawImage(backgroundImg,0, 0, null);
}
/**
* Met deze functie kan de grootte van een afbeelding worden aangepast.
* @param originalImage de aan te passen afbeelding
* @param targetWidth de gewenste breedte
* @param targetHeight de gewenste hoogte
* @return geeft de aangepaste afbeelding terug
*/
public BufferedImage resizeImage(BufferedImage originalImage, int targetWidth, int targetHeight){
Image resultingImage = originalImage.getScaledInstance(targetWidth, targetHeight, Image.SCALE_DEFAULT);
BufferedImage outputImage = new BufferedImage(targetWidth, targetHeight, BufferedImage.TYPE_4BYTE_ABGR_PRE);
outputImage.getGraphics().drawImage(resultingImage, 0, 0, null);
return outputImage;
}
/**
* Deze functie laad de afbeeldingen voor de achtergrond, game over en you win in.
* @throws IOException
*/
private void loadImages() throws IOException {
backgroundImg = null;
gameOverImg = null;
youWinImg = null;
backgroundImg = ImageIO.read(new File("Space_Invaders/src/recources/background.jpg"));
gameOverImg = ImageIO.read(new File("Space_Invaders/src/recources/Game over.jpg"));
youWinImg = ImageIO.read(new File("Space_Invaders/src/recources/you_win.png"));
}
/**
* Deze functie zet de game dimensies op een bepaalde waarde en zet het veld op een bepaalde locatie op het scherm.
* De achtergrond wordt over heel het veld getekend.
* @param GameWidth game breedte
* @param GameHeight game hoogte
* @throws IOException
*/
@Override
public void setGameDimensions(int GameWidth, int GameHeight) throws IOException {
size = Math.min(screenWidth /GameWidth, screenHeight /GameHeight);
System.out.println("size: "+size);
frame.setLocation(50,50);
frame.setSize(screenWidth, screenHeight);
loadImages();
try {
backgroundImg = resizeImage(backgroundImg, frame.getWidth(), frame.getHeight());
} catch(Exception e) {
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2dimage = new BufferedImage(frame.getWidth(), frame.getHeight(), BufferedImage.TYPE_4BYTE_ABGR_PRE);
g2d = g2dimage.createGraphics();
g2d.drawImage(backgroundImg,0, 0, null);
}
/**
* Deze functie zet de score en het aantal resterende levens in de statusbar.
* @param score de huidige score
* @param lives het resterende aantal levens
*/
@Override
protected void ShowStatus(int score, int lives) {
statusbar.setText("Score " + score + " lives " + lives);
statusbar.setForeground(Color.DARK_GRAY);
}
/**
* Deze funcite maakt een nieuw Java2Dplayership aan
* @return Java2DPlayerShip
* @throws IOException
*/
@Override
protected Playership CreatePlayerschip() throws IOException {
return new Java2DPlayership(this);
}
/**
* Deze funcite maakt een nieuw Java2DEnemyShip aan
* @return Java2DEnemyShip
* @throws IOException
*/
@Override
protected Enemyship CreateEnemyship() throws IOException {
return new Java2DEnemyship(this);
}
/**
* Deze functie maakt een nieuwe player bullet aan
* @return Java2DBullet
* @throws IOException
*/
@Override
protected Bullet CreateBullet() throws IOException {
return new Java2DBullet(this);
}
/**
* Deze functie maakt een nieuwe enemy bullet aan
* @return Java2DEnemyBullet
* @throws IOException
*/
@Override
protected Java2DEnemyBullet CreateEnemyBullet() throws IOException {
return new Java2DEnemyBullet(this);
}
/**
* Deze functie maakt een nieuwe positieve bonus aan
* @return Java2DPBonus
* @throws IOException
*/
@Override
protected Java2DPBonus CreatePBonus() throws IOException {
return new Java2DPBonus(this);
}
/**
* Deze functie maakt een nieuwe negatieve bonus aan
* @return Java2DNBonus
* @throws IOException
*/
@Override
protected Java2DNBonus CreateNBonus() throws IOException {
return new Java2DNBonus(this);
}
/**
* Deze functie maakt een nieuw input object aan
* @return Java2DInput
*/
@Override
protected Input CreateInput() {
return new Java2DInput(this);
}
/**
* Deze functie maakt een nieuw sound object aan.
* @return Java2DSound
*/
@Override
protected Sound CreateSound() {
return new Java2DSound();
}
}
|
212331_5 | package Java2D;
import be.uantwerpen.fti.ei.space.*;
import javax.imageio.ImageIO;
import javax.swing.*;
import java.awt.*;
import java.awt.image.BufferedImage;
import java.io.File;
import java.io.FileInputStream;
import java.io.IOException;
import java.util.Arrays;
import java.util.Properties;
public class Java2DFactory extends A_fact {
public int screenWidth;
public int screenHeight;
public double gameWidth;
public double gameHeight;
public double scaleX;
public double scaleY;
private final JFrame frame;
private final JPanel panel;
private final JLabel statusbar;
private BufferedImage g2dimage;
private Graphics2D g2d;
private BufferedImage backgroundImg;
private BufferedImage gameOverImg;
private BufferedImage youWinImg;
private double size;
/**
* Deze functie maakt een nieuw JFrame en JPanel aan en voegt een statusbar toe.
* @throws IOException
*/
public Java2DFactory() throws IOException{
readconfig();
frame = new JFrame();
statusbar = new JLabel("0");
panel = new JPanel(true) {
@Override
public void paintComponent(Graphics g) {
super.paintComponent(g);
doDrawing(g);
}
};
frame.setFocusable(true);
frame.add(panel);
frame.add(statusbar,BorderLayout.NORTH);
frame.setTitle("Space Invadors");
frame.setDefaultCloseOperation(WindowConstants.EXIT_ON_CLOSE);
frame.setResizable(true);
frame.setLocationRelativeTo(null);
frame.setVisible(true);
}
public Graphics2D getG2d() {
return g2d;
}
public JFrame getFrame() {
return frame;
}
public double getSize() {
return size;
}
/**
* Deze functie leest een config bestand in met scherm breedte en hoogte.
* @throws IOException
*/
private void readconfig() throws IOException {
FileInputStream fileInputStream = new FileInputStream("Space_Invaders/src/config.properties");
Properties prop = new Properties();
prop.load(fileInputStream);
this.screenHeight = Integer.parseInt(prop.getProperty("ScreenHeight"));
this.screenWidth = Integer.parseInt(prop.getProperty("ScreenWidth"));
}
/**
* Deze functie maakt een schalingsfactor voor x en voor y aan. Deze schaal drukt de verhouding van game afmetingen en de schermafmetingen uit.
* @param gamewidth de breedte van het game veld
* @param gameheight de hoogte van het game veld
*/
public void scaleScreen(double gamewidth, double gameheight){
gameWidth = gamewidth;
gameHeight = gameheight;
scaleX = screenWidth / gamewidth;
scaleY = screenHeight / gameheight;
}
/**
* Deze functie drukt een "game over afbeelding" af over heel het scherm.
*/
@Override
protected void gameOver() {
try{
gameOverImg = resizeImage(gameOverImg,frame.getWidth(), frame.getHeight());
} catch (Exception e){
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2d.drawImage(gameOverImg, 0, 0, null);
statusbar.setText("press space key to continue");
}
/**
* Deze functie drukt een "you win afbeelding" af over heel het scherm.
*/
@Override
protected void youWin() {
try{
youWinImg = resizeImage(youWinImg,frame.getWidth(), frame.getHeight());
} catch (Exception e){
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2d.drawImage(youWinImg, 0, 0, null);
statusbar.setText("press space key to continue");
}
/**
* deze functie hertekent het scherm.
*/
@Override
public void render() {
panel.repaint();
}
/**
* Deze funcite plaats een achtergrond op het speelveld.
* @param g Graphics
*/
private void doDrawing(Graphics g) {
Graphics2D graph2d = (Graphics2D) g;
Toolkit.getDefaultToolkit().sync();
graph2d.drawImage(g2dimage, 0, 0, null); // copy buffered image
graph2d.dispose();
if (g2d != null)
g2d.drawImage(backgroundImg,0, 0, null);
}
/**
* Met deze functie kan de grootte van een afbeelding worden aangepast.
* @param originalImage de aan te passen afbeelding
* @param targetWidth de gewenste breedte
* @param targetHeight de gewenste hoogte
* @return geeft de aangepaste afbeelding terug
*/
public BufferedImage resizeImage(BufferedImage originalImage, int targetWidth, int targetHeight){
Image resultingImage = originalImage.getScaledInstance(targetWidth, targetHeight, Image.SCALE_DEFAULT);
BufferedImage outputImage = new BufferedImage(targetWidth, targetHeight, BufferedImage.TYPE_4BYTE_ABGR_PRE);
outputImage.getGraphics().drawImage(resultingImage, 0, 0, null);
return outputImage;
}
/**
* Deze functie laad de afbeeldingen voor de achtergrond, game over en you win in.
* @throws IOException
*/
private void loadImages() throws IOException {
backgroundImg = null;
gameOverImg = null;
youWinImg = null;
backgroundImg = ImageIO.read(new File("Space_Invaders/src/recources/background.jpg"));
gameOverImg = ImageIO.read(new File("Space_Invaders/src/recources/Game over.jpg"));
youWinImg = ImageIO.read(new File("Space_Invaders/src/recources/you_win.png"));
}
/**
* Deze functie zet de game dimensies op een bepaalde waarde en zet het veld op een bepaalde locatie op het scherm.
* De achtergrond wordt over heel het veld getekend.
* @param GameWidth game breedte
* @param GameHeight game hoogte
* @throws IOException
*/
@Override
public void setGameDimensions(int GameWidth, int GameHeight) throws IOException {
size = Math.min(screenWidth /GameWidth, screenHeight /GameHeight);
System.out.println("size: "+size);
frame.setLocation(50,50);
frame.setSize(screenWidth, screenHeight);
loadImages();
try {
backgroundImg = resizeImage(backgroundImg, frame.getWidth(), frame.getHeight());
} catch(Exception e) {
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2dimage = new BufferedImage(frame.getWidth(), frame.getHeight(), BufferedImage.TYPE_4BYTE_ABGR_PRE);
g2d = g2dimage.createGraphics();
g2d.drawImage(backgroundImg,0, 0, null);
}
/**
* Deze functie zet de score en het aantal resterende levens in de statusbar.
* @param score de huidige score
* @param lives het resterende aantal levens
*/
@Override
protected void ShowStatus(int score, int lives) {
statusbar.setText("Score " + score + " lives " + lives);
statusbar.setForeground(Color.DARK_GRAY);
}
/**
* Deze funcite maakt een nieuw Java2Dplayership aan
* @return Java2DPlayerShip
* @throws IOException
*/
@Override
protected Playership CreatePlayerschip() throws IOException {
return new Java2DPlayership(this);
}
/**
* Deze funcite maakt een nieuw Java2DEnemyShip aan
* @return Java2DEnemyShip
* @throws IOException
*/
@Override
protected Enemyship CreateEnemyship() throws IOException {
return new Java2DEnemyship(this);
}
/**
* Deze functie maakt een nieuwe player bullet aan
* @return Java2DBullet
* @throws IOException
*/
@Override
protected Bullet CreateBullet() throws IOException {
return new Java2DBullet(this);
}
/**
* Deze functie maakt een nieuwe enemy bullet aan
* @return Java2DEnemyBullet
* @throws IOException
*/
@Override
protected Java2DEnemyBullet CreateEnemyBullet() throws IOException {
return new Java2DEnemyBullet(this);
}
/**
* Deze functie maakt een nieuwe positieve bonus aan
* @return Java2DPBonus
* @throws IOException
*/
@Override
protected Java2DPBonus CreatePBonus() throws IOException {
return new Java2DPBonus(this);
}
/**
* Deze functie maakt een nieuwe negatieve bonus aan
* @return Java2DNBonus
* @throws IOException
*/
@Override
protected Java2DNBonus CreateNBonus() throws IOException {
return new Java2DNBonus(this);
}
/**
* Deze functie maakt een nieuw input object aan
* @return Java2DInput
*/
@Override
protected Input CreateInput() {
return new Java2DInput(this);
}
/**
* Deze functie maakt een nieuw sound object aan.
* @return Java2DSound
*/
@Override
protected Sound CreateSound() {
return new Java2DSound();
}
}
| JurgenVanpeteghem/Space-Invaders | Space_Invaders/src/Java2D/Java2DFactory.java | 2,410 | /**
* deze functie hertekent het scherm.
*/ | block_comment | nl | package Java2D;
import be.uantwerpen.fti.ei.space.*;
import javax.imageio.ImageIO;
import javax.swing.*;
import java.awt.*;
import java.awt.image.BufferedImage;
import java.io.File;
import java.io.FileInputStream;
import java.io.IOException;
import java.util.Arrays;
import java.util.Properties;
public class Java2DFactory extends A_fact {
public int screenWidth;
public int screenHeight;
public double gameWidth;
public double gameHeight;
public double scaleX;
public double scaleY;
private final JFrame frame;
private final JPanel panel;
private final JLabel statusbar;
private BufferedImage g2dimage;
private Graphics2D g2d;
private BufferedImage backgroundImg;
private BufferedImage gameOverImg;
private BufferedImage youWinImg;
private double size;
/**
* Deze functie maakt een nieuw JFrame en JPanel aan en voegt een statusbar toe.
* @throws IOException
*/
public Java2DFactory() throws IOException{
readconfig();
frame = new JFrame();
statusbar = new JLabel("0");
panel = new JPanel(true) {
@Override
public void paintComponent(Graphics g) {
super.paintComponent(g);
doDrawing(g);
}
};
frame.setFocusable(true);
frame.add(panel);
frame.add(statusbar,BorderLayout.NORTH);
frame.setTitle("Space Invadors");
frame.setDefaultCloseOperation(WindowConstants.EXIT_ON_CLOSE);
frame.setResizable(true);
frame.setLocationRelativeTo(null);
frame.setVisible(true);
}
public Graphics2D getG2d() {
return g2d;
}
public JFrame getFrame() {
return frame;
}
public double getSize() {
return size;
}
/**
* Deze functie leest een config bestand in met scherm breedte en hoogte.
* @throws IOException
*/
private void readconfig() throws IOException {
FileInputStream fileInputStream = new FileInputStream("Space_Invaders/src/config.properties");
Properties prop = new Properties();
prop.load(fileInputStream);
this.screenHeight = Integer.parseInt(prop.getProperty("ScreenHeight"));
this.screenWidth = Integer.parseInt(prop.getProperty("ScreenWidth"));
}
/**
* Deze functie maakt een schalingsfactor voor x en voor y aan. Deze schaal drukt de verhouding van game afmetingen en de schermafmetingen uit.
* @param gamewidth de breedte van het game veld
* @param gameheight de hoogte van het game veld
*/
public void scaleScreen(double gamewidth, double gameheight){
gameWidth = gamewidth;
gameHeight = gameheight;
scaleX = screenWidth / gamewidth;
scaleY = screenHeight / gameheight;
}
/**
* Deze functie drukt een "game over afbeelding" af over heel het scherm.
*/
@Override
protected void gameOver() {
try{
gameOverImg = resizeImage(gameOverImg,frame.getWidth(), frame.getHeight());
} catch (Exception e){
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2d.drawImage(gameOverImg, 0, 0, null);
statusbar.setText("press space key to continue");
}
/**
* Deze functie drukt een "you win afbeelding" af over heel het scherm.
*/
@Override
protected void youWin() {
try{
youWinImg = resizeImage(youWinImg,frame.getWidth(), frame.getHeight());
} catch (Exception e){
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2d.drawImage(youWinImg, 0, 0, null);
statusbar.setText("press space key to continue");
}
/**
* deze functie hertekent<SUF>*/
@Override
public void render() {
panel.repaint();
}
/**
* Deze funcite plaats een achtergrond op het speelveld.
* @param g Graphics
*/
private void doDrawing(Graphics g) {
Graphics2D graph2d = (Graphics2D) g;
Toolkit.getDefaultToolkit().sync();
graph2d.drawImage(g2dimage, 0, 0, null); // copy buffered image
graph2d.dispose();
if (g2d != null)
g2d.drawImage(backgroundImg,0, 0, null);
}
/**
* Met deze functie kan de grootte van een afbeelding worden aangepast.
* @param originalImage de aan te passen afbeelding
* @param targetWidth de gewenste breedte
* @param targetHeight de gewenste hoogte
* @return geeft de aangepaste afbeelding terug
*/
public BufferedImage resizeImage(BufferedImage originalImage, int targetWidth, int targetHeight){
Image resultingImage = originalImage.getScaledInstance(targetWidth, targetHeight, Image.SCALE_DEFAULT);
BufferedImage outputImage = new BufferedImage(targetWidth, targetHeight, BufferedImage.TYPE_4BYTE_ABGR_PRE);
outputImage.getGraphics().drawImage(resultingImage, 0, 0, null);
return outputImage;
}
/**
* Deze functie laad de afbeeldingen voor de achtergrond, game over en you win in.
* @throws IOException
*/
private void loadImages() throws IOException {
backgroundImg = null;
gameOverImg = null;
youWinImg = null;
backgroundImg = ImageIO.read(new File("Space_Invaders/src/recources/background.jpg"));
gameOverImg = ImageIO.read(new File("Space_Invaders/src/recources/Game over.jpg"));
youWinImg = ImageIO.read(new File("Space_Invaders/src/recources/you_win.png"));
}
/**
* Deze functie zet de game dimensies op een bepaalde waarde en zet het veld op een bepaalde locatie op het scherm.
* De achtergrond wordt over heel het veld getekend.
* @param GameWidth game breedte
* @param GameHeight game hoogte
* @throws IOException
*/
@Override
public void setGameDimensions(int GameWidth, int GameHeight) throws IOException {
size = Math.min(screenWidth /GameWidth, screenHeight /GameHeight);
System.out.println("size: "+size);
frame.setLocation(50,50);
frame.setSize(screenWidth, screenHeight);
loadImages();
try {
backgroundImg = resizeImage(backgroundImg, frame.getWidth(), frame.getHeight());
} catch(Exception e) {
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2dimage = new BufferedImage(frame.getWidth(), frame.getHeight(), BufferedImage.TYPE_4BYTE_ABGR_PRE);
g2d = g2dimage.createGraphics();
g2d.drawImage(backgroundImg,0, 0, null);
}
/**
* Deze functie zet de score en het aantal resterende levens in de statusbar.
* @param score de huidige score
* @param lives het resterende aantal levens
*/
@Override
protected void ShowStatus(int score, int lives) {
statusbar.setText("Score " + score + " lives " + lives);
statusbar.setForeground(Color.DARK_GRAY);
}
/**
* Deze funcite maakt een nieuw Java2Dplayership aan
* @return Java2DPlayerShip
* @throws IOException
*/
@Override
protected Playership CreatePlayerschip() throws IOException {
return new Java2DPlayership(this);
}
/**
* Deze funcite maakt een nieuw Java2DEnemyShip aan
* @return Java2DEnemyShip
* @throws IOException
*/
@Override
protected Enemyship CreateEnemyship() throws IOException {
return new Java2DEnemyship(this);
}
/**
* Deze functie maakt een nieuwe player bullet aan
* @return Java2DBullet
* @throws IOException
*/
@Override
protected Bullet CreateBullet() throws IOException {
return new Java2DBullet(this);
}
/**
* Deze functie maakt een nieuwe enemy bullet aan
* @return Java2DEnemyBullet
* @throws IOException
*/
@Override
protected Java2DEnemyBullet CreateEnemyBullet() throws IOException {
return new Java2DEnemyBullet(this);
}
/**
* Deze functie maakt een nieuwe positieve bonus aan
* @return Java2DPBonus
* @throws IOException
*/
@Override
protected Java2DPBonus CreatePBonus() throws IOException {
return new Java2DPBonus(this);
}
/**
* Deze functie maakt een nieuwe negatieve bonus aan
* @return Java2DNBonus
* @throws IOException
*/
@Override
protected Java2DNBonus CreateNBonus() throws IOException {
return new Java2DNBonus(this);
}
/**
* Deze functie maakt een nieuw input object aan
* @return Java2DInput
*/
@Override
protected Input CreateInput() {
return new Java2DInput(this);
}
/**
* Deze functie maakt een nieuw sound object aan.
* @return Java2DSound
*/
@Override
protected Sound CreateSound() {
return new Java2DSound();
}
}
|
212331_6 | package Java2D;
import be.uantwerpen.fti.ei.space.*;
import javax.imageio.ImageIO;
import javax.swing.*;
import java.awt.*;
import java.awt.image.BufferedImage;
import java.io.File;
import java.io.FileInputStream;
import java.io.IOException;
import java.util.Arrays;
import java.util.Properties;
public class Java2DFactory extends A_fact {
public int screenWidth;
public int screenHeight;
public double gameWidth;
public double gameHeight;
public double scaleX;
public double scaleY;
private final JFrame frame;
private final JPanel panel;
private final JLabel statusbar;
private BufferedImage g2dimage;
private Graphics2D g2d;
private BufferedImage backgroundImg;
private BufferedImage gameOverImg;
private BufferedImage youWinImg;
private double size;
/**
* Deze functie maakt een nieuw JFrame en JPanel aan en voegt een statusbar toe.
* @throws IOException
*/
public Java2DFactory() throws IOException{
readconfig();
frame = new JFrame();
statusbar = new JLabel("0");
panel = new JPanel(true) {
@Override
public void paintComponent(Graphics g) {
super.paintComponent(g);
doDrawing(g);
}
};
frame.setFocusable(true);
frame.add(panel);
frame.add(statusbar,BorderLayout.NORTH);
frame.setTitle("Space Invadors");
frame.setDefaultCloseOperation(WindowConstants.EXIT_ON_CLOSE);
frame.setResizable(true);
frame.setLocationRelativeTo(null);
frame.setVisible(true);
}
public Graphics2D getG2d() {
return g2d;
}
public JFrame getFrame() {
return frame;
}
public double getSize() {
return size;
}
/**
* Deze functie leest een config bestand in met scherm breedte en hoogte.
* @throws IOException
*/
private void readconfig() throws IOException {
FileInputStream fileInputStream = new FileInputStream("Space_Invaders/src/config.properties");
Properties prop = new Properties();
prop.load(fileInputStream);
this.screenHeight = Integer.parseInt(prop.getProperty("ScreenHeight"));
this.screenWidth = Integer.parseInt(prop.getProperty("ScreenWidth"));
}
/**
* Deze functie maakt een schalingsfactor voor x en voor y aan. Deze schaal drukt de verhouding van game afmetingen en de schermafmetingen uit.
* @param gamewidth de breedte van het game veld
* @param gameheight de hoogte van het game veld
*/
public void scaleScreen(double gamewidth, double gameheight){
gameWidth = gamewidth;
gameHeight = gameheight;
scaleX = screenWidth / gamewidth;
scaleY = screenHeight / gameheight;
}
/**
* Deze functie drukt een "game over afbeelding" af over heel het scherm.
*/
@Override
protected void gameOver() {
try{
gameOverImg = resizeImage(gameOverImg,frame.getWidth(), frame.getHeight());
} catch (Exception e){
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2d.drawImage(gameOverImg, 0, 0, null);
statusbar.setText("press space key to continue");
}
/**
* Deze functie drukt een "you win afbeelding" af over heel het scherm.
*/
@Override
protected void youWin() {
try{
youWinImg = resizeImage(youWinImg,frame.getWidth(), frame.getHeight());
} catch (Exception e){
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2d.drawImage(youWinImg, 0, 0, null);
statusbar.setText("press space key to continue");
}
/**
* deze functie hertekent het scherm.
*/
@Override
public void render() {
panel.repaint();
}
/**
* Deze funcite plaats een achtergrond op het speelveld.
* @param g Graphics
*/
private void doDrawing(Graphics g) {
Graphics2D graph2d = (Graphics2D) g;
Toolkit.getDefaultToolkit().sync();
graph2d.drawImage(g2dimage, 0, 0, null); // copy buffered image
graph2d.dispose();
if (g2d != null)
g2d.drawImage(backgroundImg,0, 0, null);
}
/**
* Met deze functie kan de grootte van een afbeelding worden aangepast.
* @param originalImage de aan te passen afbeelding
* @param targetWidth de gewenste breedte
* @param targetHeight de gewenste hoogte
* @return geeft de aangepaste afbeelding terug
*/
public BufferedImage resizeImage(BufferedImage originalImage, int targetWidth, int targetHeight){
Image resultingImage = originalImage.getScaledInstance(targetWidth, targetHeight, Image.SCALE_DEFAULT);
BufferedImage outputImage = new BufferedImage(targetWidth, targetHeight, BufferedImage.TYPE_4BYTE_ABGR_PRE);
outputImage.getGraphics().drawImage(resultingImage, 0, 0, null);
return outputImage;
}
/**
* Deze functie laad de afbeeldingen voor de achtergrond, game over en you win in.
* @throws IOException
*/
private void loadImages() throws IOException {
backgroundImg = null;
gameOverImg = null;
youWinImg = null;
backgroundImg = ImageIO.read(new File("Space_Invaders/src/recources/background.jpg"));
gameOverImg = ImageIO.read(new File("Space_Invaders/src/recources/Game over.jpg"));
youWinImg = ImageIO.read(new File("Space_Invaders/src/recources/you_win.png"));
}
/**
* Deze functie zet de game dimensies op een bepaalde waarde en zet het veld op een bepaalde locatie op het scherm.
* De achtergrond wordt over heel het veld getekend.
* @param GameWidth game breedte
* @param GameHeight game hoogte
* @throws IOException
*/
@Override
public void setGameDimensions(int GameWidth, int GameHeight) throws IOException {
size = Math.min(screenWidth /GameWidth, screenHeight /GameHeight);
System.out.println("size: "+size);
frame.setLocation(50,50);
frame.setSize(screenWidth, screenHeight);
loadImages();
try {
backgroundImg = resizeImage(backgroundImg, frame.getWidth(), frame.getHeight());
} catch(Exception e) {
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2dimage = new BufferedImage(frame.getWidth(), frame.getHeight(), BufferedImage.TYPE_4BYTE_ABGR_PRE);
g2d = g2dimage.createGraphics();
g2d.drawImage(backgroundImg,0, 0, null);
}
/**
* Deze functie zet de score en het aantal resterende levens in de statusbar.
* @param score de huidige score
* @param lives het resterende aantal levens
*/
@Override
protected void ShowStatus(int score, int lives) {
statusbar.setText("Score " + score + " lives " + lives);
statusbar.setForeground(Color.DARK_GRAY);
}
/**
* Deze funcite maakt een nieuw Java2Dplayership aan
* @return Java2DPlayerShip
* @throws IOException
*/
@Override
protected Playership CreatePlayerschip() throws IOException {
return new Java2DPlayership(this);
}
/**
* Deze funcite maakt een nieuw Java2DEnemyShip aan
* @return Java2DEnemyShip
* @throws IOException
*/
@Override
protected Enemyship CreateEnemyship() throws IOException {
return new Java2DEnemyship(this);
}
/**
* Deze functie maakt een nieuwe player bullet aan
* @return Java2DBullet
* @throws IOException
*/
@Override
protected Bullet CreateBullet() throws IOException {
return new Java2DBullet(this);
}
/**
* Deze functie maakt een nieuwe enemy bullet aan
* @return Java2DEnemyBullet
* @throws IOException
*/
@Override
protected Java2DEnemyBullet CreateEnemyBullet() throws IOException {
return new Java2DEnemyBullet(this);
}
/**
* Deze functie maakt een nieuwe positieve bonus aan
* @return Java2DPBonus
* @throws IOException
*/
@Override
protected Java2DPBonus CreatePBonus() throws IOException {
return new Java2DPBonus(this);
}
/**
* Deze functie maakt een nieuwe negatieve bonus aan
* @return Java2DNBonus
* @throws IOException
*/
@Override
protected Java2DNBonus CreateNBonus() throws IOException {
return new Java2DNBonus(this);
}
/**
* Deze functie maakt een nieuw input object aan
* @return Java2DInput
*/
@Override
protected Input CreateInput() {
return new Java2DInput(this);
}
/**
* Deze functie maakt een nieuw sound object aan.
* @return Java2DSound
*/
@Override
protected Sound CreateSound() {
return new Java2DSound();
}
}
| JurgenVanpeteghem/Space-Invaders | Space_Invaders/src/Java2D/Java2DFactory.java | 2,410 | /**
* Deze funcite plaats een achtergrond op het speelveld.
* @param g Graphics
*/ | block_comment | nl | package Java2D;
import be.uantwerpen.fti.ei.space.*;
import javax.imageio.ImageIO;
import javax.swing.*;
import java.awt.*;
import java.awt.image.BufferedImage;
import java.io.File;
import java.io.FileInputStream;
import java.io.IOException;
import java.util.Arrays;
import java.util.Properties;
public class Java2DFactory extends A_fact {
public int screenWidth;
public int screenHeight;
public double gameWidth;
public double gameHeight;
public double scaleX;
public double scaleY;
private final JFrame frame;
private final JPanel panel;
private final JLabel statusbar;
private BufferedImage g2dimage;
private Graphics2D g2d;
private BufferedImage backgroundImg;
private BufferedImage gameOverImg;
private BufferedImage youWinImg;
private double size;
/**
* Deze functie maakt een nieuw JFrame en JPanel aan en voegt een statusbar toe.
* @throws IOException
*/
public Java2DFactory() throws IOException{
readconfig();
frame = new JFrame();
statusbar = new JLabel("0");
panel = new JPanel(true) {
@Override
public void paintComponent(Graphics g) {
super.paintComponent(g);
doDrawing(g);
}
};
frame.setFocusable(true);
frame.add(panel);
frame.add(statusbar,BorderLayout.NORTH);
frame.setTitle("Space Invadors");
frame.setDefaultCloseOperation(WindowConstants.EXIT_ON_CLOSE);
frame.setResizable(true);
frame.setLocationRelativeTo(null);
frame.setVisible(true);
}
public Graphics2D getG2d() {
return g2d;
}
public JFrame getFrame() {
return frame;
}
public double getSize() {
return size;
}
/**
* Deze functie leest een config bestand in met scherm breedte en hoogte.
* @throws IOException
*/
private void readconfig() throws IOException {
FileInputStream fileInputStream = new FileInputStream("Space_Invaders/src/config.properties");
Properties prop = new Properties();
prop.load(fileInputStream);
this.screenHeight = Integer.parseInt(prop.getProperty("ScreenHeight"));
this.screenWidth = Integer.parseInt(prop.getProperty("ScreenWidth"));
}
/**
* Deze functie maakt een schalingsfactor voor x en voor y aan. Deze schaal drukt de verhouding van game afmetingen en de schermafmetingen uit.
* @param gamewidth de breedte van het game veld
* @param gameheight de hoogte van het game veld
*/
public void scaleScreen(double gamewidth, double gameheight){
gameWidth = gamewidth;
gameHeight = gameheight;
scaleX = screenWidth / gamewidth;
scaleY = screenHeight / gameheight;
}
/**
* Deze functie drukt een "game over afbeelding" af over heel het scherm.
*/
@Override
protected void gameOver() {
try{
gameOverImg = resizeImage(gameOverImg,frame.getWidth(), frame.getHeight());
} catch (Exception e){
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2d.drawImage(gameOverImg, 0, 0, null);
statusbar.setText("press space key to continue");
}
/**
* Deze functie drukt een "you win afbeelding" af over heel het scherm.
*/
@Override
protected void youWin() {
try{
youWinImg = resizeImage(youWinImg,frame.getWidth(), frame.getHeight());
} catch (Exception e){
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2d.drawImage(youWinImg, 0, 0, null);
statusbar.setText("press space key to continue");
}
/**
* deze functie hertekent het scherm.
*/
@Override
public void render() {
panel.repaint();
}
/**
* Deze funcite plaats<SUF>*/
private void doDrawing(Graphics g) {
Graphics2D graph2d = (Graphics2D) g;
Toolkit.getDefaultToolkit().sync();
graph2d.drawImage(g2dimage, 0, 0, null); // copy buffered image
graph2d.dispose();
if (g2d != null)
g2d.drawImage(backgroundImg,0, 0, null);
}
/**
* Met deze functie kan de grootte van een afbeelding worden aangepast.
* @param originalImage de aan te passen afbeelding
* @param targetWidth de gewenste breedte
* @param targetHeight de gewenste hoogte
* @return geeft de aangepaste afbeelding terug
*/
public BufferedImage resizeImage(BufferedImage originalImage, int targetWidth, int targetHeight){
Image resultingImage = originalImage.getScaledInstance(targetWidth, targetHeight, Image.SCALE_DEFAULT);
BufferedImage outputImage = new BufferedImage(targetWidth, targetHeight, BufferedImage.TYPE_4BYTE_ABGR_PRE);
outputImage.getGraphics().drawImage(resultingImage, 0, 0, null);
return outputImage;
}
/**
* Deze functie laad de afbeeldingen voor de achtergrond, game over en you win in.
* @throws IOException
*/
private void loadImages() throws IOException {
backgroundImg = null;
gameOverImg = null;
youWinImg = null;
backgroundImg = ImageIO.read(new File("Space_Invaders/src/recources/background.jpg"));
gameOverImg = ImageIO.read(new File("Space_Invaders/src/recources/Game over.jpg"));
youWinImg = ImageIO.read(new File("Space_Invaders/src/recources/you_win.png"));
}
/**
* Deze functie zet de game dimensies op een bepaalde waarde en zet het veld op een bepaalde locatie op het scherm.
* De achtergrond wordt over heel het veld getekend.
* @param GameWidth game breedte
* @param GameHeight game hoogte
* @throws IOException
*/
@Override
public void setGameDimensions(int GameWidth, int GameHeight) throws IOException {
size = Math.min(screenWidth /GameWidth, screenHeight /GameHeight);
System.out.println("size: "+size);
frame.setLocation(50,50);
frame.setSize(screenWidth, screenHeight);
loadImages();
try {
backgroundImg = resizeImage(backgroundImg, frame.getWidth(), frame.getHeight());
} catch(Exception e) {
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2dimage = new BufferedImage(frame.getWidth(), frame.getHeight(), BufferedImage.TYPE_4BYTE_ABGR_PRE);
g2d = g2dimage.createGraphics();
g2d.drawImage(backgroundImg,0, 0, null);
}
/**
* Deze functie zet de score en het aantal resterende levens in de statusbar.
* @param score de huidige score
* @param lives het resterende aantal levens
*/
@Override
protected void ShowStatus(int score, int lives) {
statusbar.setText("Score " + score + " lives " + lives);
statusbar.setForeground(Color.DARK_GRAY);
}
/**
* Deze funcite maakt een nieuw Java2Dplayership aan
* @return Java2DPlayerShip
* @throws IOException
*/
@Override
protected Playership CreatePlayerschip() throws IOException {
return new Java2DPlayership(this);
}
/**
* Deze funcite maakt een nieuw Java2DEnemyShip aan
* @return Java2DEnemyShip
* @throws IOException
*/
@Override
protected Enemyship CreateEnemyship() throws IOException {
return new Java2DEnemyship(this);
}
/**
* Deze functie maakt een nieuwe player bullet aan
* @return Java2DBullet
* @throws IOException
*/
@Override
protected Bullet CreateBullet() throws IOException {
return new Java2DBullet(this);
}
/**
* Deze functie maakt een nieuwe enemy bullet aan
* @return Java2DEnemyBullet
* @throws IOException
*/
@Override
protected Java2DEnemyBullet CreateEnemyBullet() throws IOException {
return new Java2DEnemyBullet(this);
}
/**
* Deze functie maakt een nieuwe positieve bonus aan
* @return Java2DPBonus
* @throws IOException
*/
@Override
protected Java2DPBonus CreatePBonus() throws IOException {
return new Java2DPBonus(this);
}
/**
* Deze functie maakt een nieuwe negatieve bonus aan
* @return Java2DNBonus
* @throws IOException
*/
@Override
protected Java2DNBonus CreateNBonus() throws IOException {
return new Java2DNBonus(this);
}
/**
* Deze functie maakt een nieuw input object aan
* @return Java2DInput
*/
@Override
protected Input CreateInput() {
return new Java2DInput(this);
}
/**
* Deze functie maakt een nieuw sound object aan.
* @return Java2DSound
*/
@Override
protected Sound CreateSound() {
return new Java2DSound();
}
}
|
212331_8 | package Java2D;
import be.uantwerpen.fti.ei.space.*;
import javax.imageio.ImageIO;
import javax.swing.*;
import java.awt.*;
import java.awt.image.BufferedImage;
import java.io.File;
import java.io.FileInputStream;
import java.io.IOException;
import java.util.Arrays;
import java.util.Properties;
public class Java2DFactory extends A_fact {
public int screenWidth;
public int screenHeight;
public double gameWidth;
public double gameHeight;
public double scaleX;
public double scaleY;
private final JFrame frame;
private final JPanel panel;
private final JLabel statusbar;
private BufferedImage g2dimage;
private Graphics2D g2d;
private BufferedImage backgroundImg;
private BufferedImage gameOverImg;
private BufferedImage youWinImg;
private double size;
/**
* Deze functie maakt een nieuw JFrame en JPanel aan en voegt een statusbar toe.
* @throws IOException
*/
public Java2DFactory() throws IOException{
readconfig();
frame = new JFrame();
statusbar = new JLabel("0");
panel = new JPanel(true) {
@Override
public void paintComponent(Graphics g) {
super.paintComponent(g);
doDrawing(g);
}
};
frame.setFocusable(true);
frame.add(panel);
frame.add(statusbar,BorderLayout.NORTH);
frame.setTitle("Space Invadors");
frame.setDefaultCloseOperation(WindowConstants.EXIT_ON_CLOSE);
frame.setResizable(true);
frame.setLocationRelativeTo(null);
frame.setVisible(true);
}
public Graphics2D getG2d() {
return g2d;
}
public JFrame getFrame() {
return frame;
}
public double getSize() {
return size;
}
/**
* Deze functie leest een config bestand in met scherm breedte en hoogte.
* @throws IOException
*/
private void readconfig() throws IOException {
FileInputStream fileInputStream = new FileInputStream("Space_Invaders/src/config.properties");
Properties prop = new Properties();
prop.load(fileInputStream);
this.screenHeight = Integer.parseInt(prop.getProperty("ScreenHeight"));
this.screenWidth = Integer.parseInt(prop.getProperty("ScreenWidth"));
}
/**
* Deze functie maakt een schalingsfactor voor x en voor y aan. Deze schaal drukt de verhouding van game afmetingen en de schermafmetingen uit.
* @param gamewidth de breedte van het game veld
* @param gameheight de hoogte van het game veld
*/
public void scaleScreen(double gamewidth, double gameheight){
gameWidth = gamewidth;
gameHeight = gameheight;
scaleX = screenWidth / gamewidth;
scaleY = screenHeight / gameheight;
}
/**
* Deze functie drukt een "game over afbeelding" af over heel het scherm.
*/
@Override
protected void gameOver() {
try{
gameOverImg = resizeImage(gameOverImg,frame.getWidth(), frame.getHeight());
} catch (Exception e){
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2d.drawImage(gameOverImg, 0, 0, null);
statusbar.setText("press space key to continue");
}
/**
* Deze functie drukt een "you win afbeelding" af over heel het scherm.
*/
@Override
protected void youWin() {
try{
youWinImg = resizeImage(youWinImg,frame.getWidth(), frame.getHeight());
} catch (Exception e){
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2d.drawImage(youWinImg, 0, 0, null);
statusbar.setText("press space key to continue");
}
/**
* deze functie hertekent het scherm.
*/
@Override
public void render() {
panel.repaint();
}
/**
* Deze funcite plaats een achtergrond op het speelveld.
* @param g Graphics
*/
private void doDrawing(Graphics g) {
Graphics2D graph2d = (Graphics2D) g;
Toolkit.getDefaultToolkit().sync();
graph2d.drawImage(g2dimage, 0, 0, null); // copy buffered image
graph2d.dispose();
if (g2d != null)
g2d.drawImage(backgroundImg,0, 0, null);
}
/**
* Met deze functie kan de grootte van een afbeelding worden aangepast.
* @param originalImage de aan te passen afbeelding
* @param targetWidth de gewenste breedte
* @param targetHeight de gewenste hoogte
* @return geeft de aangepaste afbeelding terug
*/
public BufferedImage resizeImage(BufferedImage originalImage, int targetWidth, int targetHeight){
Image resultingImage = originalImage.getScaledInstance(targetWidth, targetHeight, Image.SCALE_DEFAULT);
BufferedImage outputImage = new BufferedImage(targetWidth, targetHeight, BufferedImage.TYPE_4BYTE_ABGR_PRE);
outputImage.getGraphics().drawImage(resultingImage, 0, 0, null);
return outputImage;
}
/**
* Deze functie laad de afbeeldingen voor de achtergrond, game over en you win in.
* @throws IOException
*/
private void loadImages() throws IOException {
backgroundImg = null;
gameOverImg = null;
youWinImg = null;
backgroundImg = ImageIO.read(new File("Space_Invaders/src/recources/background.jpg"));
gameOverImg = ImageIO.read(new File("Space_Invaders/src/recources/Game over.jpg"));
youWinImg = ImageIO.read(new File("Space_Invaders/src/recources/you_win.png"));
}
/**
* Deze functie zet de game dimensies op een bepaalde waarde en zet het veld op een bepaalde locatie op het scherm.
* De achtergrond wordt over heel het veld getekend.
* @param GameWidth game breedte
* @param GameHeight game hoogte
* @throws IOException
*/
@Override
public void setGameDimensions(int GameWidth, int GameHeight) throws IOException {
size = Math.min(screenWidth /GameWidth, screenHeight /GameHeight);
System.out.println("size: "+size);
frame.setLocation(50,50);
frame.setSize(screenWidth, screenHeight);
loadImages();
try {
backgroundImg = resizeImage(backgroundImg, frame.getWidth(), frame.getHeight());
} catch(Exception e) {
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2dimage = new BufferedImage(frame.getWidth(), frame.getHeight(), BufferedImage.TYPE_4BYTE_ABGR_PRE);
g2d = g2dimage.createGraphics();
g2d.drawImage(backgroundImg,0, 0, null);
}
/**
* Deze functie zet de score en het aantal resterende levens in de statusbar.
* @param score de huidige score
* @param lives het resterende aantal levens
*/
@Override
protected void ShowStatus(int score, int lives) {
statusbar.setText("Score " + score + " lives " + lives);
statusbar.setForeground(Color.DARK_GRAY);
}
/**
* Deze funcite maakt een nieuw Java2Dplayership aan
* @return Java2DPlayerShip
* @throws IOException
*/
@Override
protected Playership CreatePlayerschip() throws IOException {
return new Java2DPlayership(this);
}
/**
* Deze funcite maakt een nieuw Java2DEnemyShip aan
* @return Java2DEnemyShip
* @throws IOException
*/
@Override
protected Enemyship CreateEnemyship() throws IOException {
return new Java2DEnemyship(this);
}
/**
* Deze functie maakt een nieuwe player bullet aan
* @return Java2DBullet
* @throws IOException
*/
@Override
protected Bullet CreateBullet() throws IOException {
return new Java2DBullet(this);
}
/**
* Deze functie maakt een nieuwe enemy bullet aan
* @return Java2DEnemyBullet
* @throws IOException
*/
@Override
protected Java2DEnemyBullet CreateEnemyBullet() throws IOException {
return new Java2DEnemyBullet(this);
}
/**
* Deze functie maakt een nieuwe positieve bonus aan
* @return Java2DPBonus
* @throws IOException
*/
@Override
protected Java2DPBonus CreatePBonus() throws IOException {
return new Java2DPBonus(this);
}
/**
* Deze functie maakt een nieuwe negatieve bonus aan
* @return Java2DNBonus
* @throws IOException
*/
@Override
protected Java2DNBonus CreateNBonus() throws IOException {
return new Java2DNBonus(this);
}
/**
* Deze functie maakt een nieuw input object aan
* @return Java2DInput
*/
@Override
protected Input CreateInput() {
return new Java2DInput(this);
}
/**
* Deze functie maakt een nieuw sound object aan.
* @return Java2DSound
*/
@Override
protected Sound CreateSound() {
return new Java2DSound();
}
}
| JurgenVanpeteghem/Space-Invaders | Space_Invaders/src/Java2D/Java2DFactory.java | 2,410 | /**
* Met deze functie kan de grootte van een afbeelding worden aangepast.
* @param originalImage de aan te passen afbeelding
* @param targetWidth de gewenste breedte
* @param targetHeight de gewenste hoogte
* @return geeft de aangepaste afbeelding terug
*/ | block_comment | nl | package Java2D;
import be.uantwerpen.fti.ei.space.*;
import javax.imageio.ImageIO;
import javax.swing.*;
import java.awt.*;
import java.awt.image.BufferedImage;
import java.io.File;
import java.io.FileInputStream;
import java.io.IOException;
import java.util.Arrays;
import java.util.Properties;
public class Java2DFactory extends A_fact {
public int screenWidth;
public int screenHeight;
public double gameWidth;
public double gameHeight;
public double scaleX;
public double scaleY;
private final JFrame frame;
private final JPanel panel;
private final JLabel statusbar;
private BufferedImage g2dimage;
private Graphics2D g2d;
private BufferedImage backgroundImg;
private BufferedImage gameOverImg;
private BufferedImage youWinImg;
private double size;
/**
* Deze functie maakt een nieuw JFrame en JPanel aan en voegt een statusbar toe.
* @throws IOException
*/
public Java2DFactory() throws IOException{
readconfig();
frame = new JFrame();
statusbar = new JLabel("0");
panel = new JPanel(true) {
@Override
public void paintComponent(Graphics g) {
super.paintComponent(g);
doDrawing(g);
}
};
frame.setFocusable(true);
frame.add(panel);
frame.add(statusbar,BorderLayout.NORTH);
frame.setTitle("Space Invadors");
frame.setDefaultCloseOperation(WindowConstants.EXIT_ON_CLOSE);
frame.setResizable(true);
frame.setLocationRelativeTo(null);
frame.setVisible(true);
}
public Graphics2D getG2d() {
return g2d;
}
public JFrame getFrame() {
return frame;
}
public double getSize() {
return size;
}
/**
* Deze functie leest een config bestand in met scherm breedte en hoogte.
* @throws IOException
*/
private void readconfig() throws IOException {
FileInputStream fileInputStream = new FileInputStream("Space_Invaders/src/config.properties");
Properties prop = new Properties();
prop.load(fileInputStream);
this.screenHeight = Integer.parseInt(prop.getProperty("ScreenHeight"));
this.screenWidth = Integer.parseInt(prop.getProperty("ScreenWidth"));
}
/**
* Deze functie maakt een schalingsfactor voor x en voor y aan. Deze schaal drukt de verhouding van game afmetingen en de schermafmetingen uit.
* @param gamewidth de breedte van het game veld
* @param gameheight de hoogte van het game veld
*/
public void scaleScreen(double gamewidth, double gameheight){
gameWidth = gamewidth;
gameHeight = gameheight;
scaleX = screenWidth / gamewidth;
scaleY = screenHeight / gameheight;
}
/**
* Deze functie drukt een "game over afbeelding" af over heel het scherm.
*/
@Override
protected void gameOver() {
try{
gameOverImg = resizeImage(gameOverImg,frame.getWidth(), frame.getHeight());
} catch (Exception e){
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2d.drawImage(gameOverImg, 0, 0, null);
statusbar.setText("press space key to continue");
}
/**
* Deze functie drukt een "you win afbeelding" af over heel het scherm.
*/
@Override
protected void youWin() {
try{
youWinImg = resizeImage(youWinImg,frame.getWidth(), frame.getHeight());
} catch (Exception e){
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2d.drawImage(youWinImg, 0, 0, null);
statusbar.setText("press space key to continue");
}
/**
* deze functie hertekent het scherm.
*/
@Override
public void render() {
panel.repaint();
}
/**
* Deze funcite plaats een achtergrond op het speelveld.
* @param g Graphics
*/
private void doDrawing(Graphics g) {
Graphics2D graph2d = (Graphics2D) g;
Toolkit.getDefaultToolkit().sync();
graph2d.drawImage(g2dimage, 0, 0, null); // copy buffered image
graph2d.dispose();
if (g2d != null)
g2d.drawImage(backgroundImg,0, 0, null);
}
/**
* Met deze functie<SUF>*/
public BufferedImage resizeImage(BufferedImage originalImage, int targetWidth, int targetHeight){
Image resultingImage = originalImage.getScaledInstance(targetWidth, targetHeight, Image.SCALE_DEFAULT);
BufferedImage outputImage = new BufferedImage(targetWidth, targetHeight, BufferedImage.TYPE_4BYTE_ABGR_PRE);
outputImage.getGraphics().drawImage(resultingImage, 0, 0, null);
return outputImage;
}
/**
* Deze functie laad de afbeeldingen voor de achtergrond, game over en you win in.
* @throws IOException
*/
private void loadImages() throws IOException {
backgroundImg = null;
gameOverImg = null;
youWinImg = null;
backgroundImg = ImageIO.read(new File("Space_Invaders/src/recources/background.jpg"));
gameOverImg = ImageIO.read(new File("Space_Invaders/src/recources/Game over.jpg"));
youWinImg = ImageIO.read(new File("Space_Invaders/src/recources/you_win.png"));
}
/**
* Deze functie zet de game dimensies op een bepaalde waarde en zet het veld op een bepaalde locatie op het scherm.
* De achtergrond wordt over heel het veld getekend.
* @param GameWidth game breedte
* @param GameHeight game hoogte
* @throws IOException
*/
@Override
public void setGameDimensions(int GameWidth, int GameHeight) throws IOException {
size = Math.min(screenWidth /GameWidth, screenHeight /GameHeight);
System.out.println("size: "+size);
frame.setLocation(50,50);
frame.setSize(screenWidth, screenHeight);
loadImages();
try {
backgroundImg = resizeImage(backgroundImg, frame.getWidth(), frame.getHeight());
} catch(Exception e) {
System.out.println(Arrays.toString(e.getStackTrace()));
}
g2dimage = new BufferedImage(frame.getWidth(), frame.getHeight(), BufferedImage.TYPE_4BYTE_ABGR_PRE);
g2d = g2dimage.createGraphics();
g2d.drawImage(backgroundImg,0, 0, null);
}
/**
* Deze functie zet de score en het aantal resterende levens in de statusbar.
* @param score de huidige score
* @param lives het resterende aantal levens
*/
@Override
protected void ShowStatus(int score, int lives) {
statusbar.setText("Score " + score + " lives " + lives);
statusbar.setForeground(Color.DARK_GRAY);
}
/**
* Deze funcite maakt een nieuw Java2Dplayership aan
* @return Java2DPlayerShip
* @throws IOException
*/
@Override
protected Playership CreatePlayerschip() throws IOException {
return new Java2DPlayership(this);
}
/**
* Deze funcite maakt een nieuw Java2DEnemyShip aan
* @return Java2DEnemyShip
* @throws IOException
*/
@Override
protected Enemyship CreateEnemyship() throws IOException {
return new Java2DEnemyship(this);
}
/**
* Deze functie maakt een nieuwe player bullet aan
* @return Java2DBullet
* @throws IOException
*/
@Override
protected Bullet CreateBullet() throws IOException {
return new Java2DBullet(this);
}
/**
* Deze functie maakt een nieuwe enemy bullet aan
* @return Java2DEnemyBullet
* @throws IOException
*/
@Override
protected Java2DEnemyBullet CreateEnemyBullet() throws IOException {
return new Java2DEnemyBullet(this);
}
/**
* Deze functie maakt een nieuwe positieve bonus aan
* @return Java2DPBonus
* @throws IOException
*/
@Override
protected Java2DPBonus CreatePBonus() throws IOException {
return new Java2DPBonus(this);
}
/**
* Deze functie maakt een nieuwe negatieve bonus aan
* @return Java2DNBonus
* @throws IOException
*/
@Override
protected Java2DNBonus CreateNBonus() throws IOException {
return new Java2DNBonus(this);
}
/**
* Deze functie maakt een nieuw input object aan
* @return Java2DInput
*/
@Override
protected Input CreateInput() {
return new Java2DInput(this);
}
/**
* Deze functie maakt een nieuw sound object aan.
* @return Java2DSound
*/
@Override
protected Sound CreateSound() {
return new Java2DSound();
}
}
|