index
int64 1
4.82k
| file_id
stringlengths 6
9
| content
stringlengths 240
14.6k
| repo
stringlengths 9
82
| path
stringlengths 8
129
| token_length
int64 72
3.85k
| original_comment
stringlengths 13
1.35k
| comment_type
stringclasses 2
values | detected_lang
stringclasses 1
value | prompt
stringlengths 142
14.6k
| Excluded
bool 1
class | file-tokens-Qwen/Qwen2-7B
int64 64
3.93k
| comment-tokens-Qwen/Qwen2-7B
int64 4
476
| file-tokens-bigcode/starcoder2-7b
int64 74
3.98k
| comment-tokens-bigcode/starcoder2-7b
int64 4
458
| file-tokens-google/codegemma-7b
int64 56
3.99k
| comment-tokens-google/codegemma-7b
int64 4
472
| file-tokens-ibm-granite/granite-8b-code-base
int64 74
3.98k
| comment-tokens-ibm-granite/granite-8b-code-base
int64 4
458
| file-tokens-meta-llama/CodeLlama-7b-hf
int64 77
4.07k
| comment-tokens-meta-llama/CodeLlama-7b-hf
int64 4
496
| excluded-based-on-tokenizer-Qwen/Qwen2-7B
bool 2
classes | excluded-based-on-tokenizer-bigcode/starcoder2-7b
bool 2
classes | excluded-based-on-tokenizer-google/codegemma-7b
bool 2
classes | excluded-based-on-tokenizer-ibm-granite/granite-8b-code-base
bool 2
classes | excluded-based-on-tokenizer-meta-llama/CodeLlama-7b-hf
bool 2
classes | include-for-inference
bool 2
classes |
---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
90 | 111127_24 | package main.java.Accessor;
import main.java.Presentation.Presentation;
import main.java.Slide.*;
import java.util.Vector;
import java.io.File;
import java.io.IOException;
import java.io.PrintWriter;
import java.io.FileWriter;
import javax.xml.parsers.DocumentBuilder;
import javax.xml.parsers.DocumentBuilderFactory;
import javax.xml.parsers.ParserConfigurationException;
import org.xml.sax.SAXException;
import org.w3c.dom.Document;
import org.w3c.dom.Element;
import org.w3c.dom.NamedNodeMap;
import org.w3c.dom.NodeList;
public class XMLAccessor extends Accessor
{
// Api om te gebruiken
protected static final String DEFAULT_API_TO_USE = "dom";
// XML tags
protected static final String SHOWTITLE = "showtitle";
protected static final String SLIDETITLE = "title";
protected static final String SLIDE = "slide";
protected static final String ITEM = "item";
protected static final String LEVEL = "level";
protected static final String KIND = "kind";
protected static final String TEXT = "text";
protected static final String IMAGE = "image";
// Error berichten
protected static final String PCE = "Parser Configuration Exception";
protected static final String UNKNOWNTYPE = "Unknown Element type";
protected static final String NFE = "Number Format Exception";
// Geeft de titel van een element terug
private String getTitle(Element element, String tagName)
{
NodeList titles = element.getElementsByTagName(tagName);
return titles.item(0).getTextContent();
}
// Laad een bestand
@Override
public void loadFile(Presentation presentation, String filename) throws IOException
{
// Variabelen
int slideNumber;
int itemNumber;
int maxSlides = 0;
int maxItems = 0;
try
{
// Maakt een document builder
DocumentBuilder builder = DocumentBuilderFactory.newInstance().newDocumentBuilder();
// Maakt een JDOM document
Document document = builder.parse(new File(filename));
// Haalt de root element op
Element documentElement = document.getDocumentElement();
// Haalt de titel van de presentatie op
presentation.setTitle(this.getTitle(documentElement, SHOWTITLE));
// Haalt de slides op
NodeList slides = documentElement.getElementsByTagName(SLIDE);
maxSlides = slides.getLength();
// Voor elke slide in de presentatie wordt de slide geladen
for (slideNumber = 0; slideNumber < maxSlides; slideNumber++)
{
// Haalt de slide op
Element xmlSlide = (Element) slides.item(slideNumber);
Slide slide = new Slide();
slide.setTitle(this.getTitle(xmlSlide, SLIDETITLE));
presentation.append(slide);
// Haalt de items op
NodeList slideItems = xmlSlide.getElementsByTagName(ITEM);
maxItems = slideItems.getLength();
// Voor elk item in de slide wordt het item geladen
for (itemNumber = 0; itemNumber < maxItems; itemNumber++)
{
Element item = (Element) slideItems.item(itemNumber);
this.loadSlideItem(slide, item);
}
}
}
catch (IOException ioException)
{
System.err.println(ioException.toString());
}
catch (SAXException saxException)
{
System.err.println(saxException.getMessage());
}
catch (ParserConfigurationException parcerConfigurationException)
{
System.err.println(PCE);
}
}
// Laad een slide item
protected void loadSlideItem(Slide slide, Element item)
{
// Standaard level is 1
int level = 1;
// Haalt de attributen op
NamedNodeMap attributes = item.getAttributes();
String leveltext = attributes.getNamedItem(LEVEL).getTextContent();
// Als er een level is, wordt deze geparsed
if (leveltext != null)
{
try
{
level = Integer.parseInt(leveltext);
}
catch (NumberFormatException numberFormatException)
{
System.err.println(NFE);
}
}
// Haalt het type op
String type = attributes.getNamedItem(KIND).getTextContent();
if (TEXT.equals(type))
{
slide.append(new TextItem(level, item.getTextContent()));
}
else
{
// Als het type een afbeelding is, wordt deze toegevoegd
if (IMAGE.equals(type))
{
slide.append(new BitmapItem(level, item.getTextContent()));
}
else
{
System.err.println(UNKNOWNTYPE);
}
}
}
// Slaat een presentatie op naar het gegeven bestand
@Override
public void saveFile(Presentation presentation, String filename) throws IOException
{
// Maakt een printwriter
PrintWriter out = new PrintWriter(new FileWriter(filename));
// Schrijft de XML header
out.println("<?xml version=\"1.0\"?>");
out.println("<!DOCTYPE presentation SYSTEM \"jabberpoint.dtd\">");
// Schrijft de presentatie
out.println("<presentation>");
out.print("<showtitle>");
out.print(presentation.getTitle());
out.println("</showtitle>");
// Voor elke slide in de presentatie wordt de slide opgeslagen
for (int slideNumber = 0; slideNumber < presentation.getSize(); slideNumber++)
{
// Haalt de slide op
Slide slide = presentation.getSlide(slideNumber);
// Schrijft de slide
out.println("<slide>");
out.println("<title>" + slide.getTitle() + "</title>");
// Voor elk item in de slide wordt het item opgeslagen
Vector<SlideItem> slideItems = slide.getSlideItems();
for (int itemNumber = 0; itemNumber < slideItems.size(); itemNumber++)
{
// Haalt het item op
SlideItem slideItem = (SlideItem) slideItems.elementAt(itemNumber);
out.print("<item kind=");
// Als het item een tekst item is, wordt deze opgeslagen
if (slideItem instanceof TextItem)
{
out.print("\"text\" level=\"" + slideItem.getLevel() + "\">");
out.print(((TextItem) slideItem).getText());
}
else
{
// Als het item een afbeelding is, wordt deze opgeslagen
if (slideItem instanceof BitmapItem)
{
out.print("\"image\" level=\"" + slideItem.getLevel() + "\">");
out.print(((BitmapItem) slideItem).getName());
}
else
{
System.out.println("Ignoring " + slideItem);
}
}
out.println("</item>");
}
out.println("</slide>");
}
out.println("</presentation>");
out.close();
}
}
| AmanTrechsel/JabberPoint | src/main/java/Accessor/XMLAccessor.java | 1,921 | // Schrijft de slide | line_comment | nl | package main.java.Accessor;
import main.java.Presentation.Presentation;
import main.java.Slide.*;
import java.util.Vector;
import java.io.File;
import java.io.IOException;
import java.io.PrintWriter;
import java.io.FileWriter;
import javax.xml.parsers.DocumentBuilder;
import javax.xml.parsers.DocumentBuilderFactory;
import javax.xml.parsers.ParserConfigurationException;
import org.xml.sax.SAXException;
import org.w3c.dom.Document;
import org.w3c.dom.Element;
import org.w3c.dom.NamedNodeMap;
import org.w3c.dom.NodeList;
public class XMLAccessor extends Accessor
{
// Api om te gebruiken
protected static final String DEFAULT_API_TO_USE = "dom";
// XML tags
protected static final String SHOWTITLE = "showtitle";
protected static final String SLIDETITLE = "title";
protected static final String SLIDE = "slide";
protected static final String ITEM = "item";
protected static final String LEVEL = "level";
protected static final String KIND = "kind";
protected static final String TEXT = "text";
protected static final String IMAGE = "image";
// Error berichten
protected static final String PCE = "Parser Configuration Exception";
protected static final String UNKNOWNTYPE = "Unknown Element type";
protected static final String NFE = "Number Format Exception";
// Geeft de titel van een element terug
private String getTitle(Element element, String tagName)
{
NodeList titles = element.getElementsByTagName(tagName);
return titles.item(0).getTextContent();
}
// Laad een bestand
@Override
public void loadFile(Presentation presentation, String filename) throws IOException
{
// Variabelen
int slideNumber;
int itemNumber;
int maxSlides = 0;
int maxItems = 0;
try
{
// Maakt een document builder
DocumentBuilder builder = DocumentBuilderFactory.newInstance().newDocumentBuilder();
// Maakt een JDOM document
Document document = builder.parse(new File(filename));
// Haalt de root element op
Element documentElement = document.getDocumentElement();
// Haalt de titel van de presentatie op
presentation.setTitle(this.getTitle(documentElement, SHOWTITLE));
// Haalt de slides op
NodeList slides = documentElement.getElementsByTagName(SLIDE);
maxSlides = slides.getLength();
// Voor elke slide in de presentatie wordt de slide geladen
for (slideNumber = 0; slideNumber < maxSlides; slideNumber++)
{
// Haalt de slide op
Element xmlSlide = (Element) slides.item(slideNumber);
Slide slide = new Slide();
slide.setTitle(this.getTitle(xmlSlide, SLIDETITLE));
presentation.append(slide);
// Haalt de items op
NodeList slideItems = xmlSlide.getElementsByTagName(ITEM);
maxItems = slideItems.getLength();
// Voor elk item in de slide wordt het item geladen
for (itemNumber = 0; itemNumber < maxItems; itemNumber++)
{
Element item = (Element) slideItems.item(itemNumber);
this.loadSlideItem(slide, item);
}
}
}
catch (IOException ioException)
{
System.err.println(ioException.toString());
}
catch (SAXException saxException)
{
System.err.println(saxException.getMessage());
}
catch (ParserConfigurationException parcerConfigurationException)
{
System.err.println(PCE);
}
}
// Laad een slide item
protected void loadSlideItem(Slide slide, Element item)
{
// Standaard level is 1
int level = 1;
// Haalt de attributen op
NamedNodeMap attributes = item.getAttributes();
String leveltext = attributes.getNamedItem(LEVEL).getTextContent();
// Als er een level is, wordt deze geparsed
if (leveltext != null)
{
try
{
level = Integer.parseInt(leveltext);
}
catch (NumberFormatException numberFormatException)
{
System.err.println(NFE);
}
}
// Haalt het type op
String type = attributes.getNamedItem(KIND).getTextContent();
if (TEXT.equals(type))
{
slide.append(new TextItem(level, item.getTextContent()));
}
else
{
// Als het type een afbeelding is, wordt deze toegevoegd
if (IMAGE.equals(type))
{
slide.append(new BitmapItem(level, item.getTextContent()));
}
else
{
System.err.println(UNKNOWNTYPE);
}
}
}
// Slaat een presentatie op naar het gegeven bestand
@Override
public void saveFile(Presentation presentation, String filename) throws IOException
{
// Maakt een printwriter
PrintWriter out = new PrintWriter(new FileWriter(filename));
// Schrijft de XML header
out.println("<?xml version=\"1.0\"?>");
out.println("<!DOCTYPE presentation SYSTEM \"jabberpoint.dtd\">");
// Schrijft de presentatie
out.println("<presentation>");
out.print("<showtitle>");
out.print(presentation.getTitle());
out.println("</showtitle>");
// Voor elke slide in de presentatie wordt de slide opgeslagen
for (int slideNumber = 0; slideNumber < presentation.getSize(); slideNumber++)
{
// Haalt de slide op
Slide slide = presentation.getSlide(slideNumber);
// Schrijft de<SUF>
out.println("<slide>");
out.println("<title>" + slide.getTitle() + "</title>");
// Voor elk item in de slide wordt het item opgeslagen
Vector<SlideItem> slideItems = slide.getSlideItems();
for (int itemNumber = 0; itemNumber < slideItems.size(); itemNumber++)
{
// Haalt het item op
SlideItem slideItem = (SlideItem) slideItems.elementAt(itemNumber);
out.print("<item kind=");
// Als het item een tekst item is, wordt deze opgeslagen
if (slideItem instanceof TextItem)
{
out.print("\"text\" level=\"" + slideItem.getLevel() + "\">");
out.print(((TextItem) slideItem).getText());
}
else
{
// Als het item een afbeelding is, wordt deze opgeslagen
if (slideItem instanceof BitmapItem)
{
out.print("\"image\" level=\"" + slideItem.getLevel() + "\">");
out.print(((BitmapItem) slideItem).getName());
}
else
{
System.out.println("Ignoring " + slideItem);
}
}
out.println("</item>");
}
out.println("</slide>");
}
out.println("</presentation>");
out.close();
}
}
| false | 1,506 | 6 | 1,745 | 6 | 1,699 | 6 | 1,745 | 6 | 2,146 | 6 | false | false | false | false | false | true |
3,663 | 154253_3 | package state2vec;
import java.util.ArrayList;
import java.util.List;
import org.deeplearning4j.models.sequencevectors.SequenceVectors;
import org.deeplearning4j.models.sequencevectors.sequence.SequenceElement;
import org.nd4j.linalg.api.ndarray.INDArray;
import org.nd4j.linalg.factory.Nd4j;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import data.StateImpl;
import state2vec.KDTree.SearchResult;
import util.HelpFunctions;
public class KNNLookupTable<T extends SequenceElement> {
private static final Logger logger = LoggerFactory.getLogger(KNNLookupTable.class);
/**
* Use this class to feed in the data to the RNN!
*/
private SequenceVectors<StateImpl> vectors;
private int nearestNeighbours;
private List<Double> weights;
private INDArray columnMeans;
private INDArray columnStds;
private KDTree<INDArray> labelTree = null;
private KDTree<String> vectorTree = null;
public KNNLookupTable(SequenceVectors<StateImpl> vectors, int nearestNeighbours) {
this.vectors = vectors;
this.nearestNeighbours = nearestNeighbours;
this.weights = calculateWeights();
calculateMeanStd();
}
private void calculateMeanStd() {
INDArray wordLabels = null;
boolean first = true;
int rowNb = 0;
for(String word: vectors.getVocab().words()) {
double[] label = HelpFunctions.parse(word);
if(first) {
wordLabels = Nd4j.create(vectors.getVocab().numWords(), label.length);
first = false;
}
wordLabels.putRow(rowNb, Nd4j.create(label));
rowNb++;
}
this.columnMeans = wordLabels.mean(0);
this.columnStds = wordLabels.std(0).addi(Nd4j.scalar(Nd4j.EPS_THRESHOLD));
}
private List<Double> calculateWeights() {
List<Double> weights = new ArrayList<Double>();
double i = nearestNeighbours;
while(i != 0) {
weights.add(i / nearestNeighbours);
i--;
}
double sum = 0;
for(double toSum: weights) {
sum = sum + toSum;
}
List<Double> toReturn = new ArrayList<Double>();
for(double weight: weights) {
double newWeight = weight / sum;
toReturn.add(newWeight);
}
return toReturn;
}
public INDArray addSequenceElementVector(StateImpl sequenceElement) {
String label = sequenceElement.getLabel();
INDArray result = null;
if(!vectors.hasWord(label)) {
//logger.debug("Didn't find word in vocab!");
List<SearchResult<INDArray>> kNearestNeighbours = nearestNeighboursLabel(sequenceElement); // KNN lookup
//System.out.println("KNN NEAREST");
//System.out.println(kNearestNeighbours.toString());
//logger.debug(Integer.toString(kNearestNeighbours.size()));
List<INDArray> wordVectors = new ArrayList<INDArray>();
for(SearchResult<INDArray> neighbour: kNearestNeighbours) {
INDArray point = neighbour.payload;
List<Double> labelList = new ArrayList<Double>();
int i = 0;
while(i < point.columns()) {
double toAdd = point.getDouble(i);
labelList.add(toAdd);
i++;
}
String neighbourLabel = labelList.toString();
wordVectors.add(vectors.getWordVectorMatrix(neighbourLabel));
}
// gewogen gemiddelde van de arrays = 0.8 * array1 + 0.2 * array2
int i = 0;
while(i < wordVectors.size()) {
if(result == null) {
result = wordVectors.get(i).mul(weights.get(i));
}
else {
result = result.add(wordVectors.get(i).mul(weights.get(i)));
}
i++;
}
// word met vector in lookuptable steken!
return result;
}
else {
//logger.debug("Found word in vocab!");
//result = vectors.getLookupTable().vector(label);
}
return null;
}
public SequenceVectors<StateImpl> getSequenceVectors() {
return this.vectors;
}
private List<SearchResult<INDArray>> nearestNeighboursLabel(StateImpl label) {
if(labelTree == null) { // Tree hasn't been build yet.
labelTree = new KDTree.Euclidean<INDArray>(label.getState2vecLabel().size());
for(StateImpl state: vectors.getVocab().vocabWords()) {
INDArray ndarray = state.getState2vecLabelNormalized(columnMeans, columnStds);
labelTree.addPoint(ndarray.data().asDouble(), ndarray);
}
}
List<SearchResult<INDArray>> results = labelTree.nearestNeighbours(label.getState2vecLabelNormalized(columnMeans, columnStds).data().asDouble(), nearestNeighbours);
return results;
}
public List<SearchResult<String>> nearestNeighboursVector(INDArray vector, int k) {
if(vectorTree == null) { // Tree hasn't been build yet.
vectorTree = new KDTree.Euclidean<String>(vectors.lookupTable().layerSize());
for(StateImpl state: vectors.getVocab().vocabWords()) {
INDArray ndarray = vectors.getWordVectorMatrix(state.getLabel());
vectorTree.addPoint(ndarray.data().asDouble(), state.getLabel());
}
}
List<SearchResult<String>> results = vectorTree.nearestNeighbours(vector.data().asDouble(), k);
return results;
}
}
| milanvdm/MedicalLSTM | src/main/java/state2vec/KNNLookupTable.java | 1,637 | // gewogen gemiddelde van de arrays = 0.8 * array1 + 0.2 * array2 | line_comment | nl | package state2vec;
import java.util.ArrayList;
import java.util.List;
import org.deeplearning4j.models.sequencevectors.SequenceVectors;
import org.deeplearning4j.models.sequencevectors.sequence.SequenceElement;
import org.nd4j.linalg.api.ndarray.INDArray;
import org.nd4j.linalg.factory.Nd4j;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import data.StateImpl;
import state2vec.KDTree.SearchResult;
import util.HelpFunctions;
public class KNNLookupTable<T extends SequenceElement> {
private static final Logger logger = LoggerFactory.getLogger(KNNLookupTable.class);
/**
* Use this class to feed in the data to the RNN!
*/
private SequenceVectors<StateImpl> vectors;
private int nearestNeighbours;
private List<Double> weights;
private INDArray columnMeans;
private INDArray columnStds;
private KDTree<INDArray> labelTree = null;
private KDTree<String> vectorTree = null;
public KNNLookupTable(SequenceVectors<StateImpl> vectors, int nearestNeighbours) {
this.vectors = vectors;
this.nearestNeighbours = nearestNeighbours;
this.weights = calculateWeights();
calculateMeanStd();
}
private void calculateMeanStd() {
INDArray wordLabels = null;
boolean first = true;
int rowNb = 0;
for(String word: vectors.getVocab().words()) {
double[] label = HelpFunctions.parse(word);
if(first) {
wordLabels = Nd4j.create(vectors.getVocab().numWords(), label.length);
first = false;
}
wordLabels.putRow(rowNb, Nd4j.create(label));
rowNb++;
}
this.columnMeans = wordLabels.mean(0);
this.columnStds = wordLabels.std(0).addi(Nd4j.scalar(Nd4j.EPS_THRESHOLD));
}
private List<Double> calculateWeights() {
List<Double> weights = new ArrayList<Double>();
double i = nearestNeighbours;
while(i != 0) {
weights.add(i / nearestNeighbours);
i--;
}
double sum = 0;
for(double toSum: weights) {
sum = sum + toSum;
}
List<Double> toReturn = new ArrayList<Double>();
for(double weight: weights) {
double newWeight = weight / sum;
toReturn.add(newWeight);
}
return toReturn;
}
public INDArray addSequenceElementVector(StateImpl sequenceElement) {
String label = sequenceElement.getLabel();
INDArray result = null;
if(!vectors.hasWord(label)) {
//logger.debug("Didn't find word in vocab!");
List<SearchResult<INDArray>> kNearestNeighbours = nearestNeighboursLabel(sequenceElement); // KNN lookup
//System.out.println("KNN NEAREST");
//System.out.println(kNearestNeighbours.toString());
//logger.debug(Integer.toString(kNearestNeighbours.size()));
List<INDArray> wordVectors = new ArrayList<INDArray>();
for(SearchResult<INDArray> neighbour: kNearestNeighbours) {
INDArray point = neighbour.payload;
List<Double> labelList = new ArrayList<Double>();
int i = 0;
while(i < point.columns()) {
double toAdd = point.getDouble(i);
labelList.add(toAdd);
i++;
}
String neighbourLabel = labelList.toString();
wordVectors.add(vectors.getWordVectorMatrix(neighbourLabel));
}
// gewogen gemiddelde<SUF>
int i = 0;
while(i < wordVectors.size()) {
if(result == null) {
result = wordVectors.get(i).mul(weights.get(i));
}
else {
result = result.add(wordVectors.get(i).mul(weights.get(i)));
}
i++;
}
// word met vector in lookuptable steken!
return result;
}
else {
//logger.debug("Found word in vocab!");
//result = vectors.getLookupTable().vector(label);
}
return null;
}
public SequenceVectors<StateImpl> getSequenceVectors() {
return this.vectors;
}
private List<SearchResult<INDArray>> nearestNeighboursLabel(StateImpl label) {
if(labelTree == null) { // Tree hasn't been build yet.
labelTree = new KDTree.Euclidean<INDArray>(label.getState2vecLabel().size());
for(StateImpl state: vectors.getVocab().vocabWords()) {
INDArray ndarray = state.getState2vecLabelNormalized(columnMeans, columnStds);
labelTree.addPoint(ndarray.data().asDouble(), ndarray);
}
}
List<SearchResult<INDArray>> results = labelTree.nearestNeighbours(label.getState2vecLabelNormalized(columnMeans, columnStds).data().asDouble(), nearestNeighbours);
return results;
}
public List<SearchResult<String>> nearestNeighboursVector(INDArray vector, int k) {
if(vectorTree == null) { // Tree hasn't been build yet.
vectorTree = new KDTree.Euclidean<String>(vectors.lookupTable().layerSize());
for(StateImpl state: vectors.getVocab().vocabWords()) {
INDArray ndarray = vectors.getWordVectorMatrix(state.getLabel());
vectorTree.addPoint(ndarray.data().asDouble(), state.getLabel());
}
}
List<SearchResult<String>> results = vectorTree.nearestNeighbours(vector.data().asDouble(), k);
return results;
}
}
| false | 1,219 | 26 | 1,467 | 27 | 1,438 | 25 | 1,467 | 27 | 1,881 | 25 | false | false | false | false | false | true |
1,044 | 42928_1 | public class Game {
public void playGame() {
// Beide spelers hebben een stok
Stok deckP1 = new Stok();
Stok deckP2 = new Stok();
// Beide spelers hebben puntentelling
int scoreP1 = 0;
int scoreP2 = 0;
while (deckP1.getLength() != 0) {
// Spelers pakken kaart
Kaart cardP1 = deckP1.drawCard();
Kaart cardP2 = deckP2.drawCard();
if (cardP1.getScore() > cardP2.getScore()) {
scoreP1 += 1;
System.out.println("Player 1 won this round");
System.out.println(String.format("Score player1, player2: %d:%d", scoreP1, scoreP2));
continue;
}
if (cardP1.getScore() < cardP2.getScore()) {
scoreP2 += 1;
System.out.println("Player 2 won this round");
System.out.println(String.format("Score player1, player2: %d:%d", scoreP1, scoreP2));
continue;
}
}
if (scoreP1 == scoreP2) {
System.out.println("The game ended in a draw");
return;
}
if (scoreP1 > scoreP2) {
System.out.println("Winner of the cardgame is PLAYER 1!");
return;
}
System.out.println("Winner of the cardgame is PLAYER 2!");
}
}
| MaartjeGubb/simple-card-game | Game.java | 421 | // Beide spelers hebben puntentelling | line_comment | nl | public class Game {
public void playGame() {
// Beide spelers hebben een stok
Stok deckP1 = new Stok();
Stok deckP2 = new Stok();
// Beide spelers<SUF>
int scoreP1 = 0;
int scoreP2 = 0;
while (deckP1.getLength() != 0) {
// Spelers pakken kaart
Kaart cardP1 = deckP1.drawCard();
Kaart cardP2 = deckP2.drawCard();
if (cardP1.getScore() > cardP2.getScore()) {
scoreP1 += 1;
System.out.println("Player 1 won this round");
System.out.println(String.format("Score player1, player2: %d:%d", scoreP1, scoreP2));
continue;
}
if (cardP1.getScore() < cardP2.getScore()) {
scoreP2 += 1;
System.out.println("Player 2 won this round");
System.out.println(String.format("Score player1, player2: %d:%d", scoreP1, scoreP2));
continue;
}
}
if (scoreP1 == scoreP2) {
System.out.println("The game ended in a draw");
return;
}
if (scoreP1 > scoreP2) {
System.out.println("Winner of the cardgame is PLAYER 1!");
return;
}
System.out.println("Winner of the cardgame is PLAYER 2!");
}
}
| false | 341 | 9 | 376 | 13 | 386 | 7 | 376 | 13 | 413 | 9 | false | false | false | false | false | true |
552 | 28744_0 | package nl.han.ica.killthememe;
import java.net.URL;
import nl.han.ica.OOPDProcessingEngineHAN.alarm.Alarm;
import nl.han.ica.OOPDProcessingEngineHAN.alarm.IAlarmListener;
import nl.han.ica.OOPDProcessingEngineHAN.objects.AnimatedSpriteObject;
import nl.han.ica.OOPDProcessingEngineHAN.objects.Sprite;
import nl.han.ica.OOPDProcessingEngineHAN.objects.SpriteObject;
public class Vogel extends AnimatedSpriteObject implements IAlarmListener {
private boolean inAnimatie;
private MainGame mainGame;
private int totalFramez = 0;
private static URL vogel = Vogel.class.getResource(
"/twitter-bird-sprite.png");
/**
* Vogel constructor
*
* @param mainGame de wereld
*/
public Vogel(MainGame mainGame) {
this(new Sprite(vogel.toString()));
this.mainGame = mainGame;
setCurrentFrameIndex(totalFramez);
}
/**
*
* @param sprite Vogel Sprite
*/
private Vogel(Sprite sprite) {
super(sprite, 4);
setxSpeed(-1);
}
/**
* functie voor de alarm voor de animatie.
*/
public void startAlarm() {
Alarm alarm = new Alarm("Animatie", 1 / 0.99f);
alarm.addTarget(this);
alarm.start();
}
/**
* Zodra de alarm afgaat, wordt deze functie uitgevoerd en wisselt hij een
* boolean voor de animatie en maakt hij magAanvallen false.
*
*/
public void triggerAlarm(String alarmName) {
inAnimatie = false;
}
/**
* Functie die kijkt of de vogel uit het scherm gaat, zodra hij dat doet komt
* hij weer vanuit een random X positie weer terug aan de rechterkant van de
* spelers scherm. Bevat ook een functie voor de animatie van de vogel.
*/
@Override
public void update() {
if (getX() + getWidth() <= 0) {
setX(mainGame.getWidth());
setY(mainGame.random(0, mainGame.getHeight()));
}
if (!inAnimatie) {
if (totalFramez == 4) {
totalFramez = 0;
}
if (totalFramez < 4) {
setCurrentFrameIndex(totalFramez);
totalFramez++;
inAnimatie = true;
startAlarm();
}
}
}
}
| GGWPs/Kill-The-Meme | src/main/java/nl/han/ica/killthememe/Vogel.java | 727 | /**
* Vogel constructor
*
* @param mainGame de wereld
*/ | block_comment | nl | package nl.han.ica.killthememe;
import java.net.URL;
import nl.han.ica.OOPDProcessingEngineHAN.alarm.Alarm;
import nl.han.ica.OOPDProcessingEngineHAN.alarm.IAlarmListener;
import nl.han.ica.OOPDProcessingEngineHAN.objects.AnimatedSpriteObject;
import nl.han.ica.OOPDProcessingEngineHAN.objects.Sprite;
import nl.han.ica.OOPDProcessingEngineHAN.objects.SpriteObject;
public class Vogel extends AnimatedSpriteObject implements IAlarmListener {
private boolean inAnimatie;
private MainGame mainGame;
private int totalFramez = 0;
private static URL vogel = Vogel.class.getResource(
"/twitter-bird-sprite.png");
/**
* Vogel constructor
<SUF>*/
public Vogel(MainGame mainGame) {
this(new Sprite(vogel.toString()));
this.mainGame = mainGame;
setCurrentFrameIndex(totalFramez);
}
/**
*
* @param sprite Vogel Sprite
*/
private Vogel(Sprite sprite) {
super(sprite, 4);
setxSpeed(-1);
}
/**
* functie voor de alarm voor de animatie.
*/
public void startAlarm() {
Alarm alarm = new Alarm("Animatie", 1 / 0.99f);
alarm.addTarget(this);
alarm.start();
}
/**
* Zodra de alarm afgaat, wordt deze functie uitgevoerd en wisselt hij een
* boolean voor de animatie en maakt hij magAanvallen false.
*
*/
public void triggerAlarm(String alarmName) {
inAnimatie = false;
}
/**
* Functie die kijkt of de vogel uit het scherm gaat, zodra hij dat doet komt
* hij weer vanuit een random X positie weer terug aan de rechterkant van de
* spelers scherm. Bevat ook een functie voor de animatie van de vogel.
*/
@Override
public void update() {
if (getX() + getWidth() <= 0) {
setX(mainGame.getWidth());
setY(mainGame.random(0, mainGame.getHeight()));
}
if (!inAnimatie) {
if (totalFramez == 4) {
totalFramez = 0;
}
if (totalFramez < 4) {
setCurrentFrameIndex(totalFramez);
totalFramez++;
inAnimatie = true;
startAlarm();
}
}
}
}
| false | 576 | 21 | 673 | 19 | 633 | 22 | 673 | 19 | 781 | 23 | false | false | false | false | false | true |
4,020 | 24904_2 | package quiz.datastorage;
import java.sql.Connection;
import java.sql.DriverManager;
import java.sql.ResultSet;
import java.sql.SQLException;
import java.sql.Statement;
import java.util.ArrayList;
import java.util.logging.Level;
import java.util.logging.Logger;
import quiz.domein.QuizVraag;
/**
*
* @author Gregor
*/
public class QuizVraagDAO
{
Connection connection;
Statement statement;
ResultSet resultSet;
public QuizVraagDAO()
{
try
{
//Connectie innitializeren.
connection = DriverManager.getConnection("jdbc:mysql://localhost:3306/quiz", "root", "");
//Statement object aanmaken.
statement = connection.createStatement();
}
catch (SQLException ex)
{
System.out.println("Er kon geen connectie gemaakt worden met de database");
}
}
public ArrayList<QuizVraag> getQuizVragen()
{
ArrayList<QuizVraag> quizVragen = new ArrayList<>();
try
{
resultSet = statement.executeQuery("SELECT Spelnaam, Hoofdcaracter FROM Vragen");
while (resultSet.next())
{
QuizVraag vraag = new QuizVraag("Shakugan no Shana", "Shana");
quizVragen.add(vraag);
}
return quizVragen;
}
catch (SQLException ex)
{
Logger.getLogger(QuizVraagDAO.class.getName()).log(Level.SEVERE, null, ex);
return null;
}
}
}
| polyanos/VH5 | workspace/Henk/src/quiz/datastorage/QuizVraagDAO.java | 458 | //Statement object aanmaken. | line_comment | nl | package quiz.datastorage;
import java.sql.Connection;
import java.sql.DriverManager;
import java.sql.ResultSet;
import java.sql.SQLException;
import java.sql.Statement;
import java.util.ArrayList;
import java.util.logging.Level;
import java.util.logging.Logger;
import quiz.domein.QuizVraag;
/**
*
* @author Gregor
*/
public class QuizVraagDAO
{
Connection connection;
Statement statement;
ResultSet resultSet;
public QuizVraagDAO()
{
try
{
//Connectie innitializeren.
connection = DriverManager.getConnection("jdbc:mysql://localhost:3306/quiz", "root", "");
//Statement object<SUF>
statement = connection.createStatement();
}
catch (SQLException ex)
{
System.out.println("Er kon geen connectie gemaakt worden met de database");
}
}
public ArrayList<QuizVraag> getQuizVragen()
{
ArrayList<QuizVraag> quizVragen = new ArrayList<>();
try
{
resultSet = statement.executeQuery("SELECT Spelnaam, Hoofdcaracter FROM Vragen");
while (resultSet.next())
{
QuizVraag vraag = new QuizVraag("Shakugan no Shana", "Shana");
quizVragen.add(vraag);
}
return quizVragen;
}
catch (SQLException ex)
{
Logger.getLogger(QuizVraagDAO.class.getName()).log(Level.SEVERE, null, ex);
return null;
}
}
}
| false | 326 | 7 | 390 | 7 | 383 | 6 | 390 | 7 | 459 | 7 | false | false | false | false | false | true |
1,687 | 204556_2 | /*
* To change this template, choose Tools | Templates
* and open the template in the editor.
*/
package views;
import controller.Controller;
import models.Task;
import models.Thought;
import net.miginfocom.swing.MigLayout;
import javax.imageio.ImageIO;
import javax.swing.*;
import java.awt.*;
import java.io.IOException;
import java.net.URL;
import java.util.List;
import models.Task.Sort;
/**
*
* @author tim
*/
public class MainWindow extends JFrame {
private FilterPanel navpane;
private ContentPanel contentpane;
public MainWindow(Controller controller) {
super("miniGTD");
setLayout(null);
setBounds(0, 0, 950, 700);
setLocationRelativeTo(null);
setMinimumSize(new Dimension(1000, 700));
setIconImage( new ImageIcon(getClass().getResource("/resources/icons/to_do_list_cheked_1.png")).getImage());
setLayout(new MigLayout("ins 0, fill, gap 0", "[][grow]", "[grow]"));
navpane = new FilterPanel(controller);
JScrollPane scroller = new JScrollPane(navpane);
scroller.setBorder(BorderFactory.createMatteBorder(0, 0, 0, 1, Color.black));
scroller.setMinimumSize(new Dimension(200, 400));
add(scroller, "growy");
navpane.setMinimumSize(new Dimension(200, 400));
contentpane = new ContentPanel(controller);
JScrollPane contentScroller = new JScrollPane(contentpane);
contentScroller.setBorder(BorderFactory.createEmptyBorder());
add(contentScroller, "span, grow");
setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
setVisible(true);
}
public void showConnectionError() {
//TODO: omgaan met SQL problemen
contentpane.setBackground(Color.RED);
}
public void showThoughts(List<Thought> thoughts) {
contentpane.showThoughts(thoughts);
}
public void updateThoughts(List<Thought> all) {
contentpane.updateThoughts(all);
}
public void showTasks(List<Task> tasks, Task.Sort currentSort, boolean asc, boolean formVisible) {
contentpane.showTasks(tasks, currentSort, asc, formVisible);
}
public void updateTasks(List<Task> tasks, Task.Sort currentSort, boolean asc, boolean formVisible) {
contentpane.updateTasks(tasks, currentSort, asc);
}
public void updateFilters() {
navpane.updateFilters();
}
@Override
public void setTitle(String title) {
if (!title.isEmpty()) title += " - ";
super.setTitle(title + "miniGTD");
}
}
| Tasky/miniGTD | src/views/MainWindow.java | 772 | //TODO: omgaan met SQL problemen | line_comment | nl | /*
* To change this template, choose Tools | Templates
* and open the template in the editor.
*/
package views;
import controller.Controller;
import models.Task;
import models.Thought;
import net.miginfocom.swing.MigLayout;
import javax.imageio.ImageIO;
import javax.swing.*;
import java.awt.*;
import java.io.IOException;
import java.net.URL;
import java.util.List;
import models.Task.Sort;
/**
*
* @author tim
*/
public class MainWindow extends JFrame {
private FilterPanel navpane;
private ContentPanel contentpane;
public MainWindow(Controller controller) {
super("miniGTD");
setLayout(null);
setBounds(0, 0, 950, 700);
setLocationRelativeTo(null);
setMinimumSize(new Dimension(1000, 700));
setIconImage( new ImageIcon(getClass().getResource("/resources/icons/to_do_list_cheked_1.png")).getImage());
setLayout(new MigLayout("ins 0, fill, gap 0", "[][grow]", "[grow]"));
navpane = new FilterPanel(controller);
JScrollPane scroller = new JScrollPane(navpane);
scroller.setBorder(BorderFactory.createMatteBorder(0, 0, 0, 1, Color.black));
scroller.setMinimumSize(new Dimension(200, 400));
add(scroller, "growy");
navpane.setMinimumSize(new Dimension(200, 400));
contentpane = new ContentPanel(controller);
JScrollPane contentScroller = new JScrollPane(contentpane);
contentScroller.setBorder(BorderFactory.createEmptyBorder());
add(contentScroller, "span, grow");
setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
setVisible(true);
}
public void showConnectionError() {
//TODO: omgaan<SUF>
contentpane.setBackground(Color.RED);
}
public void showThoughts(List<Thought> thoughts) {
contentpane.showThoughts(thoughts);
}
public void updateThoughts(List<Thought> all) {
contentpane.updateThoughts(all);
}
public void showTasks(List<Task> tasks, Task.Sort currentSort, boolean asc, boolean formVisible) {
contentpane.showTasks(tasks, currentSort, asc, formVisible);
}
public void updateTasks(List<Task> tasks, Task.Sort currentSort, boolean asc, boolean formVisible) {
contentpane.updateTasks(tasks, currentSort, asc);
}
public void updateFilters() {
navpane.updateFilters();
}
@Override
public void setTitle(String title) {
if (!title.isEmpty()) title += " - ";
super.setTitle(title + "miniGTD");
}
}
| false | 570 | 10 | 679 | 10 | 684 | 8 | 679 | 10 | 796 | 11 | false | false | false | false | false | true |
1,113 | 20849_1 | import java.util.Arrays;
import static generic.CommandLine.*;
public class Week4{
public static void main(String[] args){
int lucas = askForInt("geef een natuurlijk getal: ");
printLucasRow(lucas);
System.out.println("Java".substring(0,1));
/* int a = 5;
int b = 2;
System.out.println(exponent(a,b));
System.out.println(isOdd(b));
System.out.println(isOdd(a));
int[] test = new int[]{1, 2, 3, 4, 5};
System.out.println(Arrays.toString(test));
int[] test2 = invert(test);
System.out.println(Arrays.toString(test));*/
}
private static void printLucasRow(int nrOfNumbers){
int[] lucasRow = getLucasRow(nrOfNumbers);
if(lucasRow == null)return;
System.out.printf("De eerst %d Lucas-getallen:%n", lucasRow.length);
for(int i: lucasRow){
System.out.print(i + " ");
}
System.out.println();
}
private static int[] getLucasRow(int nrOfNumbers){
if(nrOfNumbers < 0){
System.out.println("Getal negatief, fout");
return null;
}
if(nrOfNumbers == 0) return new int[]{};
if(nrOfNumbers < 3) return new int[]{nrOfNumbers == 1? 2 : 2, 1};
int[] totalRow = new int[nrOfNumbers];
totalRow[0] = 2;
totalRow[1] = 1;
for(int i = 2; i < totalRow.length; i++){
totalRow[i] = totalRow[i-1] + totalRow[i-2];
if(((long)totalRow[i] + totalRow[i-1]) > Integer.MAX_VALUE){
System.out.println("Getal te groot, past niet");
return null;
}
}
return totalRow;
}
private static int exponent(int base, int exp){
return (int)Math.pow(base, exp);
}
private static boolean isOdd(int number){
return number%2 != 0;
}
public static int[] invert(int[] array) {
for(int i = 0; i < array.length; i++) {
array[i] *= -1;
}
return array;
}
}
/*
2 1 3 4 7 11 18 …
Het eerste Lucas-getal is 2, het tweede is 1. Daarna krijg je het volgende getal telkens door de twee voorgaande getallen bij elkaar op te tellen.
In je programma moet je testen of het door de gebruiker ingetypte getal wel positief is.
Verder kunnen de getallen van de Lucas-reeks zo groot worden dat ze niet meer passen in een int.
Bouw in je programma een test in, zodat bij een te grote waarde van n niets geprint wordt.
*/ | Michelvdm83/OpdrachtenIT | Week4.java | 853 | /*
2 1 3 4 7 11 18 …
Het eerste Lucas-getal is 2, het tweede is 1. Daarna krijg je het volgende getal telkens door de twee voorgaande getallen bij elkaar op te tellen.
In je programma moet je testen of het door de gebruiker ingetypte getal wel positief is.
Verder kunnen de getallen van de Lucas-reeks zo groot worden dat ze niet meer passen in een int.
Bouw in je programma een test in, zodat bij een te grote waarde van n niets geprint wordt.
*/ | block_comment | nl | import java.util.Arrays;
import static generic.CommandLine.*;
public class Week4{
public static void main(String[] args){
int lucas = askForInt("geef een natuurlijk getal: ");
printLucasRow(lucas);
System.out.println("Java".substring(0,1));
/* int a = 5;
int b = 2;
System.out.println(exponent(a,b));
System.out.println(isOdd(b));
System.out.println(isOdd(a));
int[] test = new int[]{1, 2, 3, 4, 5};
System.out.println(Arrays.toString(test));
int[] test2 = invert(test);
System.out.println(Arrays.toString(test));*/
}
private static void printLucasRow(int nrOfNumbers){
int[] lucasRow = getLucasRow(nrOfNumbers);
if(lucasRow == null)return;
System.out.printf("De eerst %d Lucas-getallen:%n", lucasRow.length);
for(int i: lucasRow){
System.out.print(i + " ");
}
System.out.println();
}
private static int[] getLucasRow(int nrOfNumbers){
if(nrOfNumbers < 0){
System.out.println("Getal negatief, fout");
return null;
}
if(nrOfNumbers == 0) return new int[]{};
if(nrOfNumbers < 3) return new int[]{nrOfNumbers == 1? 2 : 2, 1};
int[] totalRow = new int[nrOfNumbers];
totalRow[0] = 2;
totalRow[1] = 1;
for(int i = 2; i < totalRow.length; i++){
totalRow[i] = totalRow[i-1] + totalRow[i-2];
if(((long)totalRow[i] + totalRow[i-1]) > Integer.MAX_VALUE){
System.out.println("Getal te groot, past niet");
return null;
}
}
return totalRow;
}
private static int exponent(int base, int exp){
return (int)Math.pow(base, exp);
}
private static boolean isOdd(int number){
return number%2 != 0;
}
public static int[] invert(int[] array) {
for(int i = 0; i < array.length; i++) {
array[i] *= -1;
}
return array;
}
}
/*
2 1 3<SUF>*/ | false | 680 | 146 | 836 | 170 | 794 | 137 | 836 | 170 | 904 | 159 | false | false | false | false | false | true |
4,580 | 7893_4 | package teun.demo.controller;
import lombok.extern.slf4j.Slf4j;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Controller;
import org.springframework.ui.Model;
import org.springframework.web.bind.annotation.*;
import teun.demo.domain.Exercise;
import teun.demo.domain.ExerciseFact;
import teun.demo.domain.User;
import teun.demo.repository.ExerciseFactRepository;
import teun.demo.repository.ExerciseRepository;
import teun.demo.repository.UserRepository;
import java.util.*;
@Slf4j
@SessionAttributes({"selectedUser", "selectedCategory", "selectedSubCategory", "selectedExercise"})
@Controller
@RequestMapping("/exercise")
public class ExerciseFactController {
private ExerciseFactRepository exerciseFactRepository;
private ExerciseRepository exerciseRepository;
private UserRepository userRepository;
@Autowired
public ExerciseFactController(ExerciseFactRepository exerciseFactRepo,
ExerciseRepository exerciseRepo,
UserRepository userRepo) {
this.exerciseFactRepository = exerciseFactRepo;
this.exerciseRepository = exerciseRepo;
this.userRepository = userRepo;
}
@GetMapping("/{id}/categories")
public String showCat(@PathVariable long id, Model model) {
log.info("/{id}/categories");
log.info("changed selectedUser to PathVariable");
model.addAttribute("selectedUser", this.userRepository.findById(id).get());
printModelContent(model.asMap());
return "showCategories";
}
@GetMapping("/{id}/{category}")
public String showSubcat(@PathVariable long id,
@PathVariable String category,
Model model) {
log.info("/{id}/{category}");
log.info(category);
Collection<String> subCategories = this.exerciseRepository.findSubCategoriesByCategory(category);
log.info(subCategories.toString());
model.addAttribute("subCategories", subCategories);
log.info("changed subCategories to PathVariable");
printModelContent(model.asMap());
return "showSubcategories";
}
@GetMapping("/{id}/{category}/{subCat}")
public String showExercise1(@PathVariable long id,
@PathVariable String category,
@PathVariable String subCat,
Model model) {
log.info("/{id}/{category}/{subCat}");
log.info("dit is je geselecteerde category: " + category);
log.info("dit is je geselecteerde subcat: " + subCat);
List<Exercise> exercises = this.exerciseRepository.findExercisesBySubCategory(subCat);
log.info("dit zijn je exercises: " + exercises.toString());
model.addAttribute("category", category);
model.addAttribute("exercises", exercises);
log.info("changed category to PathVariable");
log.info("changed exercises to PathVariable");
printModelContent(model.asMap());
System.out.println("hello");
return "showExercises";
}
@GetMapping("/{exerciseId}")
public String exerciseFormInput(@PathVariable long exerciseId, Model model) {
log.info("/{exerciseId}/{userId}");
//log.info("id of user " +userId);
//User selectedUser = this.userRepository.findById(userId).get();
Exercise exercise = this.exerciseRepository.findById(exerciseId).get();
log.info("gekozen exercise: " + exercise.toString() + " met id: " + exercise.getId());
//model.addAttribute("selectedUser",selectedUser);
model.addAttribute("selectedExercise", exercise);
printModelContent(model.asMap());
return "exerciseForm";
}
@PostMapping("/newFact")
public String ProcessNewFact(@ModelAttribute ExerciseFact exerciseFact, Model model) {
// deze user wordt niet goed geset. Kan blijkbaar niet op basis van transient dingen?
// waarom wordt date ook niet goed gebruikt?
// exercise gaat ook niet naar het goede
// en waarom is de id nog niet gegenerate?
log.info("/newFact");
log.info("class van exerciseFact is " + exerciseFact.getClass());
exerciseFact.setUser((User) model.getAttribute("selectedUser"));
exerciseFact.setExercise((Exercise) model.getAttribute("selectedExercise"));
exerciseFactRepository.insertNewExerciseFactUserIdExerciseIdScore(
exerciseFact.getUser().getId(),
exerciseFact.getExercise().getId(),
exerciseFact.getScore());
printModelContent(model.asMap());
log.info(exerciseFact.toString());
return "exerciseForm";
}
// ModelAttributes
@ModelAttribute(name = "exercise")
public Exercise findExercise() {
return new Exercise();
}
@ModelAttribute(name = "categories")
public Set<String> showCategories() {
log.info("Put categories in Model");
Set<String> categories = new HashSet<>();
this.exerciseRepository.findAll().forEach(x -> categories.add(x.getCategory().toLowerCase()));
return categories;
}
@ModelAttribute("selectedUser")
public User findSelectedUser() {
log.info("created new object selectedUser");
return new User();
}
@ModelAttribute("selectedExercise")
public Exercise findSelectedExercise() {
log.info("created new object selectedUser");
return new Exercise();
}
@ModelAttribute("exerciseFact")
public ExerciseFact newExerciseFact() {
return new ExerciseFact();
}
public void printModelContent(Map model) {
log.info("OBJECTS IN MODEL:");
for (Object modelObject : model.keySet()) {
log.info(modelObject + " " + model.get(modelObject));
}
log.info("EINDE");
}
}
| tvcstseng/FitnessApp3 | src/main/java/teun/demo/controller/ExerciseFactController.java | 1,590 | // exercise gaat ook niet naar het goede | line_comment | nl | package teun.demo.controller;
import lombok.extern.slf4j.Slf4j;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Controller;
import org.springframework.ui.Model;
import org.springframework.web.bind.annotation.*;
import teun.demo.domain.Exercise;
import teun.demo.domain.ExerciseFact;
import teun.demo.domain.User;
import teun.demo.repository.ExerciseFactRepository;
import teun.demo.repository.ExerciseRepository;
import teun.demo.repository.UserRepository;
import java.util.*;
@Slf4j
@SessionAttributes({"selectedUser", "selectedCategory", "selectedSubCategory", "selectedExercise"})
@Controller
@RequestMapping("/exercise")
public class ExerciseFactController {
private ExerciseFactRepository exerciseFactRepository;
private ExerciseRepository exerciseRepository;
private UserRepository userRepository;
@Autowired
public ExerciseFactController(ExerciseFactRepository exerciseFactRepo,
ExerciseRepository exerciseRepo,
UserRepository userRepo) {
this.exerciseFactRepository = exerciseFactRepo;
this.exerciseRepository = exerciseRepo;
this.userRepository = userRepo;
}
@GetMapping("/{id}/categories")
public String showCat(@PathVariable long id, Model model) {
log.info("/{id}/categories");
log.info("changed selectedUser to PathVariable");
model.addAttribute("selectedUser", this.userRepository.findById(id).get());
printModelContent(model.asMap());
return "showCategories";
}
@GetMapping("/{id}/{category}")
public String showSubcat(@PathVariable long id,
@PathVariable String category,
Model model) {
log.info("/{id}/{category}");
log.info(category);
Collection<String> subCategories = this.exerciseRepository.findSubCategoriesByCategory(category);
log.info(subCategories.toString());
model.addAttribute("subCategories", subCategories);
log.info("changed subCategories to PathVariable");
printModelContent(model.asMap());
return "showSubcategories";
}
@GetMapping("/{id}/{category}/{subCat}")
public String showExercise1(@PathVariable long id,
@PathVariable String category,
@PathVariable String subCat,
Model model) {
log.info("/{id}/{category}/{subCat}");
log.info("dit is je geselecteerde category: " + category);
log.info("dit is je geselecteerde subcat: " + subCat);
List<Exercise> exercises = this.exerciseRepository.findExercisesBySubCategory(subCat);
log.info("dit zijn je exercises: " + exercises.toString());
model.addAttribute("category", category);
model.addAttribute("exercises", exercises);
log.info("changed category to PathVariable");
log.info("changed exercises to PathVariable");
printModelContent(model.asMap());
System.out.println("hello");
return "showExercises";
}
@GetMapping("/{exerciseId}")
public String exerciseFormInput(@PathVariable long exerciseId, Model model) {
log.info("/{exerciseId}/{userId}");
//log.info("id of user " +userId);
//User selectedUser = this.userRepository.findById(userId).get();
Exercise exercise = this.exerciseRepository.findById(exerciseId).get();
log.info("gekozen exercise: " + exercise.toString() + " met id: " + exercise.getId());
//model.addAttribute("selectedUser",selectedUser);
model.addAttribute("selectedExercise", exercise);
printModelContent(model.asMap());
return "exerciseForm";
}
@PostMapping("/newFact")
public String ProcessNewFact(@ModelAttribute ExerciseFact exerciseFact, Model model) {
// deze user wordt niet goed geset. Kan blijkbaar niet op basis van transient dingen?
// waarom wordt date ook niet goed gebruikt?
// exercise gaat<SUF>
// en waarom is de id nog niet gegenerate?
log.info("/newFact");
log.info("class van exerciseFact is " + exerciseFact.getClass());
exerciseFact.setUser((User) model.getAttribute("selectedUser"));
exerciseFact.setExercise((Exercise) model.getAttribute("selectedExercise"));
exerciseFactRepository.insertNewExerciseFactUserIdExerciseIdScore(
exerciseFact.getUser().getId(),
exerciseFact.getExercise().getId(),
exerciseFact.getScore());
printModelContent(model.asMap());
log.info(exerciseFact.toString());
return "exerciseForm";
}
// ModelAttributes
@ModelAttribute(name = "exercise")
public Exercise findExercise() {
return new Exercise();
}
@ModelAttribute(name = "categories")
public Set<String> showCategories() {
log.info("Put categories in Model");
Set<String> categories = new HashSet<>();
this.exerciseRepository.findAll().forEach(x -> categories.add(x.getCategory().toLowerCase()));
return categories;
}
@ModelAttribute("selectedUser")
public User findSelectedUser() {
log.info("created new object selectedUser");
return new User();
}
@ModelAttribute("selectedExercise")
public Exercise findSelectedExercise() {
log.info("created new object selectedUser");
return new Exercise();
}
@ModelAttribute("exerciseFact")
public ExerciseFact newExerciseFact() {
return new ExerciseFact();
}
public void printModelContent(Map model) {
log.info("OBJECTS IN MODEL:");
for (Object modelObject : model.keySet()) {
log.info(modelObject + " " + model.get(modelObject));
}
log.info("EINDE");
}
}
| false | 1,126 | 8 | 1,289 | 11 | 1,362 | 8 | 1,289 | 11 | 1,616 | 10 | false | false | false | false | false | true |
2,612 | 64781_3 | package nl.ealse.ccnl.ledenadministratie.dd;
import java.time.LocalDate;
import nl.ealse.ccnl.ledenadministratie.dd.model.AccountIdentification4Choice;
import nl.ealse.ccnl.ledenadministratie.dd.model.ActiveOrHistoricCurrencyAndAmount;
import nl.ealse.ccnl.ledenadministratie.dd.model.BranchAndFinancialInstitutionIdentification4;
import nl.ealse.ccnl.ledenadministratie.dd.model.CashAccount16;
import nl.ealse.ccnl.ledenadministratie.dd.model.ChargeBearerType1Code;
import nl.ealse.ccnl.ledenadministratie.dd.model.DirectDebitTransaction6;
import nl.ealse.ccnl.ledenadministratie.dd.model.DirectDebitTransactionInformation9;
import nl.ealse.ccnl.ledenadministratie.dd.model.FinancialInstitutionIdentification7;
import nl.ealse.ccnl.ledenadministratie.dd.model.MandateRelatedInformation6;
import nl.ealse.ccnl.ledenadministratie.dd.model.PartyIdentification32;
import nl.ealse.ccnl.ledenadministratie.dd.model.PaymentIdentification1;
import nl.ealse.ccnl.ledenadministratie.dd.model.RemittanceInformation5;
import nl.ealse.ccnl.ledenadministratie.excel.dd.BicResolver;
import org.apache.commons.validator.routines.checkdigit.IBANCheckDigit;
/**
* Debiteur informatie deel opbouwen.
*
* @author Ealse
*
*/
public class DirectDebitTransactionInformationBuilder {
/**
* Utility om te checken of het IBAN-nummer geldig is.
*/
private static final IBANCheckDigit IBAN_CHECK = new IBANCheckDigit();
private static final LocalDate START_MANDATE = LocalDate.of(2009, 11, 01);
/**
* Het op te bouwen object.
*/
private DirectDebitTransactionInformation9 transactie = new DirectDebitTransactionInformation9();
public DirectDebitTransactionInformationBuilder() {
init();
}
/**
* Naam van de debiteur toevoegen.
*
* @param naam - debiteurnaam
* @return builder
*/
public DirectDebitTransactionInformationBuilder metDibiteurNaam(String naam) {
PartyIdentification32 debiteur = new PartyIdentification32();
debiteur.setNm(naam);
transactie.setDbtr(debiteur);
return this;
}
/**
* IBAN-nummer van de debiteur toevoegen. DE BIC-code wordt erbij gezocht en toegevoegd.
*
* @param iban - toe te voegen IBAN-nummer
* @return builder
* @throws InvalidIbanException
*/
public DirectDebitTransactionInformationBuilder metDibiteurIBAN(String iban, String bicCode)
throws InvalidIbanException {
if (!IBAN_CHECK.isValid(iban)) {
throw new InvalidIbanException(String.format("IBAN is ongeldig '%s'", iban));
}
CashAccount16 ibanRekening = new CashAccount16();
AccountIdentification4Choice ibanNummer = new AccountIdentification4Choice();
ibanNummer.setIBAN(iban);
ibanRekening.setId(ibanNummer);
transactie.setDbtrAcct(ibanRekening);
BranchAndFinancialInstitutionIdentification4 bic =
new BranchAndFinancialInstitutionIdentification4();
FinancialInstitutionIdentification7 finId = new FinancialInstitutionIdentification7();
bic.setFinInstnId(finId);
if (bicCode != null && !bicCode.isBlank()) {
finId.setBIC(bicCode.trim());
} else {
finId.setBIC(BicResolver.getBicCode(iban));
}
transactie.setDbtrAgt(bic);
return this;
}
/**
* Incasso omschrijving toevoegen.
*
* @param lidnummer - toe te voegen nummer CCNL-lid
* @return builder
*/
public DirectDebitTransactionInformationBuilder metLidnummer(Integer lidnummer) {
PaymentIdentification1 reden = new PaymentIdentification1();
reden.setEndToEndId("lid " + lidnummer.toString());
transactie.setPmtId(reden);
RemittanceInformation5 referentie = new RemittanceInformation5();
referentie.getUstrd().add(IncassoProperties.getIncassoReden());
transactie.setRmtInf(referentie);
transactie.setDrctDbtTx(getMandaat(lidnummer));
return this;
}
/**
* Mandaat gegevens invoegen voor IBAN-mandaat
*
* @param lidnummer - nummer waarvoor mandaat wordt toegevoegd
* @return builder
*/
private DirectDebitTransaction6 getMandaat(Integer lidnummer) {
DirectDebitTransaction6 ddtx = new DirectDebitTransaction6();
MandateRelatedInformation6 mandaat = new MandateRelatedInformation6();
mandaat.setMndtId(String.format(IncassoProperties.getMachtigingReferentie(), lidnummer));
mandaat.setDtOfSgntr(DateUtil.toXMLDate(START_MANDATE));
ddtx.setMndtRltdInf(mandaat);
return ddtx;
}
/**
* Object object opvragen.
*
* @return gebouwde object
*/
public DirectDebitTransactionInformation9 build() {
return transactie;
}
/**
* Initialisatie van vaste gegevens.
*/
private void init() {
ActiveOrHistoricCurrencyAndAmount bedraginfo = new ActiveOrHistoricCurrencyAndAmount();
bedraginfo.setCcy("EUR");
bedraginfo.setValue(IncassoProperties.getIncassoBedrag());
transactie.setInstdAmt(bedraginfo);
RemittanceInformation5 referentie = new RemittanceInformation5();
referentie.getUstrd().add(IncassoProperties.getIncassoReden());
transactie.setRmtInf(referentie);
transactie.setChrgBr(ChargeBearerType1Code.SLEV);
}
}
| ealsedewilde/ledenadministratieCCNL | annual-ccnl/src/main/java/nl/ealse/ccnl/ledenadministratie/dd/DirectDebitTransactionInformationBuilder.java | 1,727 | /**
* Naam van de debiteur toevoegen.
*
* @param naam - debiteurnaam
* @return builder
*/ | block_comment | nl | package nl.ealse.ccnl.ledenadministratie.dd;
import java.time.LocalDate;
import nl.ealse.ccnl.ledenadministratie.dd.model.AccountIdentification4Choice;
import nl.ealse.ccnl.ledenadministratie.dd.model.ActiveOrHistoricCurrencyAndAmount;
import nl.ealse.ccnl.ledenadministratie.dd.model.BranchAndFinancialInstitutionIdentification4;
import nl.ealse.ccnl.ledenadministratie.dd.model.CashAccount16;
import nl.ealse.ccnl.ledenadministratie.dd.model.ChargeBearerType1Code;
import nl.ealse.ccnl.ledenadministratie.dd.model.DirectDebitTransaction6;
import nl.ealse.ccnl.ledenadministratie.dd.model.DirectDebitTransactionInformation9;
import nl.ealse.ccnl.ledenadministratie.dd.model.FinancialInstitutionIdentification7;
import nl.ealse.ccnl.ledenadministratie.dd.model.MandateRelatedInformation6;
import nl.ealse.ccnl.ledenadministratie.dd.model.PartyIdentification32;
import nl.ealse.ccnl.ledenadministratie.dd.model.PaymentIdentification1;
import nl.ealse.ccnl.ledenadministratie.dd.model.RemittanceInformation5;
import nl.ealse.ccnl.ledenadministratie.excel.dd.BicResolver;
import org.apache.commons.validator.routines.checkdigit.IBANCheckDigit;
/**
* Debiteur informatie deel opbouwen.
*
* @author Ealse
*
*/
public class DirectDebitTransactionInformationBuilder {
/**
* Utility om te checken of het IBAN-nummer geldig is.
*/
private static final IBANCheckDigit IBAN_CHECK = new IBANCheckDigit();
private static final LocalDate START_MANDATE = LocalDate.of(2009, 11, 01);
/**
* Het op te bouwen object.
*/
private DirectDebitTransactionInformation9 transactie = new DirectDebitTransactionInformation9();
public DirectDebitTransactionInformationBuilder() {
init();
}
/**
* Naam van de<SUF>*/
public DirectDebitTransactionInformationBuilder metDibiteurNaam(String naam) {
PartyIdentification32 debiteur = new PartyIdentification32();
debiteur.setNm(naam);
transactie.setDbtr(debiteur);
return this;
}
/**
* IBAN-nummer van de debiteur toevoegen. DE BIC-code wordt erbij gezocht en toegevoegd.
*
* @param iban - toe te voegen IBAN-nummer
* @return builder
* @throws InvalidIbanException
*/
public DirectDebitTransactionInformationBuilder metDibiteurIBAN(String iban, String bicCode)
throws InvalidIbanException {
if (!IBAN_CHECK.isValid(iban)) {
throw new InvalidIbanException(String.format("IBAN is ongeldig '%s'", iban));
}
CashAccount16 ibanRekening = new CashAccount16();
AccountIdentification4Choice ibanNummer = new AccountIdentification4Choice();
ibanNummer.setIBAN(iban);
ibanRekening.setId(ibanNummer);
transactie.setDbtrAcct(ibanRekening);
BranchAndFinancialInstitutionIdentification4 bic =
new BranchAndFinancialInstitutionIdentification4();
FinancialInstitutionIdentification7 finId = new FinancialInstitutionIdentification7();
bic.setFinInstnId(finId);
if (bicCode != null && !bicCode.isBlank()) {
finId.setBIC(bicCode.trim());
} else {
finId.setBIC(BicResolver.getBicCode(iban));
}
transactie.setDbtrAgt(bic);
return this;
}
/**
* Incasso omschrijving toevoegen.
*
* @param lidnummer - toe te voegen nummer CCNL-lid
* @return builder
*/
public DirectDebitTransactionInformationBuilder metLidnummer(Integer lidnummer) {
PaymentIdentification1 reden = new PaymentIdentification1();
reden.setEndToEndId("lid " + lidnummer.toString());
transactie.setPmtId(reden);
RemittanceInformation5 referentie = new RemittanceInformation5();
referentie.getUstrd().add(IncassoProperties.getIncassoReden());
transactie.setRmtInf(referentie);
transactie.setDrctDbtTx(getMandaat(lidnummer));
return this;
}
/**
* Mandaat gegevens invoegen voor IBAN-mandaat
*
* @param lidnummer - nummer waarvoor mandaat wordt toegevoegd
* @return builder
*/
private DirectDebitTransaction6 getMandaat(Integer lidnummer) {
DirectDebitTransaction6 ddtx = new DirectDebitTransaction6();
MandateRelatedInformation6 mandaat = new MandateRelatedInformation6();
mandaat.setMndtId(String.format(IncassoProperties.getMachtigingReferentie(), lidnummer));
mandaat.setDtOfSgntr(DateUtil.toXMLDate(START_MANDATE));
ddtx.setMndtRltdInf(mandaat);
return ddtx;
}
/**
* Object object opvragen.
*
* @return gebouwde object
*/
public DirectDebitTransactionInformation9 build() {
return transactie;
}
/**
* Initialisatie van vaste gegevens.
*/
private void init() {
ActiveOrHistoricCurrencyAndAmount bedraginfo = new ActiveOrHistoricCurrencyAndAmount();
bedraginfo.setCcy("EUR");
bedraginfo.setValue(IncassoProperties.getIncassoBedrag());
transactie.setInstdAmt(bedraginfo);
RemittanceInformation5 referentie = new RemittanceInformation5();
referentie.getUstrd().add(IncassoProperties.getIncassoReden());
transactie.setRmtInf(referentie);
transactie.setChrgBr(ChargeBearerType1Code.SLEV);
}
}
| false | 1,373 | 35 | 1,523 | 36 | 1,473 | 35 | 1,523 | 36 | 1,774 | 39 | false | false | false | false | false | true |
895 | 8383_0 | package nl.kb.core.scheduledjobs;
import com.google.common.util.concurrent.AbstractScheduledService;
import nl.kb.core.model.RunState;
import nl.kb.core.model.repository.HarvestSchedule;
import nl.kb.core.model.repository.Repository;
import nl.kb.core.model.repository.RepositoryDao;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import java.time.LocalDate;
import java.time.temporal.ChronoUnit;
import java.util.concurrent.TimeUnit;
/**
* ScheduledRepositoryHarvester, conform spec:
* Trigger
* Elke dag wordt er gekeken welke harvests moeten draaien op basis van hun harvest schema,
* wanneer er voor het laatst gedraaid is (startdatum laatste harvest) en of de harvest actief is.
*/
public class DailyIdentifierHarvestScheduler extends AbstractScheduledService {
private static final Logger LOG = LoggerFactory.getLogger(DailyIdentifierHarvestScheduler.class);
private final RepositoryDao repositoryDao;
private final IdentifierHarvestSchedulerDaemon harvestRunner;
public DailyIdentifierHarvestScheduler(RepositoryDao repositoryDao, IdentifierHarvestSchedulerDaemon harvestRunner) {
this.repositoryDao = repositoryDao;
this.harvestRunner = harvestRunner;
}
@Override
protected void runOneIteration() throws Exception {
try {
repositoryDao.list().stream()
.filter(this::harvestShouldRun)
.map(Repository::getId)
.forEach(harvestRunner::startHarvest);
} catch (Exception e) {
LOG.warn("Failed to start scheduled harvests, probably caused by missing schema", e);
}
}
/**
* Slaagt wanneer een harvest gestart mag en moet worden
* 1) Staat de repository aan (getEnabled) EN
* 2) Is de harvest voor deze repository niet al aan het draaien (getRunState) EN
* 3a) Is er nog niet eerder geharvest? OF
* 3b) Is het schema dagelijks? OF
* 3c) Is het schema wekelijks en is het vandaag >= 7 sinds laatste harvest? OF
* 3d) Is het schema maandelijks en is het vandaag >= 1 maand sinds laatste harvest?
*
* @param repository de te toetsen repository
* @return of de harvest voor deze repository mag en zou moeten draaien
*/
private boolean harvestShouldRun(Repository repository) {
return repository.getEnabled() &&
harvestRunner.getHarvesterRunstate(repository.getId()) == RunState.WAITING && (
repository.getSchedule() == HarvestSchedule.DAILY ||
repository.getLastHarvest() == null ||
(repository.getSchedule() == HarvestSchedule.WEEKLY &&
ChronoUnit.DAYS.between(repository.getLastHarvest(), LocalDate.now()) >= 7) ||
(repository.getSchedule() == HarvestSchedule.MONTHLY &&
ChronoUnit.MONTHS.between(repository.getLastHarvest(), LocalDate.now()) >= 1)
);
}
@Override
protected Scheduler scheduler() {
return Scheduler.newFixedRateSchedule(0, 1, TimeUnit.DAYS);
}
}
| KBNLresearch/oai-pmh-bulk-downloader | src/main/java/nl/kb/core/scheduledjobs/DailyIdentifierHarvestScheduler.java | 886 | /**
* ScheduledRepositoryHarvester, conform spec:
* Trigger
* Elke dag wordt er gekeken welke harvests moeten draaien op basis van hun harvest schema,
* wanneer er voor het laatst gedraaid is (startdatum laatste harvest) en of de harvest actief is.
*/ | block_comment | nl | package nl.kb.core.scheduledjobs;
import com.google.common.util.concurrent.AbstractScheduledService;
import nl.kb.core.model.RunState;
import nl.kb.core.model.repository.HarvestSchedule;
import nl.kb.core.model.repository.Repository;
import nl.kb.core.model.repository.RepositoryDao;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import java.time.LocalDate;
import java.time.temporal.ChronoUnit;
import java.util.concurrent.TimeUnit;
/**
* ScheduledRepositoryHarvester, conform spec:<SUF>*/
public class DailyIdentifierHarvestScheduler extends AbstractScheduledService {
private static final Logger LOG = LoggerFactory.getLogger(DailyIdentifierHarvestScheduler.class);
private final RepositoryDao repositoryDao;
private final IdentifierHarvestSchedulerDaemon harvestRunner;
public DailyIdentifierHarvestScheduler(RepositoryDao repositoryDao, IdentifierHarvestSchedulerDaemon harvestRunner) {
this.repositoryDao = repositoryDao;
this.harvestRunner = harvestRunner;
}
@Override
protected void runOneIteration() throws Exception {
try {
repositoryDao.list().stream()
.filter(this::harvestShouldRun)
.map(Repository::getId)
.forEach(harvestRunner::startHarvest);
} catch (Exception e) {
LOG.warn("Failed to start scheduled harvests, probably caused by missing schema", e);
}
}
/**
* Slaagt wanneer een harvest gestart mag en moet worden
* 1) Staat de repository aan (getEnabled) EN
* 2) Is de harvest voor deze repository niet al aan het draaien (getRunState) EN
* 3a) Is er nog niet eerder geharvest? OF
* 3b) Is het schema dagelijks? OF
* 3c) Is het schema wekelijks en is het vandaag >= 7 sinds laatste harvest? OF
* 3d) Is het schema maandelijks en is het vandaag >= 1 maand sinds laatste harvest?
*
* @param repository de te toetsen repository
* @return of de harvest voor deze repository mag en zou moeten draaien
*/
private boolean harvestShouldRun(Repository repository) {
return repository.getEnabled() &&
harvestRunner.getHarvesterRunstate(repository.getId()) == RunState.WAITING && (
repository.getSchedule() == HarvestSchedule.DAILY ||
repository.getLastHarvest() == null ||
(repository.getSchedule() == HarvestSchedule.WEEKLY &&
ChronoUnit.DAYS.between(repository.getLastHarvest(), LocalDate.now()) >= 7) ||
(repository.getSchedule() == HarvestSchedule.MONTHLY &&
ChronoUnit.MONTHS.between(repository.getLastHarvest(), LocalDate.now()) >= 1)
);
}
@Override
protected Scheduler scheduler() {
return Scheduler.newFixedRateSchedule(0, 1, TimeUnit.DAYS);
}
}
| false | 675 | 65 | 782 | 81 | 737 | 62 | 782 | 81 | 890 | 80 | false | false | false | false | false | true |
359 | 23598_1 | _x000D_
/**_x000D_
* This class contains the main method which allows the project to be run outside of bluej_x000D_
* _x000D_
* @author Dennis Vrieling_x000D_
* @version 0.1_x000D_
*/_x000D_
_x000D_
/**_x000D_
* Dit is een tekst om te kijken of ik kan pushen._x000D_
* @author Dennis_x000D_
*_x000D_
*/_x000D_
public class CarparkMain_x000D_
{_x000D_
/**_x000D_
* The starting point for the car park simulation_x000D_
* @param arg Program Arguments_x000D_
*/ _x000D_
public static void main(String[] args)_x000D_
{_x000D_
Simulator simulator = new Simulator();_x000D_
simulator.run();_x000D_
} _x000D_
}_x000D_
| D0pe69/Project-car-park-simulation | CarparkMain.java | 163 | /**_x000D_
* Dit is een tekst om te kijken of ik kan pushen._x000D_
* @author Dennis_x000D_
*_x000D_
*/ | block_comment | nl | _x000D_
/**_x000D_
* This class contains the main method which allows the project to be run outside of bluej_x000D_
* _x000D_
* @author Dennis Vrieling_x000D_
* @version 0.1_x000D_
*/_x000D_
_x000D_
/**_x000D_
* Dit is een<SUF>*/_x000D_
public class CarparkMain_x000D_
{_x000D_
/**_x000D_
* The starting point for the car park simulation_x000D_
* @param arg Program Arguments_x000D_
*/ _x000D_
public static void main(String[] args)_x000D_
{_x000D_
Simulator simulator = new Simulator();_x000D_
simulator.run();_x000D_
} _x000D_
}_x000D_
| false | 270 | 46 | 307 | 57 | 305 | 51 | 307 | 57 | 317 | 55 | false | false | false | false | false | true |
3,547 | 112983_3 | package com.tierep.twitterlists.ui;
import android.os.AsyncTask;
import android.os.Bundle;
import com.tierep.twitterlists.R;
import com.tierep.twitterlists.Session;
import com.tierep.twitterlists.adapters.ListNonMembersAdapter;
import com.tierep.twitterlists.twitter4jcache.TwitterCache;
import java.util.Collections;
import java.util.LinkedList;
import java.util.List;
import twitter4j.PagableResponseList;
import twitter4j.TwitterException;
import twitter4j.User;
import twitter4j.UserList;
/**
* A fragment representing a single TwitterList detail screen.
* This fragment is either contained in a {@link ListActivity}
* in two-pane mode (on tablets) or a {@link ListDetailActivity}
* on handsets.
*
* Created by pieter on 02/02/15.
*/
public class ListDetailNonMembersFragment extends ListDetailFragment {
@Override
protected void initializeList() {
new AsyncTask<Void, Void, PagableResponseList<User>>() {
@Override
protected PagableResponseList<User> doInBackground(Void... params) {
TwitterCache twitter = Session.getInstance().getTwitterCacheInstance();
List<User> listMembers = new LinkedList<>();
try {
PagableResponseList<User> response = null;
do {
if (response == null) {
response = twitter.getUserListMembers(userList.getId(), -1);
listMembers.addAll(response);
} else {
response = twitter.getUserListMembers(userList.getId(), response.getNextCursor());
listMembers.addAll(response);
}
} while (response.hasNext());
} catch (TwitterException e) {
e.printStackTrace();
}
// The friend list is paged, the next response is fetched in the adapter.
try {
PagableResponseList<User> response = twitter.getFriendsList(Session.getInstance().getUserId(), -1);
for (User user : listMembers) {
response.remove(user);
}
return response;
} catch (TwitterException e) {
e.printStackTrace();
return null;
}
}
@Override
protected void onPostExecute(PagableResponseList<User> users) {
if (users != null) {
makeListAdapter(users, new LinkedList<>(Collections.nCopies(users.size(), R.drawable.member_add_touch)));
}
// TODO hier nog de case afhandelen dat userLists null is.
// TODO ook speciaal geval afhandelen dat de user geen lijsten heeft (count = 0).
}
}.execute();
}
@Override
protected void makeListAdapter(PagableResponseList<User> users, LinkedList<Integer> actions) {
setListAdapter(new ListNonMembersAdapter(getActivity(), userList.getId(), users, actions));
}
public static ListDetailNonMembersFragment newInstance(UserList userList) {
Bundle arguments = new Bundle();
arguments.putSerializable(ListDetailFragment.ARG_USERLIST, userList);
ListDetailNonMembersFragment frag = new ListDetailNonMembersFragment();
frag.setArguments(arguments);
return frag;
}
}
| maniacs-m/TwitterLists | app/src/main/java/com/tierep/twitterlists/ui/ListDetailNonMembersFragment.java | 901 | // TODO ook speciaal geval afhandelen dat de user geen lijsten heeft (count = 0). | line_comment | nl | package com.tierep.twitterlists.ui;
import android.os.AsyncTask;
import android.os.Bundle;
import com.tierep.twitterlists.R;
import com.tierep.twitterlists.Session;
import com.tierep.twitterlists.adapters.ListNonMembersAdapter;
import com.tierep.twitterlists.twitter4jcache.TwitterCache;
import java.util.Collections;
import java.util.LinkedList;
import java.util.List;
import twitter4j.PagableResponseList;
import twitter4j.TwitterException;
import twitter4j.User;
import twitter4j.UserList;
/**
* A fragment representing a single TwitterList detail screen.
* This fragment is either contained in a {@link ListActivity}
* in two-pane mode (on tablets) or a {@link ListDetailActivity}
* on handsets.
*
* Created by pieter on 02/02/15.
*/
public class ListDetailNonMembersFragment extends ListDetailFragment {
@Override
protected void initializeList() {
new AsyncTask<Void, Void, PagableResponseList<User>>() {
@Override
protected PagableResponseList<User> doInBackground(Void... params) {
TwitterCache twitter = Session.getInstance().getTwitterCacheInstance();
List<User> listMembers = new LinkedList<>();
try {
PagableResponseList<User> response = null;
do {
if (response == null) {
response = twitter.getUserListMembers(userList.getId(), -1);
listMembers.addAll(response);
} else {
response = twitter.getUserListMembers(userList.getId(), response.getNextCursor());
listMembers.addAll(response);
}
} while (response.hasNext());
} catch (TwitterException e) {
e.printStackTrace();
}
// The friend list is paged, the next response is fetched in the adapter.
try {
PagableResponseList<User> response = twitter.getFriendsList(Session.getInstance().getUserId(), -1);
for (User user : listMembers) {
response.remove(user);
}
return response;
} catch (TwitterException e) {
e.printStackTrace();
return null;
}
}
@Override
protected void onPostExecute(PagableResponseList<User> users) {
if (users != null) {
makeListAdapter(users, new LinkedList<>(Collections.nCopies(users.size(), R.drawable.member_add_touch)));
}
// TODO hier nog de case afhandelen dat userLists null is.
// TODO ook<SUF>
}
}.execute();
}
@Override
protected void makeListAdapter(PagableResponseList<User> users, LinkedList<Integer> actions) {
setListAdapter(new ListNonMembersAdapter(getActivity(), userList.getId(), users, actions));
}
public static ListDetailNonMembersFragment newInstance(UserList userList) {
Bundle arguments = new Bundle();
arguments.putSerializable(ListDetailFragment.ARG_USERLIST, userList);
ListDetailNonMembersFragment frag = new ListDetailNonMembersFragment();
frag.setArguments(arguments);
return frag;
}
}
| false | 637 | 24 | 753 | 29 | 772 | 22 | 753 | 29 | 888 | 24 | false | false | false | false | false | true |
1,404 | 70578_17 |
import greenfoot.*;
import java.util.List;
/**
*
* @author R. Springer
*/
public class TileEngine {
public static int TILE_WIDTH;
public static int TILE_HEIGHT;
public static int SCREEN_HEIGHT;
public static int SCREEN_WIDTH;
public static int MAP_WIDTH;
public static int MAP_HEIGHT;
private World world;
private int[][] map;
private Tile[][] generateMap;
private TileFactory tileFactory;
/**
* Constuctor of the TileEngine
*
* @param world A World class or a extend of it.
* @param tileWidth The width of the tile used in the TileFactory and
* calculations
* @param tileHeight The heigth of the tile used in the TileFactory and
* calculations
*/
public TileEngine(World world, int tileWidth, int tileHeight) {
this.world = world;
TILE_WIDTH = tileWidth;
TILE_HEIGHT = tileHeight;
SCREEN_WIDTH = world.getWidth();
SCREEN_HEIGHT = world.getHeight();
this.tileFactory = new TileFactory();
}
/**
* Constuctor of the TileEngine
*
* @param world A World class or a extend of it.
* @param tileWidth The width of the tile used in the TileFactory and
* calculations
* @param tileHeight The heigth of the tile used in the TileFactory and
* calculations
* @param map A tilemap with numbers
*/
public TileEngine(World world, int tileWidth, int tileHeight, int[][] map) {
this(world, tileWidth, tileHeight);
this.setMap(map);
}
/**
* The setMap method used to set a map. This method also clears the previous
* map and generates a new one.
*
* @param map
*/
public void setMap(int[][] map) {
this.clearTilesWorld();
this.map = map;
MAP_HEIGHT = this.map.length;
MAP_WIDTH = this.map[0].length;
this.generateMap = new Tile[MAP_HEIGHT][MAP_WIDTH];
this.generateWorld();
}
/**
* The setTileFactory sets a tilefactory. You can use this if you want to
* create you own tilefacory and use it in the class.
*
* @param tf A Tilefactory or extend of it.
*/
public void setTileFactory(TileFactory tf) {
this.tileFactory = tf;
}
/**
* Removes al the tiles from the world.
*/
public void clearTilesWorld() {
List<Tile> removeObjects = this.world.getObjects(Tile.class);
this.world.removeObjects(removeObjects);
this.map = null;
this.generateMap = null;
MAP_HEIGHT = 0;
MAP_WIDTH = 0;
}
/**
* Creates the tile world based on the TileFactory and the map icons.
*/
public void generateWorld() {
int mapID = 0;
for (int y = 0; y < MAP_HEIGHT; y++) {
for (int x = 0; x < MAP_WIDTH; x++) {
// Nummer ophalen in de int array
mapID++;
int mapIcon = this.map[y][x];
if (mapIcon == -1) {
continue;
}
// Als de mapIcon -1 is dan wordt de code hieronder overgeslagen
// Dus er wordt geen tile aangemaakt. -1 is dus geen tile;
Tile createdTile = this.tileFactory.createTile(mapIcon);
createdTile.setMapID(mapID);
createdTile.setMapIcon(mapIcon);
addTileAt(createdTile, x, y);
}
}
}
/**
* Adds a tile on the colom and row. Calculation is based on TILE_WIDTH and
* TILE_HEIGHT
*
* @param tile The Tile
* @param colom The colom where the tile exist in the map
* @param row The row where the tile exist in the map
*/
public void addTileAt(Tile tile, int colom, int row) {
// De X en Y positie zitten het midden van de Actor.
// De tilemap genereerd een wereld gebaseerd op dat de X en Y
// positie links boven in zitten. Vandaar de we de helft van de
// breedte en hoogte optellen zodat de X en Y links boven zit voor
// het toevoegen van het object.
this.world.addObject(tile, (colom * TILE_WIDTH) + TILE_WIDTH / 2, (row * TILE_HEIGHT) + TILE_HEIGHT / 2);
// Toevoegen aan onze lokale array. Makkelijk om de tile op te halen
// op basis van een x en y positie van de map
this.generateMap[row][colom] = tile;
tile.setColom(colom);
tile.setRow(row);
}
/**
* Retrieves a tile at the location based on colom and row in the map
*
* @param colom
* @param row
* @return The tile at the location colom and row. Returns null if it cannot
* find a tile.
*/
public Tile getTileAt(int colom, int row) {
if (row < 0 || row >= MAP_HEIGHT || colom < 0 || colom >= MAP_WIDTH) {
return null;
}
return this.generateMap[row][colom];
}
/**
* Retrieves a tile based on a x and y position in the world
*
* @param x X-position in the world
* @param y Y-position in the world
* @return The tile at the location colom and row. Returns null if it cannot
* find a tile.
*/
public Tile getTileAtXY(int x, int y) {
int col = getColumn(x);
int row = getRow(y);
Tile tile = getTileAt(col, row);
return tile;
}
/**
* Removes tile at the given colom and row
*
* @param colom
* @param row
* @return true if the tile has successfully been removed
*/
public boolean removeTileAt(int colom, int row) {
if (row < 0 || row >= MAP_HEIGHT || colom < 0 || colom >= MAP_WIDTH) {
return false;
}
Tile tile = this.generateMap[row][colom];
if (tile != null) {
this.world.removeObject(tile);
this.generateMap[row][colom] = null;
return true;
}
return false;
}
/**
* Removes tile at the given x and y position
*
* @param x X-position in the world
* @param y Y-position in the world
* @return true if the tile has successfully been removed
*/
public boolean removeTileAtXY(int x, int y) {
int col = getColumn(x);
int row = getRow(y);
return removeTileAt(col, row);
}
/**
* Removes the tile based on a tile
*
* @param tile Tile from the tilemap
* @return true if the tile has successfully been removed
*/
public boolean removeTile(Tile tile) {
int colom = tile.getColom();
int row = tile.getRow();
if (colom != -1 && row != -1) {
return this.removeTileAt(colom, row);
}
return false;
}
/**
* This methode checks if a tile on a x and y position in the world is solid
* or not.
*
* @param x X-position in the world
* @param y Y-position in the world
* @return Tile at location is solid
*/
public boolean checkTileSolid(int x, int y) {
Tile tile = getTileAtXY(x, y);
if (tile != null && tile.isSolid) {
return true;
}
return false;
}
/**
* This methode returns a colom based on a x position.
*
* @param x
* @return the colom
*/
public int getColumn(int x) {
return (int) Math.floor(x / TILE_WIDTH);
}
/**
* This methode returns a row based on a y position.
*
* @param y
* @return the row
*/
public int getRow(int y) {
return (int) Math.floor(y / TILE_HEIGHT);
}
/**
* This methode returns a x position based on the colom
*
* @param col
* @return The x position
*/
public int getX(int col) {
return col * TILE_WIDTH;
}
/**
* This methode returns a y position based on the row
*
* @param row
* @return The y position
*/
public int getY(int row) {
return row * TILE_HEIGHT;
}
}
| ROCMondriaanTIN/project-greenfoot-game-VitoKloots | TileEngine.java | 2,422 | // op basis van een x en y positie van de map | line_comment | nl |
import greenfoot.*;
import java.util.List;
/**
*
* @author R. Springer
*/
public class TileEngine {
public static int TILE_WIDTH;
public static int TILE_HEIGHT;
public static int SCREEN_HEIGHT;
public static int SCREEN_WIDTH;
public static int MAP_WIDTH;
public static int MAP_HEIGHT;
private World world;
private int[][] map;
private Tile[][] generateMap;
private TileFactory tileFactory;
/**
* Constuctor of the TileEngine
*
* @param world A World class or a extend of it.
* @param tileWidth The width of the tile used in the TileFactory and
* calculations
* @param tileHeight The heigth of the tile used in the TileFactory and
* calculations
*/
public TileEngine(World world, int tileWidth, int tileHeight) {
this.world = world;
TILE_WIDTH = tileWidth;
TILE_HEIGHT = tileHeight;
SCREEN_WIDTH = world.getWidth();
SCREEN_HEIGHT = world.getHeight();
this.tileFactory = new TileFactory();
}
/**
* Constuctor of the TileEngine
*
* @param world A World class or a extend of it.
* @param tileWidth The width of the tile used in the TileFactory and
* calculations
* @param tileHeight The heigth of the tile used in the TileFactory and
* calculations
* @param map A tilemap with numbers
*/
public TileEngine(World world, int tileWidth, int tileHeight, int[][] map) {
this(world, tileWidth, tileHeight);
this.setMap(map);
}
/**
* The setMap method used to set a map. This method also clears the previous
* map and generates a new one.
*
* @param map
*/
public void setMap(int[][] map) {
this.clearTilesWorld();
this.map = map;
MAP_HEIGHT = this.map.length;
MAP_WIDTH = this.map[0].length;
this.generateMap = new Tile[MAP_HEIGHT][MAP_WIDTH];
this.generateWorld();
}
/**
* The setTileFactory sets a tilefactory. You can use this if you want to
* create you own tilefacory and use it in the class.
*
* @param tf A Tilefactory or extend of it.
*/
public void setTileFactory(TileFactory tf) {
this.tileFactory = tf;
}
/**
* Removes al the tiles from the world.
*/
public void clearTilesWorld() {
List<Tile> removeObjects = this.world.getObjects(Tile.class);
this.world.removeObjects(removeObjects);
this.map = null;
this.generateMap = null;
MAP_HEIGHT = 0;
MAP_WIDTH = 0;
}
/**
* Creates the tile world based on the TileFactory and the map icons.
*/
public void generateWorld() {
int mapID = 0;
for (int y = 0; y < MAP_HEIGHT; y++) {
for (int x = 0; x < MAP_WIDTH; x++) {
// Nummer ophalen in de int array
mapID++;
int mapIcon = this.map[y][x];
if (mapIcon == -1) {
continue;
}
// Als de mapIcon -1 is dan wordt de code hieronder overgeslagen
// Dus er wordt geen tile aangemaakt. -1 is dus geen tile;
Tile createdTile = this.tileFactory.createTile(mapIcon);
createdTile.setMapID(mapID);
createdTile.setMapIcon(mapIcon);
addTileAt(createdTile, x, y);
}
}
}
/**
* Adds a tile on the colom and row. Calculation is based on TILE_WIDTH and
* TILE_HEIGHT
*
* @param tile The Tile
* @param colom The colom where the tile exist in the map
* @param row The row where the tile exist in the map
*/
public void addTileAt(Tile tile, int colom, int row) {
// De X en Y positie zitten het midden van de Actor.
// De tilemap genereerd een wereld gebaseerd op dat de X en Y
// positie links boven in zitten. Vandaar de we de helft van de
// breedte en hoogte optellen zodat de X en Y links boven zit voor
// het toevoegen van het object.
this.world.addObject(tile, (colom * TILE_WIDTH) + TILE_WIDTH / 2, (row * TILE_HEIGHT) + TILE_HEIGHT / 2);
// Toevoegen aan onze lokale array. Makkelijk om de tile op te halen
// op basis<SUF>
this.generateMap[row][colom] = tile;
tile.setColom(colom);
tile.setRow(row);
}
/**
* Retrieves a tile at the location based on colom and row in the map
*
* @param colom
* @param row
* @return The tile at the location colom and row. Returns null if it cannot
* find a tile.
*/
public Tile getTileAt(int colom, int row) {
if (row < 0 || row >= MAP_HEIGHT || colom < 0 || colom >= MAP_WIDTH) {
return null;
}
return this.generateMap[row][colom];
}
/**
* Retrieves a tile based on a x and y position in the world
*
* @param x X-position in the world
* @param y Y-position in the world
* @return The tile at the location colom and row. Returns null if it cannot
* find a tile.
*/
public Tile getTileAtXY(int x, int y) {
int col = getColumn(x);
int row = getRow(y);
Tile tile = getTileAt(col, row);
return tile;
}
/**
* Removes tile at the given colom and row
*
* @param colom
* @param row
* @return true if the tile has successfully been removed
*/
public boolean removeTileAt(int colom, int row) {
if (row < 0 || row >= MAP_HEIGHT || colom < 0 || colom >= MAP_WIDTH) {
return false;
}
Tile tile = this.generateMap[row][colom];
if (tile != null) {
this.world.removeObject(tile);
this.generateMap[row][colom] = null;
return true;
}
return false;
}
/**
* Removes tile at the given x and y position
*
* @param x X-position in the world
* @param y Y-position in the world
* @return true if the tile has successfully been removed
*/
public boolean removeTileAtXY(int x, int y) {
int col = getColumn(x);
int row = getRow(y);
return removeTileAt(col, row);
}
/**
* Removes the tile based on a tile
*
* @param tile Tile from the tilemap
* @return true if the tile has successfully been removed
*/
public boolean removeTile(Tile tile) {
int colom = tile.getColom();
int row = tile.getRow();
if (colom != -1 && row != -1) {
return this.removeTileAt(colom, row);
}
return false;
}
/**
* This methode checks if a tile on a x and y position in the world is solid
* or not.
*
* @param x X-position in the world
* @param y Y-position in the world
* @return Tile at location is solid
*/
public boolean checkTileSolid(int x, int y) {
Tile tile = getTileAtXY(x, y);
if (tile != null && tile.isSolid) {
return true;
}
return false;
}
/**
* This methode returns a colom based on a x position.
*
* @param x
* @return the colom
*/
public int getColumn(int x) {
return (int) Math.floor(x / TILE_WIDTH);
}
/**
* This methode returns a row based on a y position.
*
* @param y
* @return the row
*/
public int getRow(int y) {
return (int) Math.floor(y / TILE_HEIGHT);
}
/**
* This methode returns a x position based on the colom
*
* @param col
* @return The x position
*/
public int getX(int col) {
return col * TILE_WIDTH;
}
/**
* This methode returns a y position based on the row
*
* @param row
* @return The y position
*/
public int getY(int row) {
return row * TILE_HEIGHT;
}
}
| false | 1,976 | 13 | 2,077 | 13 | 2,265 | 13 | 2,091 | 13 | 2,483 | 13 | false | false | false | false | false | true |
1,742 | 19825_5 | package apps.myapplication;
/**
* Created by Boning on 21-8-2015.
*/
public class ThreeRow {
private static int Block1;
private static int Block2;
public ThreeRow(int B1, int B2)
{
this.Block1 = B1;
this.Block2 = B2;
}
public int[] calcOptions()
{
int[] res = new int[2];
int option1;
int option2;
// Block1 ligt rechts van block2
if((Block1 - Block2) == 1)
{
option1 = Block1 + 1;
option2 = Block2 - 1;
res[0] = option1;
res[1] = option2;
return res;
}
// Block1 ligt boven Block2
else if((Block1 - Block2) == 10)
{
option1 = Block1 + 10;
option2 = Block2 - 10;
res[0] = option1;
res[1] = option2;
return res;
}
// Block1 ligt rechtsonder Block2
else if((Block1 - Block2) == 11)
{
option1 = Block1 + 11;
option2 = Block2 - 11;
res[0] = option1;
res[1] = option2;
return res;
}
// Block1 ligt linksonder Block2
else if((Block1 - Block2) == 9)
{
option1 = Block1 + 9;
option2 = Block2 - 9;
res[0] = option1;
res[1] = option2;
return res;
}
// Block1 en Block2 liggen 1 verwijderd naast elkaar met 1 block ertussen in
else if((Block1 - Block2) == 2)
{
option1 = Block1 - 1;
option2 = Block2 + 1;
res[0] = option1;
res[1] = option2;
return res;
}
// Block1 en Block2 liggen 1 verwijderd boven elkaar met 1 block ertussen in
else if((Block1 - Block2 == 20))
{
option1 = Block1 - 10;
option2 = Block2 + 10;
res[0] = option1;
res[1] = option2;
return res;
}
// Block1 en Block2 liggen 1 verwijderd rechts schuinonder elkaar met 1 block ertussen in
else if((Block1 - Block2 == 22))
{
option1 = Block1 - 11;
option2 = Block2 + 11;
res[0] = option1;
res[1] = option2;
return res;
}
// Block1 en Block2 liggen 1 verwijderd links schuinonder elkaar met 1 block ertussen in
else if((Block1 - Block2 == 18))
{
option1 = Block1 - 9;
option2 = Block2 + 9;
res[0] = option1;
res[1] = option2;
return res;
}
return null;
}
public int getBlock1()
{
return Block1;
}
public int getBlock2()
{
return Block2;
}
public void setBlock1(int B1)
{
Block1 = B1;
}
public void setBlock2(int B2)
{
Block2 = B2;
}
}
| TimBuckers/AndroidApp | app/src/main/java/apps/myapplication/ThreeRow.java | 915 | // Block1 en Block2 liggen 1 verwijderd naast elkaar met 1 block ertussen in | line_comment | nl | package apps.myapplication;
/**
* Created by Boning on 21-8-2015.
*/
public class ThreeRow {
private static int Block1;
private static int Block2;
public ThreeRow(int B1, int B2)
{
this.Block1 = B1;
this.Block2 = B2;
}
public int[] calcOptions()
{
int[] res = new int[2];
int option1;
int option2;
// Block1 ligt rechts van block2
if((Block1 - Block2) == 1)
{
option1 = Block1 + 1;
option2 = Block2 - 1;
res[0] = option1;
res[1] = option2;
return res;
}
// Block1 ligt boven Block2
else if((Block1 - Block2) == 10)
{
option1 = Block1 + 10;
option2 = Block2 - 10;
res[0] = option1;
res[1] = option2;
return res;
}
// Block1 ligt rechtsonder Block2
else if((Block1 - Block2) == 11)
{
option1 = Block1 + 11;
option2 = Block2 - 11;
res[0] = option1;
res[1] = option2;
return res;
}
// Block1 ligt linksonder Block2
else if((Block1 - Block2) == 9)
{
option1 = Block1 + 9;
option2 = Block2 - 9;
res[0] = option1;
res[1] = option2;
return res;
}
// Block1 en<SUF>
else if((Block1 - Block2) == 2)
{
option1 = Block1 - 1;
option2 = Block2 + 1;
res[0] = option1;
res[1] = option2;
return res;
}
// Block1 en Block2 liggen 1 verwijderd boven elkaar met 1 block ertussen in
else if((Block1 - Block2 == 20))
{
option1 = Block1 - 10;
option2 = Block2 + 10;
res[0] = option1;
res[1] = option2;
return res;
}
// Block1 en Block2 liggen 1 verwijderd rechts schuinonder elkaar met 1 block ertussen in
else if((Block1 - Block2 == 22))
{
option1 = Block1 - 11;
option2 = Block2 + 11;
res[0] = option1;
res[1] = option2;
return res;
}
// Block1 en Block2 liggen 1 verwijderd links schuinonder elkaar met 1 block ertussen in
else if((Block1 - Block2 == 18))
{
option1 = Block1 - 9;
option2 = Block2 + 9;
res[0] = option1;
res[1] = option2;
return res;
}
return null;
}
public int getBlock1()
{
return Block1;
}
public int getBlock2()
{
return Block2;
}
public void setBlock1(int B1)
{
Block1 = B1;
}
public void setBlock2(int B2)
{
Block2 = B2;
}
}
| false | 833 | 25 | 859 | 28 | 912 | 20 | 859 | 28 | 962 | 27 | false | false | false | false | false | true |
181 | 8391_11 | /*
* Copyright (C) 2011-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.viewer.config.services;
import java.util.*;
import javax.persistence.*;
import org.apache.commons.lang3.StringUtils;
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.opengis.filter.Filter;
import org.stripesstuff.stripersist.Stripersist;
/**
*
* @author Matthijs Laan
*/
@Entity
@Table(name="feature_type")
@org.hibernate.annotations.Entity(dynamicUpdate = true)
public class SimpleFeatureType {
private static final Log log = LogFactory.getLog(SimpleFeatureType.class);
public static final int MAX_FEATURES_DEFAULT = 250;
public static final int MAX_FEATURES_UNBOUNDED = -1;
@Id
private Long id;
@ManyToOne(cascade=CascadeType.PERSIST)
private FeatureSource featureSource;
private String typeName;
private String description;
private boolean writeable;
private String geometryAttribute;
@OneToMany (cascade=CascadeType.ALL, mappedBy="featureType")
private List<FeatureTypeRelation> relations = new ArrayList<FeatureTypeRelation>();
@ManyToMany(cascade=CascadeType.ALL) // Actually @OneToMany, workaround for HHH-1268
@JoinTable(inverseJoinColumns=@JoinColumn(name="attribute_descriptor"))
@OrderColumn(name="list_index")
private List<AttributeDescriptor> attributes = new ArrayList<AttributeDescriptor>();
//<editor-fold defaultstate="collapsed" desc="getters en setters">
public List<AttributeDescriptor> getAttributes() {
return attributes;
}
public void setAttributes(List<AttributeDescriptor> attributes) {
this.attributes = attributes;
}
public FeatureSource getFeatureSource() {
return featureSource;
}
public void setFeatureSource(FeatureSource featureSource) {
this.featureSource = featureSource;
}
public String getGeometryAttribute() {
return geometryAttribute;
}
public void setGeometryAttribute(String geometryAttribute) {
this.geometryAttribute = geometryAttribute;
}
public boolean isWriteable() {
return writeable;
}
public void setWriteable(boolean writeable) {
this.writeable = writeable;
}
public Long getId() {
return id;
}
public void setId(Long id) {
this.id = id;
}
public String getTypeName() {
return typeName;
}
public void setTypeName(String typeName) {
this.typeName = typeName;
}
public String getDescription() {
return description;
}
public void setDescription(String description) {
this.description = description;
}
public List<FeatureTypeRelation> getRelations() {
return relations;
}
public void setRelations(List<FeatureTypeRelation> relations) {
this.relations = relations;
}
//</editor-fold>
public Object getMaxValue ( String attributeName, Filter f )throws Exception {
return featureSource.getMaxValue(this, attributeName, MAX_FEATURES_DEFAULT, f);
}
public Object getMaxValue ( String attributeName, int maxFeatures )throws Exception {
return featureSource.getMaxValue(this, attributeName, maxFeatures,null);
}
public Object getMinValue ( String attributeName, Filter f )throws Exception {
return featureSource.getMinValue(this, attributeName, MAX_FEATURES_DEFAULT, f);
}
public Object getMinValue ( String attributeName, int maxFeatures )throws Exception {
return featureSource.getMinValue(this, attributeName, maxFeatures, null);
}
public List<String> calculateUniqueValues(String attributeName) throws Exception {
return featureSource.calculateUniqueValues(this, attributeName, MAX_FEATURES_DEFAULT,null);
}
public List<String> calculateUniqueValues(String attributeName, int maxFeatures) throws Exception {
return featureSource.calculateUniqueValues(this, attributeName, maxFeatures, null);
}
public List<String> calculateUniqueValues(String attributeName, int maxFeatures, Filter filter) throws Exception {
return featureSource.calculateUniqueValues(this, attributeName, maxFeatures, filter);
}
public Map<String, String> getKeysValues(String key, String label, int maxFeatures) throws Exception {
return featureSource.getKeyValuePairs(this, key, label, maxFeatures);
}
public Map<String, String> getKeysValues(String key, String label) throws Exception {
return featureSource.getKeyValuePairs(this, key, label, MAX_FEATURES_DEFAULT);
}
public org.geotools.data.FeatureSource openGeoToolsFeatureSource() throws Exception {
return featureSource.openGeoToolsFeatureSource(this);
}
public org.geotools.data.FeatureSource openGeoToolsFeatureSource(int timeout) throws Exception {
return featureSource.openGeoToolsFeatureSource(this, timeout);
}
public boolean update(SimpleFeatureType update) {
if(!getTypeName().equals(update.getTypeName())) {
throw new IllegalArgumentException("Cannot update feature type with properties from feature type with different type name!");
}
description = update.description;
writeable = update.writeable;
geometryAttribute = update.geometryAttribute;
boolean changed = false;
// Retain user set aliases for attributes
// Does not work correctly for Arc* feature sources which set attribute
// title in alias... Needs other field to differentiate user set title
Map<String,String> aliasesByAttributeName = new HashMap();
for(AttributeDescriptor ad: attributes) {
if(StringUtils.isNotBlank(ad.getAlias())) {
aliasesByAttributeName.put(ad.getName(), ad.getAlias());
}
}
//loop over oude attributes
// voor iedere oude attr kijk of er een attib ib de update.attributes zit
// zo ja kijk of type gelijk is
// als type niet gelijk dan oude attr verwijderen en vervangen door nieuwe, evt met alias kopieren
// zo niet dan toevoegen nieuw attr aan oude set
// loop over nieuwe attributen om te kijken of er oude verwijderd moeten worden
// todo: Het is handiger om deze check op basis van 2 hashmaps uittevoeren
if(!attributes.equals(update.attributes)) {
changed = true;
for(int i = 0; i < attributes.size();i++){
boolean notFound = true;
for(AttributeDescriptor newAttribute: update.attributes){
if(attributes.get(i).getName().equals(newAttribute.getName())){
notFound = false;
AttributeDescriptor oldAttr = attributes.get(i);
if(Objects.equals(oldAttr.getType(), newAttribute.getType())){
// ! expression didnt work(???) so dummy if-else (else is only used)
}else{
attributes.remove(i);
attributes.add(i, newAttribute);
}
break;
}
}
if(notFound){
attributes.remove(i);
}
}
//nieuwe attributen worden hier toegevoegd aan de oude attributen lijst
for(int i = 0; i < update.attributes.size();i++){
boolean notFound = true;
for(AttributeDescriptor oldAttribute: attributes){
if(update.attributes.get(i).getName().equals(oldAttribute.getName())){
notFound = false;
break;
}
}
if(notFound){
attributes.add(update.attributes.get(i));
}
}
}
//update.attributes ID = NULL so the attributes list is getting NULL aswell
//if(!attributes.equals(update.attributes)) {
//attributes.clear();
//attributes.addAll(update.attributes);
//changed = true;
//}
for(AttributeDescriptor ad: attributes) {
String alias = aliasesByAttributeName.get(ad.getName());
if(alias != null) {
ad.setAlias(alias);
}
}
return changed;
}
public static void clearReferences(Collection<SimpleFeatureType> typesToRemove) {
// Clear references
int removed = Stripersist.getEntityManager().createQuery("update Layer set featureType = null where featureType in (:types)")
.setParameter("types", typesToRemove)
.executeUpdate();
if(removed > 0) {
log.warn("Cleared " + removed + " references to " + typesToRemove.size() + " type names which are to be removed");
}
// Ignore Layar references
}
public AttributeDescriptor getAttribute(String attributeName) {
for(AttributeDescriptor ad: attributes) {
if(ad.getName().equals(attributeName)) {
return ad;
}
}
return null;
}
public JSONObject toJSONObject() throws JSONException {
JSONObject o = new JSONObject();
o.put("id", id);
o.put("typeName", typeName);
o.put("writeable", writeable);
o.put("geometryAttribute", geometryAttribute);
JSONArray atts = new JSONArray();
o.put("attributes", atts);
for(AttributeDescriptor a: attributes) {
JSONObject ja = new JSONObject();
ja.put("id", a.getId());
ja.put("name", a.getName());
ja.put("alias", a.getAlias());
ja.put("type", a.getType());
atts.put(ja);
}
return o;
}
public boolean hasRelations() {
return this.relations!=null && this.relations.size()>0;
}
}
| B3Partners/tailormap | viewer-config-persistence/src/main/java/nl/b3p/viewer/config/services/SimpleFeatureType.java | 2,881 | // zo niet dan toevoegen nieuw attr aan oude set | line_comment | nl | /*
* Copyright (C) 2011-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.viewer.config.services;
import java.util.*;
import javax.persistence.*;
import org.apache.commons.lang3.StringUtils;
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.opengis.filter.Filter;
import org.stripesstuff.stripersist.Stripersist;
/**
*
* @author Matthijs Laan
*/
@Entity
@Table(name="feature_type")
@org.hibernate.annotations.Entity(dynamicUpdate = true)
public class SimpleFeatureType {
private static final Log log = LogFactory.getLog(SimpleFeatureType.class);
public static final int MAX_FEATURES_DEFAULT = 250;
public static final int MAX_FEATURES_UNBOUNDED = -1;
@Id
private Long id;
@ManyToOne(cascade=CascadeType.PERSIST)
private FeatureSource featureSource;
private String typeName;
private String description;
private boolean writeable;
private String geometryAttribute;
@OneToMany (cascade=CascadeType.ALL, mappedBy="featureType")
private List<FeatureTypeRelation> relations = new ArrayList<FeatureTypeRelation>();
@ManyToMany(cascade=CascadeType.ALL) // Actually @OneToMany, workaround for HHH-1268
@JoinTable(inverseJoinColumns=@JoinColumn(name="attribute_descriptor"))
@OrderColumn(name="list_index")
private List<AttributeDescriptor> attributes = new ArrayList<AttributeDescriptor>();
//<editor-fold defaultstate="collapsed" desc="getters en setters">
public List<AttributeDescriptor> getAttributes() {
return attributes;
}
public void setAttributes(List<AttributeDescriptor> attributes) {
this.attributes = attributes;
}
public FeatureSource getFeatureSource() {
return featureSource;
}
public void setFeatureSource(FeatureSource featureSource) {
this.featureSource = featureSource;
}
public String getGeometryAttribute() {
return geometryAttribute;
}
public void setGeometryAttribute(String geometryAttribute) {
this.geometryAttribute = geometryAttribute;
}
public boolean isWriteable() {
return writeable;
}
public void setWriteable(boolean writeable) {
this.writeable = writeable;
}
public Long getId() {
return id;
}
public void setId(Long id) {
this.id = id;
}
public String getTypeName() {
return typeName;
}
public void setTypeName(String typeName) {
this.typeName = typeName;
}
public String getDescription() {
return description;
}
public void setDescription(String description) {
this.description = description;
}
public List<FeatureTypeRelation> getRelations() {
return relations;
}
public void setRelations(List<FeatureTypeRelation> relations) {
this.relations = relations;
}
//</editor-fold>
public Object getMaxValue ( String attributeName, Filter f )throws Exception {
return featureSource.getMaxValue(this, attributeName, MAX_FEATURES_DEFAULT, f);
}
public Object getMaxValue ( String attributeName, int maxFeatures )throws Exception {
return featureSource.getMaxValue(this, attributeName, maxFeatures,null);
}
public Object getMinValue ( String attributeName, Filter f )throws Exception {
return featureSource.getMinValue(this, attributeName, MAX_FEATURES_DEFAULT, f);
}
public Object getMinValue ( String attributeName, int maxFeatures )throws Exception {
return featureSource.getMinValue(this, attributeName, maxFeatures, null);
}
public List<String> calculateUniqueValues(String attributeName) throws Exception {
return featureSource.calculateUniqueValues(this, attributeName, MAX_FEATURES_DEFAULT,null);
}
public List<String> calculateUniqueValues(String attributeName, int maxFeatures) throws Exception {
return featureSource.calculateUniqueValues(this, attributeName, maxFeatures, null);
}
public List<String> calculateUniqueValues(String attributeName, int maxFeatures, Filter filter) throws Exception {
return featureSource.calculateUniqueValues(this, attributeName, maxFeatures, filter);
}
public Map<String, String> getKeysValues(String key, String label, int maxFeatures) throws Exception {
return featureSource.getKeyValuePairs(this, key, label, maxFeatures);
}
public Map<String, String> getKeysValues(String key, String label) throws Exception {
return featureSource.getKeyValuePairs(this, key, label, MAX_FEATURES_DEFAULT);
}
public org.geotools.data.FeatureSource openGeoToolsFeatureSource() throws Exception {
return featureSource.openGeoToolsFeatureSource(this);
}
public org.geotools.data.FeatureSource openGeoToolsFeatureSource(int timeout) throws Exception {
return featureSource.openGeoToolsFeatureSource(this, timeout);
}
public boolean update(SimpleFeatureType update) {
if(!getTypeName().equals(update.getTypeName())) {
throw new IllegalArgumentException("Cannot update feature type with properties from feature type with different type name!");
}
description = update.description;
writeable = update.writeable;
geometryAttribute = update.geometryAttribute;
boolean changed = false;
// Retain user set aliases for attributes
// Does not work correctly for Arc* feature sources which set attribute
// title in alias... Needs other field to differentiate user set title
Map<String,String> aliasesByAttributeName = new HashMap();
for(AttributeDescriptor ad: attributes) {
if(StringUtils.isNotBlank(ad.getAlias())) {
aliasesByAttributeName.put(ad.getName(), ad.getAlias());
}
}
//loop over oude attributes
// voor iedere oude attr kijk of er een attib ib de update.attributes zit
// zo ja kijk of type gelijk is
// als type niet gelijk dan oude attr verwijderen en vervangen door nieuwe, evt met alias kopieren
// zo niet<SUF>
// loop over nieuwe attributen om te kijken of er oude verwijderd moeten worden
// todo: Het is handiger om deze check op basis van 2 hashmaps uittevoeren
if(!attributes.equals(update.attributes)) {
changed = true;
for(int i = 0; i < attributes.size();i++){
boolean notFound = true;
for(AttributeDescriptor newAttribute: update.attributes){
if(attributes.get(i).getName().equals(newAttribute.getName())){
notFound = false;
AttributeDescriptor oldAttr = attributes.get(i);
if(Objects.equals(oldAttr.getType(), newAttribute.getType())){
// ! expression didnt work(???) so dummy if-else (else is only used)
}else{
attributes.remove(i);
attributes.add(i, newAttribute);
}
break;
}
}
if(notFound){
attributes.remove(i);
}
}
//nieuwe attributen worden hier toegevoegd aan de oude attributen lijst
for(int i = 0; i < update.attributes.size();i++){
boolean notFound = true;
for(AttributeDescriptor oldAttribute: attributes){
if(update.attributes.get(i).getName().equals(oldAttribute.getName())){
notFound = false;
break;
}
}
if(notFound){
attributes.add(update.attributes.get(i));
}
}
}
//update.attributes ID = NULL so the attributes list is getting NULL aswell
//if(!attributes.equals(update.attributes)) {
//attributes.clear();
//attributes.addAll(update.attributes);
//changed = true;
//}
for(AttributeDescriptor ad: attributes) {
String alias = aliasesByAttributeName.get(ad.getName());
if(alias != null) {
ad.setAlias(alias);
}
}
return changed;
}
public static void clearReferences(Collection<SimpleFeatureType> typesToRemove) {
// Clear references
int removed = Stripersist.getEntityManager().createQuery("update Layer set featureType = null where featureType in (:types)")
.setParameter("types", typesToRemove)
.executeUpdate();
if(removed > 0) {
log.warn("Cleared " + removed + " references to " + typesToRemove.size() + " type names which are to be removed");
}
// Ignore Layar references
}
public AttributeDescriptor getAttribute(String attributeName) {
for(AttributeDescriptor ad: attributes) {
if(ad.getName().equals(attributeName)) {
return ad;
}
}
return null;
}
public JSONObject toJSONObject() throws JSONException {
JSONObject o = new JSONObject();
o.put("id", id);
o.put("typeName", typeName);
o.put("writeable", writeable);
o.put("geometryAttribute", geometryAttribute);
JSONArray atts = new JSONArray();
o.put("attributes", atts);
for(AttributeDescriptor a: attributes) {
JSONObject ja = new JSONObject();
ja.put("id", a.getId());
ja.put("name", a.getName());
ja.put("alias", a.getAlias());
ja.put("type", a.getType());
atts.put(ja);
}
return o;
}
public boolean hasRelations() {
return this.relations!=null && this.relations.size()>0;
}
}
| false | 2,137 | 14 | 2,364 | 15 | 2,587 | 11 | 2,364 | 15 | 2,898 | 14 | false | false | false | false | false | true |
4,738 | 149318_0 | import lejos.nxt.*;
public class Lego {
public static void main(String[] args) {
int bedrag = 10;
int tijdelijk;
int motora =9;
int motorb =19;
int motorc = 49;
int groot = 1;
int normaal = 0;
int klein = 0;
//normaal biljetten
if(groot==1){
while(bedrag>0)
{
while(bedrag>motorc)
{
Motor.C.setSpeed(750);
Motor.C.backward();
Motor.C.rotate(-375);
Motor.C.stop();
Motor.C.forward();
Motor.C.rotate(135);
Motor.C.stop();
tijdelijk = 50;
bedrag = bedrag -tijdelijk;
System.out.println("50 gepint");
}
while(bedrag>motorb)
{
Motor.B .setSpeed(750);
Motor.B.backward();
Motor.B.rotate(-375);
Motor.B.stop();
Motor.B.forward();
Motor.B.rotate(135);
Motor.B.stop();
tijdelijk = 20;
bedrag = bedrag-tijdelijk;
System.out.println("20 gepint");
}
while(bedrag>motora)
{
Motor.A.setSpeed(750);
Motor.A.backward();
Motor.A.rotate(-375);
Motor.A.stop();
Motor.A.forward();
Motor.A.rotate(135);
Motor.A.stop();
tijdelijk = 10;
bedrag =bedrag -tijdelijk;
System.out.println("10 gepint");
}
System.out.println("bedrag is kleiner als 10");
break;
}
}
//als je meer twintigjes wilt
if(normaal==1)
{
while(bedrag >0)
{
while(bedrag>139)
{
Motor.C.setSpeed(750);
Motor.C.backward();
Motor.C.rotate(-375);
Motor.C.stop();
Motor.C.forward();
Motor.C.rotate(135);
Motor.C.stop();
tijdelijk = 50;
bedrag = bedrag -tijdelijk;
System.out.println("50 gepint");
}
while(bedrag>19)
{
Motor.B .setSpeed(750);
Motor.B.backward();
Motor.B.rotate(-375);
Motor.B.stop();
Motor.B.forward();
Motor.B.rotate(135);
Motor.B.stop();
tijdelijk = 20;
bedrag = bedrag-tijdelijk;
System.out.println("20 gepint");
}
while(bedrag>9)
{
Motor.A.setSpeed(750);
Motor.A.backward();
Motor.A.rotate(-375);
Motor.A.stop();
Motor.A.forward();
Motor.A.rotate(135);
Motor.A.stop();
tijdelijk = 10;
bedrag =bedrag -tijdelijk;
System.out.println("10 gepint");
}
System.out.println("bedrag is kleiner als 10");
break;
}
}
if(klein ==1)
{
while(bedrag >0)
{
while(bedrag>99)
{
Motor.C.setSpeed(750);
Motor.C.backward();
Motor.C.rotate(-375);
Motor.C.stop();
Motor.C.forward();
Motor.C.rotate(135);
Motor.C.stop();
tijdelijk = 50;
bedrag = bedrag -tijdelijk;
System.out.println("50 gepint");
}
while(bedrag>60)
{
Motor.B .setSpeed(750);
Motor.B.backward();
Motor.B.rotate(-375);
Motor.B.stop();
Motor.B.forward();
Motor.B.rotate(135);
Motor.B.stop();
tijdelijk = 20;
bedrag = bedrag-tijdelijk;
System.out.println("20 gepint");
}
while(bedrag>9)
{
Motor.A.setSpeed(750);
Motor.A.backward();
Motor.A.rotate(-375);
Motor.A.stop();
Motor.A.forward();
Motor.A.rotate(135);
Motor.A.stop();
tijdelijk = 10;
bedrag =bedrag -tijdelijk;
System.out.println("10 gepint");
}
System.out.println("bedrag is kleiner als 10");
break;
}
}
}
}
| wvanderp/project-3-4 | web/Lego.java | 1,715 | //als je meer twintigjes wilt | line_comment | nl | import lejos.nxt.*;
public class Lego {
public static void main(String[] args) {
int bedrag = 10;
int tijdelijk;
int motora =9;
int motorb =19;
int motorc = 49;
int groot = 1;
int normaal = 0;
int klein = 0;
//normaal biljetten
if(groot==1){
while(bedrag>0)
{
while(bedrag>motorc)
{
Motor.C.setSpeed(750);
Motor.C.backward();
Motor.C.rotate(-375);
Motor.C.stop();
Motor.C.forward();
Motor.C.rotate(135);
Motor.C.stop();
tijdelijk = 50;
bedrag = bedrag -tijdelijk;
System.out.println("50 gepint");
}
while(bedrag>motorb)
{
Motor.B .setSpeed(750);
Motor.B.backward();
Motor.B.rotate(-375);
Motor.B.stop();
Motor.B.forward();
Motor.B.rotate(135);
Motor.B.stop();
tijdelijk = 20;
bedrag = bedrag-tijdelijk;
System.out.println("20 gepint");
}
while(bedrag>motora)
{
Motor.A.setSpeed(750);
Motor.A.backward();
Motor.A.rotate(-375);
Motor.A.stop();
Motor.A.forward();
Motor.A.rotate(135);
Motor.A.stop();
tijdelijk = 10;
bedrag =bedrag -tijdelijk;
System.out.println("10 gepint");
}
System.out.println("bedrag is kleiner als 10");
break;
}
}
//als je<SUF>
if(normaal==1)
{
while(bedrag >0)
{
while(bedrag>139)
{
Motor.C.setSpeed(750);
Motor.C.backward();
Motor.C.rotate(-375);
Motor.C.stop();
Motor.C.forward();
Motor.C.rotate(135);
Motor.C.stop();
tijdelijk = 50;
bedrag = bedrag -tijdelijk;
System.out.println("50 gepint");
}
while(bedrag>19)
{
Motor.B .setSpeed(750);
Motor.B.backward();
Motor.B.rotate(-375);
Motor.B.stop();
Motor.B.forward();
Motor.B.rotate(135);
Motor.B.stop();
tijdelijk = 20;
bedrag = bedrag-tijdelijk;
System.out.println("20 gepint");
}
while(bedrag>9)
{
Motor.A.setSpeed(750);
Motor.A.backward();
Motor.A.rotate(-375);
Motor.A.stop();
Motor.A.forward();
Motor.A.rotate(135);
Motor.A.stop();
tijdelijk = 10;
bedrag =bedrag -tijdelijk;
System.out.println("10 gepint");
}
System.out.println("bedrag is kleiner als 10");
break;
}
}
if(klein ==1)
{
while(bedrag >0)
{
while(bedrag>99)
{
Motor.C.setSpeed(750);
Motor.C.backward();
Motor.C.rotate(-375);
Motor.C.stop();
Motor.C.forward();
Motor.C.rotate(135);
Motor.C.stop();
tijdelijk = 50;
bedrag = bedrag -tijdelijk;
System.out.println("50 gepint");
}
while(bedrag>60)
{
Motor.B .setSpeed(750);
Motor.B.backward();
Motor.B.rotate(-375);
Motor.B.stop();
Motor.B.forward();
Motor.B.rotate(135);
Motor.B.stop();
tijdelijk = 20;
bedrag = bedrag-tijdelijk;
System.out.println("20 gepint");
}
while(bedrag>9)
{
Motor.A.setSpeed(750);
Motor.A.backward();
Motor.A.rotate(-375);
Motor.A.stop();
Motor.A.forward();
Motor.A.rotate(135);
Motor.A.stop();
tijdelijk = 10;
bedrag =bedrag -tijdelijk;
System.out.println("10 gepint");
}
System.out.println("bedrag is kleiner als 10");
break;
}
}
}
}
| false | 1,248 | 9 | 1,483 | 10 | 1,611 | 8 | 1,483 | 10 | 1,877 | 10 | false | false | false | false | false | true |
1,297 | 17930_4 | // Copyright (c) FIRST and other WPILib contributors.
// Open Source Software; you can modify and/or share it under the terms of
// the WPILib BSD license file in the root directory of this project.
package frc.robot;
import com.ctre.phoenix.motorcontrol.TalonFXInvertType;
import edu.wpi.first.math.kinematics.DifferentialDriveKinematics;
import edu.wpi.first.math.util.Units;
/**
* The Constants class provides a convenient place for teams to hold robot-wide numerical or boolean
* constants. This class should not be used for any other purpose. All constants should be declared
* globally (i.e. public static). Do not put anything functional in this class.
*
* <p>It is advised to statically import this class (or one of its inner classes) wherever the
* constants are needed, to reduce verbosity.
*/
public final class Constants {
public static final int TIMEOUT = 30;
public static final class DrivetrainConstants {
public static final double kS = 0.18579; // Volts
public static final double kV = 3.2961; // Volt Seconds per Meter
public static final double kA = 0.42341; // Volt Seconds Squared per Meter
public static final double kPVel = 4.134; // Volt Seconds per Meter
public static final double TRACK_WIDTH = Units.inchesToMeters(22.5); // Meters
public static final DifferentialDriveKinematics KINEMATICS =
new DifferentialDriveKinematics(TRACK_WIDTH);
public static final double WHEEL_DIAMETER = Units.inchesToMeters(4.0); //Meters
public static final double DISTANCE_PER_REVOLUTION = WHEEL_DIAMETER * Math.PI;
public static final double PULSES_PER_REVOLUTION = 42 * 5.6;
public static final double DISTANCE_PER_PULSE = DISTANCE_PER_REVOLUTION / PULSES_PER_REVOLUTION;
public static final double SECONDS_PER_MINUTE = 60.0d;
public static final double GEAR_REDUCTION = 13.8;
public static final double MAX_VELOCITY = 3.6;
public static final double MAX_ACCEL = 3;
public static final double kRamseteB = 2;
public static final double kRamseteZeta = 0.7;
public static final double GEAR_RATIO = 1800d / 216d;
//Hello World!
// Hey Stem Savvy
public static final double WHEEL_CIRCUMFRENCE = 2 * Math.PI * (WHEEL_DIAMETER/2);
public static final int FRONT_RIGHT_MOTOR = 20;
public static final int BACK_RIGHT_MOTOR = 21;
public static final int FRONT_LEFT_MOTOR = 18;
public static final int BACK_LEFT_MOTOR = 19;
}
public static final class ClimberConstants {
// public static final int LEFT_SOLENOID = 2; //2
// public static final int RIGHT_SOLENOID = 1; //1
public static final int LEFT_LIFT_MOTOR = 25;
public static final int RIGHT_LIFT_MOTOR = 26;
public static final int LEFT_FOR_SOLENOID = 3;
public static final int LEFT_REV_SOLENOID = 2;
public static final int RIGHT_FOR_SOLENOID = 6;
public static final int RIGHT_REV_SOLENOID = 7;
public static final int LEFT_FIRST_EXTEND = 164904; //169000
public static final int LEFT_EXTEND = -169000;
public static final int LEFT_MID = -157000; //-157000
public static final int LEFT_CLIMB = -11000;
public static final int RIGHT_FIRST_EXTEND = 164904; //169000
public static final int RIGHT_EXTEND = 169000; //169000
public static final int RIGHT_MID = 157000;
public static final int RIGHT_CLIMB = 11000;
public static boolean kLeftSensorPhase = true;
public static boolean kLeftMotorInvert = false;
public static boolean kRightSensorPhase = true;
public static boolean kRightMotorInvert = false;
public static final int kPIDLoopIdx = 0;
public static final int kSlotIdx = 0;
public static final double kP = 30d / 2048;
public static final double FEXTEND = 40 * 2048 * 15 / 9d;
public static final double EXTEND = 50 * 2048 * 15 / 9d;
public static final double MID = 21 * 2048 * 15 / 9d;
}
public static final class TransportConstants {
public static final int TOP_TRANSPORT_MOTOR = 23;
public static final int BOT_TRANSPORT_MOTOR = 22;
public static final int BETER_TRANSPORT_MOTOR = 32;
}
public static final class IntakeConstants {
public static final int INTAKE_RIGHT_MOTOR = 24;
public static final int INTAKE_LEFT_MOTOR = 33;
public static final int INTAKE_FOR_SOLENOID = 5;
public static final int INTAKE_REV_SOLENOID = 4;
}
public static final class ShooterConstants {
public static final int LEFT_SHOOTER = 31;
public static final int RIGHT_SHOOTER = 30;
public static final double MAXPERCENT = 0.4;
public static final double ShooterAdjust = 1.125; //1.165
public static final double kS = 0.69004; //0.69004 0.84535
public static final double kV = 0.10758; //0.11811
public static final double kP = 0.02; //0.04257 and 0.0307
}
public static int kTimeoutMs = 200;
}
| Pearadox/CompRobot2022 | src/main/java/frc/robot/Constants.java | 1,644 | // Volt Seconds per Meter | line_comment | nl | // Copyright (c) FIRST and other WPILib contributors.
// Open Source Software; you can modify and/or share it under the terms of
// the WPILib BSD license file in the root directory of this project.
package frc.robot;
import com.ctre.phoenix.motorcontrol.TalonFXInvertType;
import edu.wpi.first.math.kinematics.DifferentialDriveKinematics;
import edu.wpi.first.math.util.Units;
/**
* The Constants class provides a convenient place for teams to hold robot-wide numerical or boolean
* constants. This class should not be used for any other purpose. All constants should be declared
* globally (i.e. public static). Do not put anything functional in this class.
*
* <p>It is advised to statically import this class (or one of its inner classes) wherever the
* constants are needed, to reduce verbosity.
*/
public final class Constants {
public static final int TIMEOUT = 30;
public static final class DrivetrainConstants {
public static final double kS = 0.18579; // Volts
public static final double kV = 3.2961; // Volt Seconds<SUF>
public static final double kA = 0.42341; // Volt Seconds Squared per Meter
public static final double kPVel = 4.134; // Volt Seconds per Meter
public static final double TRACK_WIDTH = Units.inchesToMeters(22.5); // Meters
public static final DifferentialDriveKinematics KINEMATICS =
new DifferentialDriveKinematics(TRACK_WIDTH);
public static final double WHEEL_DIAMETER = Units.inchesToMeters(4.0); //Meters
public static final double DISTANCE_PER_REVOLUTION = WHEEL_DIAMETER * Math.PI;
public static final double PULSES_PER_REVOLUTION = 42 * 5.6;
public static final double DISTANCE_PER_PULSE = DISTANCE_PER_REVOLUTION / PULSES_PER_REVOLUTION;
public static final double SECONDS_PER_MINUTE = 60.0d;
public static final double GEAR_REDUCTION = 13.8;
public static final double MAX_VELOCITY = 3.6;
public static final double MAX_ACCEL = 3;
public static final double kRamseteB = 2;
public static final double kRamseteZeta = 0.7;
public static final double GEAR_RATIO = 1800d / 216d;
//Hello World!
// Hey Stem Savvy
public static final double WHEEL_CIRCUMFRENCE = 2 * Math.PI * (WHEEL_DIAMETER/2);
public static final int FRONT_RIGHT_MOTOR = 20;
public static final int BACK_RIGHT_MOTOR = 21;
public static final int FRONT_LEFT_MOTOR = 18;
public static final int BACK_LEFT_MOTOR = 19;
}
public static final class ClimberConstants {
// public static final int LEFT_SOLENOID = 2; //2
// public static final int RIGHT_SOLENOID = 1; //1
public static final int LEFT_LIFT_MOTOR = 25;
public static final int RIGHT_LIFT_MOTOR = 26;
public static final int LEFT_FOR_SOLENOID = 3;
public static final int LEFT_REV_SOLENOID = 2;
public static final int RIGHT_FOR_SOLENOID = 6;
public static final int RIGHT_REV_SOLENOID = 7;
public static final int LEFT_FIRST_EXTEND = 164904; //169000
public static final int LEFT_EXTEND = -169000;
public static final int LEFT_MID = -157000; //-157000
public static final int LEFT_CLIMB = -11000;
public static final int RIGHT_FIRST_EXTEND = 164904; //169000
public static final int RIGHT_EXTEND = 169000; //169000
public static final int RIGHT_MID = 157000;
public static final int RIGHT_CLIMB = 11000;
public static boolean kLeftSensorPhase = true;
public static boolean kLeftMotorInvert = false;
public static boolean kRightSensorPhase = true;
public static boolean kRightMotorInvert = false;
public static final int kPIDLoopIdx = 0;
public static final int kSlotIdx = 0;
public static final double kP = 30d / 2048;
public static final double FEXTEND = 40 * 2048 * 15 / 9d;
public static final double EXTEND = 50 * 2048 * 15 / 9d;
public static final double MID = 21 * 2048 * 15 / 9d;
}
public static final class TransportConstants {
public static final int TOP_TRANSPORT_MOTOR = 23;
public static final int BOT_TRANSPORT_MOTOR = 22;
public static final int BETER_TRANSPORT_MOTOR = 32;
}
public static final class IntakeConstants {
public static final int INTAKE_RIGHT_MOTOR = 24;
public static final int INTAKE_LEFT_MOTOR = 33;
public static final int INTAKE_FOR_SOLENOID = 5;
public static final int INTAKE_REV_SOLENOID = 4;
}
public static final class ShooterConstants {
public static final int LEFT_SHOOTER = 31;
public static final int RIGHT_SHOOTER = 30;
public static final double MAXPERCENT = 0.4;
public static final double ShooterAdjust = 1.125; //1.165
public static final double kS = 0.69004; //0.69004 0.84535
public static final double kV = 0.10758; //0.11811
public static final double kP = 0.02; //0.04257 and 0.0307
}
public static int kTimeoutMs = 200;
}
| false | 1,436 | 5 | 1,528 | 7 | 1,541 | 5 | 1,528 | 7 | 1,770 | 7 | false | false | false | false | false | true |
108 | 30162_19 | package nl.novi.techiteasy.controllers;
import nl.novi.techiteasy.exceptions.RecordNotFoundException;
import nl.novi.techiteasy.exceptions.TelevisionNameTooLongException;
import org.springframework.http.HttpStatus;
import org.springframework.http.ResponseEntity;
import org.springframework.web.bind.annotation.*;
import java.util.ArrayList;
import java.util.List;
@RestController
// @RequestMapping("/persons")
// Alle paden (In Postman) beginnen met /persons - Change base URL to: http://localhost:8080/persons - Optioneel: Onder @RestController plaatsen
public class TelevisionsController {
// De lijst is static, omdat er maar 1 lijst kan zijn.
// De lijst is final, omdat de lijst op zich niet kan veranderen, enkel de waardes die er in staan.
private static final List<String> televisionDatabase = new ArrayList<>();
// Show all televisions
@GetMapping("/televisions")
public ResponseEntity<Object> getAllTelevisions() { // Of ResponseEntity<String>
// return "Televisions"; werkt ook
// return ResponseEntity.ok(televisionDatabase);
return new ResponseEntity<>(televisionDatabase, HttpStatus.OK); // 200 OK
}
// Show 1 television
@GetMapping("televisions/{id}")
public ResponseEntity<Object> getTelevision(@PathVariable("id") int id) { // Verschil met: @PathVariable int id?
// return ResponseEntity.ok("television with id: " + id);
// Return de waarde die op index(id) staat en een 200 status
// Wanneer de gebruiker een request doet met id=300, maar de lijst heeft maar 3 items.
// Dan gooit java een IndexOutOfBoundsException. De bonus methode in de ExceptionController vangt dit op en stuurt de gebruiker een berichtje.
return new ResponseEntity<>(televisionDatabase.get(id), HttpStatus.OK);
}
// Post/create 1 television
@PostMapping("/televisions")
public ResponseEntity<String> addTelevision(@RequestBody String television) { // Of ResponseEntity<Object>
// return ResponseEntity.created(null).body("television"); - Oude manier van noteren?
// Bonus bonus: check voor 20 letters:
if (television.length() > 20) {
throw new TelevisionNameTooLongException("Televisienaam is te lang");
} else {
// Voeg de televisie uit de parameter toe aan de lijst
televisionDatabase.add(television);
// Return de televisie uit de parameter met een 201 status
// return ResponseEntity.created(null).body(television);
return new ResponseEntity<>("Television: " + television + " added.", HttpStatus.CREATED); // 201
}
}
// Update television
@PutMapping("/televisions/{id}")
public ResponseEntity<Object> updateTelevision(@PathVariable int id, @RequestBody String television) {
// In de vorige methodes hebben we impliciet gebruik gemaakt van "IndexOUtOfBoundsException" als het id groter was dan de lijst.
// In deze methode checken we daar expliciet voor en gooien we een custom exception op.
if (televisionDatabase.isEmpty() || id > televisionDatabase.size()) {
throw new RecordNotFoundException("Record met id: " + id + " niet gevonden in de database.");
} else {
// Vervang de waarde op index(id) met de television uit de parameter
televisionDatabase.set(id, television);
// Return een 204 status
// return ResponseEntity.noContent().build();
return new ResponseEntity<>(television + " with id#" + id + " updated!", HttpStatus.OK);
}
}
@DeleteMapping("/televisions/{id}")
public ResponseEntity<Object> deleteTelevision(@PathVariable int id) {
// Vervang de waarde op index(id) met null. Als we de waarde zouden verwijderen, zouden alle indexen die na deze waarden komen in de lijst met 1 afnemen.
televisionDatabase.set(id, null); // Ipv remove()? Geeft een entry met null in de ArrayList
// televisionDatabase.remove(id);
// return new ResponseEntity<>("deleted", HttpStatus.NO_CONTENT); // Met 204 No Content kun je geen bericht mee sturen
return new ResponseEntity<>("Television: " + id + " deleted.", HttpStatus.GONE); // 410 Gone
}
} | Aphelion-im/Les-10-uitwerking-opdracht-backend-spring-boot-tech-it-easy-controller | src/main/java/nl/novi/techiteasy/controllers/TelevisionsController.java | 1,170 | // Return een 204 status | line_comment | nl | package nl.novi.techiteasy.controllers;
import nl.novi.techiteasy.exceptions.RecordNotFoundException;
import nl.novi.techiteasy.exceptions.TelevisionNameTooLongException;
import org.springframework.http.HttpStatus;
import org.springframework.http.ResponseEntity;
import org.springframework.web.bind.annotation.*;
import java.util.ArrayList;
import java.util.List;
@RestController
// @RequestMapping("/persons")
// Alle paden (In Postman) beginnen met /persons - Change base URL to: http://localhost:8080/persons - Optioneel: Onder @RestController plaatsen
public class TelevisionsController {
// De lijst is static, omdat er maar 1 lijst kan zijn.
// De lijst is final, omdat de lijst op zich niet kan veranderen, enkel de waardes die er in staan.
private static final List<String> televisionDatabase = new ArrayList<>();
// Show all televisions
@GetMapping("/televisions")
public ResponseEntity<Object> getAllTelevisions() { // Of ResponseEntity<String>
// return "Televisions"; werkt ook
// return ResponseEntity.ok(televisionDatabase);
return new ResponseEntity<>(televisionDatabase, HttpStatus.OK); // 200 OK
}
// Show 1 television
@GetMapping("televisions/{id}")
public ResponseEntity<Object> getTelevision(@PathVariable("id") int id) { // Verschil met: @PathVariable int id?
// return ResponseEntity.ok("television with id: " + id);
// Return de waarde die op index(id) staat en een 200 status
// Wanneer de gebruiker een request doet met id=300, maar de lijst heeft maar 3 items.
// Dan gooit java een IndexOutOfBoundsException. De bonus methode in de ExceptionController vangt dit op en stuurt de gebruiker een berichtje.
return new ResponseEntity<>(televisionDatabase.get(id), HttpStatus.OK);
}
// Post/create 1 television
@PostMapping("/televisions")
public ResponseEntity<String> addTelevision(@RequestBody String television) { // Of ResponseEntity<Object>
// return ResponseEntity.created(null).body("television"); - Oude manier van noteren?
// Bonus bonus: check voor 20 letters:
if (television.length() > 20) {
throw new TelevisionNameTooLongException("Televisienaam is te lang");
} else {
// Voeg de televisie uit de parameter toe aan de lijst
televisionDatabase.add(television);
// Return de televisie uit de parameter met een 201 status
// return ResponseEntity.created(null).body(television);
return new ResponseEntity<>("Television: " + television + " added.", HttpStatus.CREATED); // 201
}
}
// Update television
@PutMapping("/televisions/{id}")
public ResponseEntity<Object> updateTelevision(@PathVariable int id, @RequestBody String television) {
// In de vorige methodes hebben we impliciet gebruik gemaakt van "IndexOUtOfBoundsException" als het id groter was dan de lijst.
// In deze methode checken we daar expliciet voor en gooien we een custom exception op.
if (televisionDatabase.isEmpty() || id > televisionDatabase.size()) {
throw new RecordNotFoundException("Record met id: " + id + " niet gevonden in de database.");
} else {
// Vervang de waarde op index(id) met de television uit de parameter
televisionDatabase.set(id, television);
// Return een<SUF>
// return ResponseEntity.noContent().build();
return new ResponseEntity<>(television + " with id#" + id + " updated!", HttpStatus.OK);
}
}
@DeleteMapping("/televisions/{id}")
public ResponseEntity<Object> deleteTelevision(@PathVariable int id) {
// Vervang de waarde op index(id) met null. Als we de waarde zouden verwijderen, zouden alle indexen die na deze waarden komen in de lijst met 1 afnemen.
televisionDatabase.set(id, null); // Ipv remove()? Geeft een entry met null in de ArrayList
// televisionDatabase.remove(id);
// return new ResponseEntity<>("deleted", HttpStatus.NO_CONTENT); // Met 204 No Content kun je geen bericht mee sturen
return new ResponseEntity<>("Television: " + id + " deleted.", HttpStatus.GONE); // 410 Gone
}
} | false | 954 | 8 | 1,077 | 8 | 1,010 | 8 | 1,077 | 8 | 1,185 | 8 | false | false | false | false | false | true |
1,513 | 159109_0 | package com.ugent.pidgeon.postgre.models;
import java.io.Serializable;
// Hulpklasse zodat de repository correct met meerdere primary keys kan werken.
public class GroupUserId implements Serializable {
private long groupId;
private long userId;
public GroupUserId(long groupId, long userId) {
this.groupId = groupId;
this.userId = userId;
}
public GroupUserId() {
}
public long getGroupId() {
return groupId;
}
public void setGroupId(long groupId) {
this.groupId = groupId;
}
public long getUserId() {
return userId;
}
public void setUserId(long userId) {
this.userId = userId;
}
}
| SELab-2/UGent-6 | backend/app/src/main/java/com/ugent/pidgeon/postgre/models/GroupUserId.java | 207 | // Hulpklasse zodat de repository correct met meerdere primary keys kan werken. | line_comment | nl | package com.ugent.pidgeon.postgre.models;
import java.io.Serializable;
// Hulpklasse zodat<SUF>
public class GroupUserId implements Serializable {
private long groupId;
private long userId;
public GroupUserId(long groupId, long userId) {
this.groupId = groupId;
this.userId = userId;
}
public GroupUserId() {
}
public long getGroupId() {
return groupId;
}
public void setGroupId(long groupId) {
this.groupId = groupId;
}
public long getUserId() {
return userId;
}
public void setUserId(long userId) {
this.userId = userId;
}
}
| false | 150 | 21 | 166 | 20 | 178 | 15 | 166 | 20 | 215 | 21 | false | false | false | false | false | true |
3,450 | 198500_1 | public class Main {
public static void main(String[] args) {
String string_voorbeeld = "Dit is een voorbeeld";
String string_hello_world = "hello world";
boolean boolean_true = true;
int int_four = 4;
short short_minus_eight = -8;
float float_six_point_five = 6.5f;
double double_minus_two_point_three = 2.3d;
// Wijzig niets aan onderstaande System.out.println statements
System.out.println(string_voorbeeld); // String Dit is een voorbeeld
System.out.println(string_hello_world); // String hello world
System.out.println(boolean_true); // boolean true
System.out.println(int_four); // int 4
System.out.println(short_minus_eight); // short -8
System.out.println(float_six_point_five); // float 6.5
System.out.println(double_minus_two_point_three); // double -2.3
// Bonus: Wijs een nieuwe waarde toe aan een bestaande variabele
string_voorbeeld = "Dit is een aangepast voorbeeld";
System.out.println(string_voorbeeld); // String Dit is een aangepast voorbeeld
}
}
| lcryan/lostVariables | src/main/java/Main.java | 334 | // String Dit is een voorbeeld | line_comment | nl | public class Main {
public static void main(String[] args) {
String string_voorbeeld = "Dit is een voorbeeld";
String string_hello_world = "hello world";
boolean boolean_true = true;
int int_four = 4;
short short_minus_eight = -8;
float float_six_point_five = 6.5f;
double double_minus_two_point_three = 2.3d;
// Wijzig niets aan onderstaande System.out.println statements
System.out.println(string_voorbeeld); // String Dit<SUF>
System.out.println(string_hello_world); // String hello world
System.out.println(boolean_true); // boolean true
System.out.println(int_four); // int 4
System.out.println(short_minus_eight); // short -8
System.out.println(float_six_point_five); // float 6.5
System.out.println(double_minus_two_point_three); // double -2.3
// Bonus: Wijs een nieuwe waarde toe aan een bestaande variabele
string_voorbeeld = "Dit is een aangepast voorbeeld";
System.out.println(string_voorbeeld); // String Dit is een aangepast voorbeeld
}
}
| false | 269 | 7 | 324 | 9 | 310 | 6 | 324 | 9 | 342 | 7 | false | false | false | false | false | true |
2,929 | 62352_0 | package be.kuleuven.jchr.runtime.primitive;_x000D_
_x000D_
import java.util.Iterator;_x000D_
_x000D_
import be.kuleuven.jchr.runtime.Constraint;_x000D_
import be.kuleuven.jchr.runtime.FailureException;_x000D_
_x000D_
_x000D_
public class IntEqualitySolverImpl implements IntEqualitySolver {_x000D_
_x000D_
public void tellEqual(LogicalInt X, int value) {_x000D_
final LogicalInt Xrepr = X.find();_x000D_
final boolean oldHasValue = Xrepr.hasValue;_x000D_
_x000D_
if (oldHasValue) {_x000D_
if (Xrepr.value != value)_x000D_
throw new FailureException("Cannot make equal " + Xrepr.value + " != " + value);_x000D_
}_x000D_
else {_x000D_
Xrepr.value = value;_x000D_
Xrepr.hasValue = true;_x000D_
_x000D_
Xrepr.rehashAll();_x000D_
_x000D_
final Iterator<Constraint> observers = Xrepr.variableObservers.iterator();_x000D_
while (observers.hasNext()) _x000D_
observers.next().reactivate(); /* notify */_x000D_
}_x000D_
}_x000D_
_x000D_
// TODO :: deze extra indirectie kan uiteraard weg in uiteindelijk versie..._x000D_
public void tellEqual(int val, LogicalInt X) {_x000D_
tellEqual(X, val);_x000D_
}_x000D_
_x000D_
public void tellEqual(LogicalInt X, LogicalInt Y) {_x000D_
final LogicalInt Xrepr = X.find();_x000D_
final LogicalInt Yrepr = Y.find();_x000D_
_x000D_
if (Xrepr != Yrepr) {_x000D_
final boolean _x000D_
XhasValue = Xrepr.hasValue, _x000D_
YhasValue = Yrepr.hasValue;_x000D_
_x000D_
final int Xrank = Xrepr.rank;_x000D_
int Yrank = Yrepr.rank;_x000D_
_x000D_
if (Xrank >= Yrank) {_x000D_
Yrepr.parent = Xrepr;_x000D_
if (Xrank == Yrank) Xrepr.rank++;_x000D_
_x000D_
if (! XhasValue) {_x000D_
if (YhasValue) {_x000D_
Xrepr.value = Yrepr.value;_x000D_
Xrepr.hasValue = true;_x000D_
Xrepr.rehashAll();_x000D_
}_x000D_
} else /* XhasValue */ {_x000D_
if (YhasValue && Xrepr.value != Yrepr.value)_x000D_
throw new FailureException("Cannot make equal " _x000D_
+ Xrepr.value + " != " + Yrepr.value);_x000D_
}_x000D_
_x000D_
if (Yrepr.hashObservers != null) {_x000D_
Xrepr.mergeHashObservers(Yrepr.hashObservers);_x000D_
Yrepr.hashObservers = null;_x000D_
}_x000D_
_x000D_
Xrepr.variableObservers.mergeWith(Yrepr.variableObservers);_x000D_
Yrepr.variableObservers = null;_x000D_
_x000D_
final Iterator<Constraint> observers = Xrepr.variableObservers.iterator();_x000D_
while (observers.hasNext()) _x000D_
observers.next().reactivate(); /* notify */_x000D_
}_x000D_
else {_x000D_
Xrepr.parent = Yrepr;_x000D_
_x000D_
if (! YhasValue) {_x000D_
if (XhasValue) {_x000D_
Yrepr.value = Xrepr.value;_x000D_
Yrepr.hasValue = true;_x000D_
_x000D_
Yrepr.rehashAll();_x000D_
}_x000D_
} else /* YhasValue */ {_x000D_
if (XhasValue & Xrepr.value != Yrepr.value)_x000D_
throw new FailureException("Cannot make equal " _x000D_
+ Xrepr.value + " != " + Yrepr.value);_x000D_
}_x000D_
_x000D_
if (Xrepr.hashObservers != null) {_x000D_
Yrepr.mergeHashObservers(Xrepr.hashObservers);_x000D_
Xrepr.hashObservers = null;_x000D_
}_x000D_
_x000D_
Yrepr.variableObservers.mergeWith(Xrepr.variableObservers); _x000D_
Xrepr.variableObservers = null;_x000D_
_x000D_
final Iterator<Constraint> observers = Yrepr.variableObservers.iterator();_x000D_
while (observers.hasNext()) _x000D_
observers.next().reactivate(); /* notify */_x000D_
}_x000D_
}_x000D_
}_x000D_
_x000D_
public boolean askEqual(LogicalInt X, int value) {_x000D_
final LogicalInt representative = X.find();_x000D_
return representative.hasValue && representative.value == value;_x000D_
}_x000D_
_x000D_
public boolean askEqual(int value, LogicalInt X) {_x000D_
final LogicalInt representative = X.find();_x000D_
return representative.hasValue && representative.value == value;_x000D_
}_x000D_
_x000D_
public boolean askEqual(LogicalInt X, LogicalInt Y) {_x000D_
final LogicalInt Xrepr = X.find();_x000D_
final LogicalInt Yrepr = Y.find();_x000D_
_x000D_
return (Xrepr == Yrepr) _x000D_
|| (Xrepr.hasValue && Yrepr.hasValue && Xrepr.value == Yrepr.value);_x000D_
}_x000D_
} | hendrikvanantwerpen/jchr | src/be/kuleuven/jchr/runtime/primitive/IntEqualitySolverImpl.java | 1,333 | // TODO :: deze extra indirectie kan uiteraard weg in uiteindelijk versie..._x000D_ | line_comment | nl | package be.kuleuven.jchr.runtime.primitive;_x000D_
_x000D_
import java.util.Iterator;_x000D_
_x000D_
import be.kuleuven.jchr.runtime.Constraint;_x000D_
import be.kuleuven.jchr.runtime.FailureException;_x000D_
_x000D_
_x000D_
public class IntEqualitySolverImpl implements IntEqualitySolver {_x000D_
_x000D_
public void tellEqual(LogicalInt X, int value) {_x000D_
final LogicalInt Xrepr = X.find();_x000D_
final boolean oldHasValue = Xrepr.hasValue;_x000D_
_x000D_
if (oldHasValue) {_x000D_
if (Xrepr.value != value)_x000D_
throw new FailureException("Cannot make equal " + Xrepr.value + " != " + value);_x000D_
}_x000D_
else {_x000D_
Xrepr.value = value;_x000D_
Xrepr.hasValue = true;_x000D_
_x000D_
Xrepr.rehashAll();_x000D_
_x000D_
final Iterator<Constraint> observers = Xrepr.variableObservers.iterator();_x000D_
while (observers.hasNext()) _x000D_
observers.next().reactivate(); /* notify */_x000D_
}_x000D_
}_x000D_
_x000D_
// TODO ::<SUF>
public void tellEqual(int val, LogicalInt X) {_x000D_
tellEqual(X, val);_x000D_
}_x000D_
_x000D_
public void tellEqual(LogicalInt X, LogicalInt Y) {_x000D_
final LogicalInt Xrepr = X.find();_x000D_
final LogicalInt Yrepr = Y.find();_x000D_
_x000D_
if (Xrepr != Yrepr) {_x000D_
final boolean _x000D_
XhasValue = Xrepr.hasValue, _x000D_
YhasValue = Yrepr.hasValue;_x000D_
_x000D_
final int Xrank = Xrepr.rank;_x000D_
int Yrank = Yrepr.rank;_x000D_
_x000D_
if (Xrank >= Yrank) {_x000D_
Yrepr.parent = Xrepr;_x000D_
if (Xrank == Yrank) Xrepr.rank++;_x000D_
_x000D_
if (! XhasValue) {_x000D_
if (YhasValue) {_x000D_
Xrepr.value = Yrepr.value;_x000D_
Xrepr.hasValue = true;_x000D_
Xrepr.rehashAll();_x000D_
}_x000D_
} else /* XhasValue */ {_x000D_
if (YhasValue && Xrepr.value != Yrepr.value)_x000D_
throw new FailureException("Cannot make equal " _x000D_
+ Xrepr.value + " != " + Yrepr.value);_x000D_
}_x000D_
_x000D_
if (Yrepr.hashObservers != null) {_x000D_
Xrepr.mergeHashObservers(Yrepr.hashObservers);_x000D_
Yrepr.hashObservers = null;_x000D_
}_x000D_
_x000D_
Xrepr.variableObservers.mergeWith(Yrepr.variableObservers);_x000D_
Yrepr.variableObservers = null;_x000D_
_x000D_
final Iterator<Constraint> observers = Xrepr.variableObservers.iterator();_x000D_
while (observers.hasNext()) _x000D_
observers.next().reactivate(); /* notify */_x000D_
}_x000D_
else {_x000D_
Xrepr.parent = Yrepr;_x000D_
_x000D_
if (! YhasValue) {_x000D_
if (XhasValue) {_x000D_
Yrepr.value = Xrepr.value;_x000D_
Yrepr.hasValue = true;_x000D_
_x000D_
Yrepr.rehashAll();_x000D_
}_x000D_
} else /* YhasValue */ {_x000D_
if (XhasValue & Xrepr.value != Yrepr.value)_x000D_
throw new FailureException("Cannot make equal " _x000D_
+ Xrepr.value + " != " + Yrepr.value);_x000D_
}_x000D_
_x000D_
if (Xrepr.hashObservers != null) {_x000D_
Yrepr.mergeHashObservers(Xrepr.hashObservers);_x000D_
Xrepr.hashObservers = null;_x000D_
}_x000D_
_x000D_
Yrepr.variableObservers.mergeWith(Xrepr.variableObservers); _x000D_
Xrepr.variableObservers = null;_x000D_
_x000D_
final Iterator<Constraint> observers = Yrepr.variableObservers.iterator();_x000D_
while (observers.hasNext()) _x000D_
observers.next().reactivate(); /* notify */_x000D_
}_x000D_
}_x000D_
}_x000D_
_x000D_
public boolean askEqual(LogicalInt X, int value) {_x000D_
final LogicalInt representative = X.find();_x000D_
return representative.hasValue && representative.value == value;_x000D_
}_x000D_
_x000D_
public boolean askEqual(int value, LogicalInt X) {_x000D_
final LogicalInt representative = X.find();_x000D_
return representative.hasValue && representative.value == value;_x000D_
}_x000D_
_x000D_
public boolean askEqual(LogicalInt X, LogicalInt Y) {_x000D_
final LogicalInt Xrepr = X.find();_x000D_
final LogicalInt Yrepr = Y.find();_x000D_
_x000D_
return (Xrepr == Yrepr) _x000D_
|| (Xrepr.hasValue && Yrepr.hasValue && Xrepr.value == Yrepr.value);_x000D_
}_x000D_
} | false | 1,707 | 28 | 1,803 | 30 | 1,903 | 23 | 1,803 | 30 | 2,112 | 28 | false | false | false | false | false | true |
1,038 | 34549_0 | /**
* Deze klassen is een Java programma
* @author Jan Willem Cornelis
* @version 1.0
*/
package Oef8;
import java.lang.*;
public class PartTimeWerknemer extends Werknemer {
public int urenGewerkt;
public PartTimeWerknemer(String voornaam, String achternaam, int wNummer, float salaris, int urenGewerkt){
super(voornaam, achternaam, wNummer, salaris);
this.urenGewerkt = urenGewerkt;
}
public float getWeekLoon(){
return this.salaris + this.urenGewerkt;
}
@Override
public void salarisVerhogen(int percentage){
if(percentage > 5){
percentage = 5;
}
float verhogingsfactor = (float) percentage/100;
salaris += salaris * verhogingsfactor;
}
}
| MTA-Digital-Broadcast-2/U-Cornelis-Jan-van-Ruiten-Oscar-Alexander-Project-MHP | Jan Cornelis/blz31/Oef8/PartTimeWerknemer.java | 255 | /**
* Deze klassen is een Java programma
* @author Jan Willem Cornelis
* @version 1.0
*/ | block_comment | nl | /**
* Deze klassen is<SUF>*/
package Oef8;
import java.lang.*;
public class PartTimeWerknemer extends Werknemer {
public int urenGewerkt;
public PartTimeWerknemer(String voornaam, String achternaam, int wNummer, float salaris, int urenGewerkt){
super(voornaam, achternaam, wNummer, salaris);
this.urenGewerkt = urenGewerkt;
}
public float getWeekLoon(){
return this.salaris + this.urenGewerkt;
}
@Override
public void salarisVerhogen(int percentage){
if(percentage > 5){
percentage = 5;
}
float verhogingsfactor = (float) percentage/100;
salaris += salaris * verhogingsfactor;
}
}
| false | 221 | 28 | 238 | 33 | 228 | 28 | 238 | 33 | 254 | 30 | false | false | false | false | false | true |
324 | 7818_1 | public class Customer {
String name;
String lastName;
int customerNumber;
CreditCard creditCard;
//A constructor
//? Waarom 4 argumente as maar 3 parameters? Waarom gebruik 'this' sonder 'n punt?
public Customer(String name, String lastName, CreditCard creditCard) {
this(name, lastName, (int)(Math.random() * 100), creditCard);
}
//A constructor
public Customer(String name, String lastName, int customerNumber, CreditCard creditCard) {
this.name = name;
this.lastName = lastName;
this.customerNumber = customerNumber;
this.creditCard = creditCard;
}
public void printName() {
System.out.println("Customer " + name);
}
//? Waarom word metode hier gedeclareerd en niet in Creditcard zelf?
public CreditCard getCreditCard() {
return creditCard;
}
}
| Chrisbuildit/Java-CreditCard-Class-inheritance | src/main/java/Customer.java | 247 | //? Waarom word metode hier gedeclareerd en niet in Creditcard zelf? | line_comment | nl | public class Customer {
String name;
String lastName;
int customerNumber;
CreditCard creditCard;
//A constructor
//? Waarom 4 argumente as maar 3 parameters? Waarom gebruik 'this' sonder 'n punt?
public Customer(String name, String lastName, CreditCard creditCard) {
this(name, lastName, (int)(Math.random() * 100), creditCard);
}
//A constructor
public Customer(String name, String lastName, int customerNumber, CreditCard creditCard) {
this.name = name;
this.lastName = lastName;
this.customerNumber = customerNumber;
this.creditCard = creditCard;
}
public void printName() {
System.out.println("Customer " + name);
}
//? Waarom<SUF>
public CreditCard getCreditCard() {
return creditCard;
}
}
| false | 206 | 20 | 217 | 20 | 228 | 16 | 217 | 20 | 259 | 21 | false | false | false | false | false | true |
1,552 | 46305_6 | package com.wordflip.api.controllers;
import com.wordflip.api.SqlCreator;
import com.wordflip.api.models.*;
import org.springframework.http.HttpStatus;
import org.springframework.http.ResponseEntity;
import org.springframework.web.bind.annotation.*;
import org.joda.time.Days;
import java.text.ParseException;
import java.util.ArrayList;
import java.util.List;
import static java.lang.StrictMath.ceil;
/**
* Created by robvangastel on 27/05/16.
*/
@RestController
@RequestMapping("/{userId}/tip")
public class TipController {
private SqlCreator creator = new SqlCreator();
@RequestMapping(value = "/practice", method = RequestMethod.GET)
public ResponseEntity<List<Practice>> allPractices(@PathVariable String userId) {
creator = new SqlCreator();
validateUser(userId);
List<Practice> practices = creator.getPractices(userId);
return new ResponseEntity<List<Practice>>(practices, HttpStatus.OK);
}
@RequestMapping(value = "/rating", method = RequestMethod.GET)
public int getToetsRating(@PathVariable String userId,
@RequestParam(value="course", defaultValue="Engels") String course) {
creator = new SqlCreator();
validateUser(userId);
int correctie = 0;
int toetsId = creator.getToetsId(course, Integer.parseInt(userId));
List<Practice> practices = creator.getToetsPractices(toetsId);
for(int i = 0; i < practices.size(); i++) {
correctie += practices.get(i).compareCorrectToets();
}
double rating = correctie/practices.size();
return (int) ceil(rating);
}
@RequestMapping( method = RequestMethod.GET)
public TipVanDeDag tip(@PathVariable String userId) {
creator = new SqlCreator();
validateUser(userId);
List<Practice> practices = creator.getPractices(userId);
List<Practice> practicesOther = creator.getOtherPractices(userId);
int speed = 0;
// int speedOther = 1;
int correctie = 0;
// int correctieOther = 1;
int consistent = 0;
int consistent_dayParts = 0;
// for(int i = 0; i < practicesOther.size(); i++) {
// speedOther += practicesOther.get(i).compareSpeed();
// correctieOther += practicesOther.get(i).compareCorrect();
// }
for(int i = 0; i < practices.size(); i++) {
speed += practices.get(i).compareSpeed();
correctie += practices.get(i).compareCorrect();
if(i+1 >= practices.size()) {
break;
}
if(practices.get(i).compareDates(practices.get(i+1)) > 2) {
consistent++;
}
consistent_dayParts += practices.get(i).compareDayParts(practices.get(i+1));
}
return new Tip().getTip((speed/practices.size()), (correctie/practices.size()), consistent, (consistent_dayParts/practices.size()),
practices.size());
//(speedOther/practicesOther.size()), (correctieOther/practices.size())
}
@RequestMapping(method = RequestMethod.POST)
public void addPractice(@PathVariable String userId,
@RequestParam(value="toets_id", defaultValue="1") String toets_id,
@RequestParam(value="amount", defaultValue="8") int amount,
@RequestParam(value="mistakes", defaultValue="0") int mistakes,
@RequestParam(value="duration", defaultValue="120") int duration,
@RequestParam(value="planned", defaultValue="false") boolean planned) throws ParseException {
creator = new SqlCreator();
validateUser(userId);
creator.addPractice(new Practice(duration, amount, mistakes, planned), userId, toets_id);
}
//welke dag van de tijd geleerd en aantal
@RequestMapping(value = "/times", method = RequestMethod.GET)
public ResponseEntity<List<DayPart>> getMoments(@PathVariable String userId) throws ParseException {
creator = new SqlCreator();
validateUser(userId);
List<DayPart> dayParts = getDayParts(creator.getPractices(userId));
return new ResponseEntity<>(dayParts, HttpStatus.OK);
}
//momenten geleerd volgens de de app met aantal wel en niet
@RequestMapping(value = "/moments", method = RequestMethod.GET)
public Moment getTimes(@PathVariable String userId) throws ParseException {
creator = new SqlCreator();
validateUser(userId);
List<Practice> practices = creator.getPractices(userId);
Moment m = new Moment(practices.size(), 0);
for(Practice p: practices) {
if(p.isPlanned()) {
m.appendPlanned(1);
}
}
return m;
}
//Snelheid van de geleerde woordjes met aantal binnen welke snelheid
@RequestMapping(value = "/speed", method = RequestMethod.GET)
public ResponseEntity<List<Word>> getSubjects(@PathVariable String userId) throws ParseException {
creator = new SqlCreator();
validateUser(userId);
List<Word> Speed = getAmountWords(creator.getPractices(userId));
return new ResponseEntity<>(Speed, HttpStatus.OK);
}
//Aantal leermomenten voor elke woorden met aantal
@RequestMapping(value = "/subject", method = RequestMethod.GET)
public ResponseEntity<List<Subject>> getSpeed(@PathVariable String userId) throws ParseException {
creator = new SqlCreator();
validateUser(userId);
List<Subject> subjects = creator.getSubjectCount(userId);
return new ResponseEntity<>(subjects, HttpStatus.OK);
}
private void validateUser(String userId) {
creator = new SqlCreator();
if(!creator.validateUser(userId)) {
throw new UserNotFoundException(userId);
}
}
public List<DayPart> getDayParts(List<Practice> practices) {
List<DayPart> dayParts = new ArrayList<DayPart>();
DayPart ochtend = new DayPart(0,"'s ochtends");
DayPart middag = new DayPart(0,"'s middags");
DayPart avond = new DayPart(0,"'s avonds");
DayPart nacht = new DayPart(0,"'s nachts");
for (Practice p : practices) {
if (p.getHourOfDay() >= 5 && p.getHourOfDay() <= 12) {
ochtend.appendAmount(1);
} else if (p.getHourOfDay() >= 12 && p.getHourOfDay() <= 18) {
middag.appendAmount(1);
} else if (p.getHourOfDay() >= 18 && p.getHourOfDay() <= 24) {
avond.appendAmount(1);
} else if (p.getHourOfDay() >= 0 && p.getHourOfDay() <= 5) {
nacht.appendAmount(1);
}
}
dayParts.add(ochtend);
dayParts.add(middag);
dayParts.add(avond);
dayParts.add(nacht);
return dayParts;
}
public List<Word> getAmountWords(List<Practice> practices) {
List<Word> speed = new ArrayList<Word>();
Word sloom = new Word(0,"< 1 minuut");
Word matig = new Word(0,"> 1 minuut");
Word snel = new Word(0,"> 2 minuten");
for (Practice p : practices) {
if (p.compareSpeed() == -1) {
snel.appendAmount(1);
} else if (p.compareSpeed() == 0) {
matig.appendAmount(1);
} else if (p.compareSpeed() == 1) {
sloom.appendAmount(1);
}
}
speed.add(sloom);
speed.add(matig);
speed.add(snel);
return speed;
}
}
@ResponseStatus(HttpStatus.NOT_FOUND)
class UserNotFoundException extends RuntimeException {
public UserNotFoundException(String userId) {
super("could not find user '" + userId + "'.");
}
}
| SanderEveraers/SMPT32 | Application/api/src/main/java/com/wordflip/api/controllers/TipController.java | 2,320 | //welke dag van de tijd geleerd en aantal | line_comment | nl | package com.wordflip.api.controllers;
import com.wordflip.api.SqlCreator;
import com.wordflip.api.models.*;
import org.springframework.http.HttpStatus;
import org.springframework.http.ResponseEntity;
import org.springframework.web.bind.annotation.*;
import org.joda.time.Days;
import java.text.ParseException;
import java.util.ArrayList;
import java.util.List;
import static java.lang.StrictMath.ceil;
/**
* Created by robvangastel on 27/05/16.
*/
@RestController
@RequestMapping("/{userId}/tip")
public class TipController {
private SqlCreator creator = new SqlCreator();
@RequestMapping(value = "/practice", method = RequestMethod.GET)
public ResponseEntity<List<Practice>> allPractices(@PathVariable String userId) {
creator = new SqlCreator();
validateUser(userId);
List<Practice> practices = creator.getPractices(userId);
return new ResponseEntity<List<Practice>>(practices, HttpStatus.OK);
}
@RequestMapping(value = "/rating", method = RequestMethod.GET)
public int getToetsRating(@PathVariable String userId,
@RequestParam(value="course", defaultValue="Engels") String course) {
creator = new SqlCreator();
validateUser(userId);
int correctie = 0;
int toetsId = creator.getToetsId(course, Integer.parseInt(userId));
List<Practice> practices = creator.getToetsPractices(toetsId);
for(int i = 0; i < practices.size(); i++) {
correctie += practices.get(i).compareCorrectToets();
}
double rating = correctie/practices.size();
return (int) ceil(rating);
}
@RequestMapping( method = RequestMethod.GET)
public TipVanDeDag tip(@PathVariable String userId) {
creator = new SqlCreator();
validateUser(userId);
List<Practice> practices = creator.getPractices(userId);
List<Practice> practicesOther = creator.getOtherPractices(userId);
int speed = 0;
// int speedOther = 1;
int correctie = 0;
// int correctieOther = 1;
int consistent = 0;
int consistent_dayParts = 0;
// for(int i = 0; i < practicesOther.size(); i++) {
// speedOther += practicesOther.get(i).compareSpeed();
// correctieOther += practicesOther.get(i).compareCorrect();
// }
for(int i = 0; i < practices.size(); i++) {
speed += practices.get(i).compareSpeed();
correctie += practices.get(i).compareCorrect();
if(i+1 >= practices.size()) {
break;
}
if(practices.get(i).compareDates(practices.get(i+1)) > 2) {
consistent++;
}
consistent_dayParts += practices.get(i).compareDayParts(practices.get(i+1));
}
return new Tip().getTip((speed/practices.size()), (correctie/practices.size()), consistent, (consistent_dayParts/practices.size()),
practices.size());
//(speedOther/practicesOther.size()), (correctieOther/practices.size())
}
@RequestMapping(method = RequestMethod.POST)
public void addPractice(@PathVariable String userId,
@RequestParam(value="toets_id", defaultValue="1") String toets_id,
@RequestParam(value="amount", defaultValue="8") int amount,
@RequestParam(value="mistakes", defaultValue="0") int mistakes,
@RequestParam(value="duration", defaultValue="120") int duration,
@RequestParam(value="planned", defaultValue="false") boolean planned) throws ParseException {
creator = new SqlCreator();
validateUser(userId);
creator.addPractice(new Practice(duration, amount, mistakes, planned), userId, toets_id);
}
//welke dag<SUF>
@RequestMapping(value = "/times", method = RequestMethod.GET)
public ResponseEntity<List<DayPart>> getMoments(@PathVariable String userId) throws ParseException {
creator = new SqlCreator();
validateUser(userId);
List<DayPart> dayParts = getDayParts(creator.getPractices(userId));
return new ResponseEntity<>(dayParts, HttpStatus.OK);
}
//momenten geleerd volgens de de app met aantal wel en niet
@RequestMapping(value = "/moments", method = RequestMethod.GET)
public Moment getTimes(@PathVariable String userId) throws ParseException {
creator = new SqlCreator();
validateUser(userId);
List<Practice> practices = creator.getPractices(userId);
Moment m = new Moment(practices.size(), 0);
for(Practice p: practices) {
if(p.isPlanned()) {
m.appendPlanned(1);
}
}
return m;
}
//Snelheid van de geleerde woordjes met aantal binnen welke snelheid
@RequestMapping(value = "/speed", method = RequestMethod.GET)
public ResponseEntity<List<Word>> getSubjects(@PathVariable String userId) throws ParseException {
creator = new SqlCreator();
validateUser(userId);
List<Word> Speed = getAmountWords(creator.getPractices(userId));
return new ResponseEntity<>(Speed, HttpStatus.OK);
}
//Aantal leermomenten voor elke woorden met aantal
@RequestMapping(value = "/subject", method = RequestMethod.GET)
public ResponseEntity<List<Subject>> getSpeed(@PathVariable String userId) throws ParseException {
creator = new SqlCreator();
validateUser(userId);
List<Subject> subjects = creator.getSubjectCount(userId);
return new ResponseEntity<>(subjects, HttpStatus.OK);
}
private void validateUser(String userId) {
creator = new SqlCreator();
if(!creator.validateUser(userId)) {
throw new UserNotFoundException(userId);
}
}
public List<DayPart> getDayParts(List<Practice> practices) {
List<DayPart> dayParts = new ArrayList<DayPart>();
DayPart ochtend = new DayPart(0,"'s ochtends");
DayPart middag = new DayPart(0,"'s middags");
DayPart avond = new DayPart(0,"'s avonds");
DayPart nacht = new DayPart(0,"'s nachts");
for (Practice p : practices) {
if (p.getHourOfDay() >= 5 && p.getHourOfDay() <= 12) {
ochtend.appendAmount(1);
} else if (p.getHourOfDay() >= 12 && p.getHourOfDay() <= 18) {
middag.appendAmount(1);
} else if (p.getHourOfDay() >= 18 && p.getHourOfDay() <= 24) {
avond.appendAmount(1);
} else if (p.getHourOfDay() >= 0 && p.getHourOfDay() <= 5) {
nacht.appendAmount(1);
}
}
dayParts.add(ochtend);
dayParts.add(middag);
dayParts.add(avond);
dayParts.add(nacht);
return dayParts;
}
public List<Word> getAmountWords(List<Practice> practices) {
List<Word> speed = new ArrayList<Word>();
Word sloom = new Word(0,"< 1 minuut");
Word matig = new Word(0,"> 1 minuut");
Word snel = new Word(0,"> 2 minuten");
for (Practice p : practices) {
if (p.compareSpeed() == -1) {
snel.appendAmount(1);
} else if (p.compareSpeed() == 0) {
matig.appendAmount(1);
} else if (p.compareSpeed() == 1) {
sloom.appendAmount(1);
}
}
speed.add(sloom);
speed.add(matig);
speed.add(snel);
return speed;
}
}
@ResponseStatus(HttpStatus.NOT_FOUND)
class UserNotFoundException extends RuntimeException {
public UserNotFoundException(String userId) {
super("could not find user '" + userId + "'.");
}
}
| false | 1,713 | 11 | 2,038 | 16 | 2,011 | 11 | 2,038 | 16 | 2,452 | 12 | false | false | false | false | false | true |
1,625 | 8337_0 | package be.swsb.fiazard.ordering.orderplacement;
import be.swsb.fiazard.eventstore.AggregateRepository;
public class PlaceOrderCommandHandler {
private OrderFactory orderFactory;
private AggregateRepository aggregateRepository;
// TODO jozef+bktid: Bij CommandHandlers die eerst een aggregate moeten reconstrueren from eventstore
// gaan we een fail fast inbouwen die de versie van het readmodel (zie state op command) checkt tov de versie op de aggregate
public PlaceOrderCommandHandler(OrderFactory orderFactory, AggregateRepository aggregateRepository) {
this.orderFactory = orderFactory;
this.aggregateRepository = aggregateRepository;
}
public void handleCommand(PlaceOrderCommand command) {
Order newOrder = orderFactory.makeANewOrder(command);
aggregateRepository.saveAggregate(newOrder);
}
}
| SoftwareSandbox/Fiazard | src/main/java/be/swsb/fiazard/ordering/orderplacement/PlaceOrderCommandHandler.java | 219 | // TODO jozef+bktid: Bij CommandHandlers die eerst een aggregate moeten reconstrueren from eventstore | line_comment | nl | package be.swsb.fiazard.ordering.orderplacement;
import be.swsb.fiazard.eventstore.AggregateRepository;
public class PlaceOrderCommandHandler {
private OrderFactory orderFactory;
private AggregateRepository aggregateRepository;
// TODO jozef+bktid:<SUF>
// gaan we een fail fast inbouwen die de versie van het readmodel (zie state op command) checkt tov de versie op de aggregate
public PlaceOrderCommandHandler(OrderFactory orderFactory, AggregateRepository aggregateRepository) {
this.orderFactory = orderFactory;
this.aggregateRepository = aggregateRepository;
}
public void handleCommand(PlaceOrderCommand command) {
Order newOrder = orderFactory.makeANewOrder(command);
aggregateRepository.saveAggregate(newOrder);
}
}
| false | 182 | 25 | 210 | 29 | 200 | 21 | 210 | 29 | 233 | 25 | false | false | false | false | false | true |
1,660 | 64550_1 | package com.svenwesterlaken.gemeentebreda.data.api;
/**
* Created by lukab on 4-6-2017.
*/
import android.content.Context;
import com.android.volley.Cache;
import com.android.volley.Network;
import com.android.volley.Request;
import com.android.volley.RequestQueue;
import com.android.volley.toolbox.BasicNetwork;
import com.android.volley.toolbox.DiskBasedCache;
import com.android.volley.toolbox.HurlStack;
public class ReportRequestQueue {
private static ReportRequestQueue mInstance;
private RequestQueue mRequestQueue;
private static Context mCtx;
private ReportRequestQueue(Context context) {
mCtx = context.getApplicationContext();
mRequestQueue = getRequestQueue();
}
/**
* Static methode die één enkele instantie van deze class beheert.
*
* @param context
* @return
*/
public static synchronized ReportRequestQueue getInstance(Context context) {
if (mInstance == null) {
mInstance = new ReportRequestQueue(context);
}
return mInstance;
}
public RequestQueue getRequestQueue() {
if (mRequestQueue == null) {
Cache cache = new DiskBasedCache(mCtx.getCacheDir(), 10 * 1024 * 1024);
Network network = new BasicNetwork(new HurlStack());
mRequestQueue = new RequestQueue(cache, network);
mRequestQueue.start();
}
return mRequestQueue;
}
public <T> void addToRequestQueue(Request<T> req) {
getRequestQueue().add(req);
}
}
| SvenWesterlaken/gemeente-breda | app/src/main/java/com/svenwesterlaken/gemeentebreda/data/api/ReportRequestQueue.java | 446 | /**
* Static methode die één enkele instantie van deze class beheert.
*
* @param context
* @return
*/ | block_comment | nl | package com.svenwesterlaken.gemeentebreda.data.api;
/**
* Created by lukab on 4-6-2017.
*/
import android.content.Context;
import com.android.volley.Cache;
import com.android.volley.Network;
import com.android.volley.Request;
import com.android.volley.RequestQueue;
import com.android.volley.toolbox.BasicNetwork;
import com.android.volley.toolbox.DiskBasedCache;
import com.android.volley.toolbox.HurlStack;
public class ReportRequestQueue {
private static ReportRequestQueue mInstance;
private RequestQueue mRequestQueue;
private static Context mCtx;
private ReportRequestQueue(Context context) {
mCtx = context.getApplicationContext();
mRequestQueue = getRequestQueue();
}
/**
* Static methode die<SUF>*/
public static synchronized ReportRequestQueue getInstance(Context context) {
if (mInstance == null) {
mInstance = new ReportRequestQueue(context);
}
return mInstance;
}
public RequestQueue getRequestQueue() {
if (mRequestQueue == null) {
Cache cache = new DiskBasedCache(mCtx.getCacheDir(), 10 * 1024 * 1024);
Network network = new BasicNetwork(new HurlStack());
mRequestQueue = new RequestQueue(cache, network);
mRequestQueue.start();
}
return mRequestQueue;
}
public <T> void addToRequestQueue(Request<T> req) {
getRequestQueue().add(req);
}
}
| false | 342 | 35 | 403 | 34 | 407 | 34 | 403 | 34 | 462 | 40 | false | false | false | false | false | true |
1,060 | 178432_2 | package database;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Controller;
import org.springframework.ui.Model;
import org.springframework.web.bind.annotation.PathVariable;
import org.springframework.web.bind.annotation.RequestMapping;
@Controller
public class AccountRegistratie {
@Autowired
private AccountDao accountDao;
@SuppressWarnings("unused")
@Autowired
private PlayerDao playerDao;
/**
* Toon een overzicht van alle accounts
*/
@RequestMapping("/")
public String overzicht(Model model) {
model.addAttribute("accounts", accountDao.allAccounts());
return "frontpage";
}
/**
* Toon een detail-view van een enkele account
*/
@RequestMapping(value="/account/{id}")
public String detailView(@PathVariable String id, Model model){
Long key;
try{
key = Long.valueOf(id);
}
catch(NumberFormatException e){
// id is geen getal? error 404
return null;
}
Account account = accountDao.findAccount(key);
if(account == null){
// geen account met gegeven id? error 404
return null;
} else {
model.addAttribute("account", account);
return "detail";
}
}
/**
* Verwijdert gegeven account -- zonder om bevestiging te vragen ;)
*/
@RequestMapping(value="/delete/{id}")
public String deleteView(@PathVariable String id){
Long key;
try{
key = Long.valueOf(id);
}
catch(NumberFormatException e){
// id is geen getal? error 404
return null;
}
accountDao.remove(key);
return "redirect:/";
}
/*@RequestMapping(value="/register", method=RequestMethod.POST)
public String nieuw(String username, String password){
AccountDao.create(username, password);
return "redirect:/charactercreation";
}*/
}
| Mallechai/DarkFantasy2 | src/database/AccountRegistratie.java | 556 | // id is geen getal? error 404 | line_comment | nl | package database;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Controller;
import org.springframework.ui.Model;
import org.springframework.web.bind.annotation.PathVariable;
import org.springframework.web.bind.annotation.RequestMapping;
@Controller
public class AccountRegistratie {
@Autowired
private AccountDao accountDao;
@SuppressWarnings("unused")
@Autowired
private PlayerDao playerDao;
/**
* Toon een overzicht van alle accounts
*/
@RequestMapping("/")
public String overzicht(Model model) {
model.addAttribute("accounts", accountDao.allAccounts());
return "frontpage";
}
/**
* Toon een detail-view van een enkele account
*/
@RequestMapping(value="/account/{id}")
public String detailView(@PathVariable String id, Model model){
Long key;
try{
key = Long.valueOf(id);
}
catch(NumberFormatException e){
// id is<SUF>
return null;
}
Account account = accountDao.findAccount(key);
if(account == null){
// geen account met gegeven id? error 404
return null;
} else {
model.addAttribute("account", account);
return "detail";
}
}
/**
* Verwijdert gegeven account -- zonder om bevestiging te vragen ;)
*/
@RequestMapping(value="/delete/{id}")
public String deleteView(@PathVariable String id){
Long key;
try{
key = Long.valueOf(id);
}
catch(NumberFormatException e){
// id is geen getal? error 404
return null;
}
accountDao.remove(key);
return "redirect:/";
}
/*@RequestMapping(value="/register", method=RequestMethod.POST)
public String nieuw(String username, String password){
AccountDao.create(username, password);
return "redirect:/charactercreation";
}*/
}
| false | 410 | 12 | 511 | 13 | 506 | 12 | 511 | 13 | 603 | 12 | false | false | false | false | false | true |
943 | 69615_0 | package com.molvenolakeresort.restaurant.order;
import com.molvenolakeresort.restaurant.menu.MenuItem;
public class OrderItem {
// MenuItem
// Quantity
// dictionary zou hier al voldoen, maar met oog op de toekomst is dit beter
}
| KuroPSPiso/molveno | src/main/java/com/molvenolakeresort/restaurant/order/OrderItem.java | 81 | // dictionary zou hier al voldoen, maar met oog op de toekomst is dit beter | line_comment | nl | package com.molvenolakeresort.restaurant.order;
import com.molvenolakeresort.restaurant.menu.MenuItem;
public class OrderItem {
// MenuItem
// Quantity
// dictionary zou<SUF>
}
| false | 64 | 24 | 78 | 26 | 65 | 18 | 78 | 26 | 85 | 25 | false | false | false | false | false | true |
4,819 | 10249_4 | package be.kdg.tic_tac_toe.model;
import java.util.Objects;
public class Piece {
// vars aanmaken
private final Sort SORT;
private final int X;
private final int Y;
//constructor van de var
Piece(Sort sort, int y, int x) {
this.X = x;
this.Y = y;
this.SORT = sort;
}
public boolean equalsSort(Sort sort) {
//zorgt ervoor om te checken of dat teken het teken is dat ze zeggen wat het is
// als het null is is het zowiezo false
if (sort == null) {
//het kan nooit null zijn anders was der niks om mee te vergelijken daarom altijd false
return false;
} else {
//dikke sort is wat je bent en dat vergelijk je met de kleine sort wat er gevraagd word of je dat bent
//ben je die sort geef je true en dan kan het doorgaan
//ben je het niet dan stopt ie en gaat het spel verder --> false
return this.getSORT().equals(sort);
}
}
Sort getSORT() {
//de sort returnen die je bent
return SORT;
}
@Override
public int hashCode() {
//returned de uitgerekende hashcode
return Objects.hash(SORT, X, Y);
}
@Override
public boolean equals(Object o) {
//het is hetzelfde dus gelijk --> true
if (this == o) return true;
//als o null is is het zwz false en of als de klasse van o niet gelijk is aan de klasse van het opgegeven var
if (o == null || getClass() != o.getClass()) return false;
//nieuwe var en we weten dat het o is omdat we dat ervoor hebben gecheckt
Piece piece = (Piece) o;
// als de hashcode gelijk is dan zijn alle var ook gelijk aan elkaar
if (this.hashCode() == o.hashCode()) {
return X == piece.X && Y == piece.Y && SORT == piece.SORT;
}
return false;
}
@Override
public String toString() {
//een string van da gecheckte var teruggeven
return String.format("%s", this.getSORT());
}
}
| zouffke/TicTacToeFX | src/main/java/be/kdg/tic_tac_toe/model/Piece.java | 603 | //dikke sort is wat je bent en dat vergelijk je met de kleine sort wat er gevraagd word of je dat bent | line_comment | nl | package be.kdg.tic_tac_toe.model;
import java.util.Objects;
public class Piece {
// vars aanmaken
private final Sort SORT;
private final int X;
private final int Y;
//constructor van de var
Piece(Sort sort, int y, int x) {
this.X = x;
this.Y = y;
this.SORT = sort;
}
public boolean equalsSort(Sort sort) {
//zorgt ervoor om te checken of dat teken het teken is dat ze zeggen wat het is
// als het null is is het zowiezo false
if (sort == null) {
//het kan nooit null zijn anders was der niks om mee te vergelijken daarom altijd false
return false;
} else {
//dikke sort<SUF>
//ben je die sort geef je true en dan kan het doorgaan
//ben je het niet dan stopt ie en gaat het spel verder --> false
return this.getSORT().equals(sort);
}
}
Sort getSORT() {
//de sort returnen die je bent
return SORT;
}
@Override
public int hashCode() {
//returned de uitgerekende hashcode
return Objects.hash(SORT, X, Y);
}
@Override
public boolean equals(Object o) {
//het is hetzelfde dus gelijk --> true
if (this == o) return true;
//als o null is is het zwz false en of als de klasse van o niet gelijk is aan de klasse van het opgegeven var
if (o == null || getClass() != o.getClass()) return false;
//nieuwe var en we weten dat het o is omdat we dat ervoor hebben gecheckt
Piece piece = (Piece) o;
// als de hashcode gelijk is dan zijn alle var ook gelijk aan elkaar
if (this.hashCode() == o.hashCode()) {
return X == piece.X && Y == piece.Y && SORT == piece.SORT;
}
return false;
}
@Override
public String toString() {
//een string van da gecheckte var teruggeven
return String.format("%s", this.getSORT());
}
}
| false | 526 | 29 | 564 | 37 | 550 | 26 | 564 | 37 | 623 | 29 | false | false | false | false | false | true |
3,671 | 203255_0 | /*
* Copyright (c) 2020 De Staat der Nederlanden, Ministerie van Volksgezondheid, Welzijn en Sport.
* Licensed under the EUROPEAN UNION PUBLIC LICENCE v. 1.2
*
* SPDX-License-Identifier: EUPL-1.2
*
*/
package nl.rijksoverheid.dbco.util;
import android.util.Base64;
import java.nio.charset.StandardCharsets;
public class Obfuscator {
private static final byte OFFSET = -17;
/**
* Obfuscates the input into an unidentifiable text.
*
* @param input The string to hide the content of.
* @return The obfuscated string.
*/
public static String obfuscate(String input) {
// create bytes from the string
byte[] bytes = input.getBytes(StandardCharsets.UTF_8);
// offset
byte[] offsetted = new byte[bytes.length];
for (int i = 0; i < bytes.length; ++i) {
byte current = bytes[i];
if (current + OFFSET < 0) {
offsetted[i] = (byte) (0xff + (current + OFFSET));
} else {
offsetted[i] = (byte) (current + OFFSET);
}
}
// byte value and order invert
byte[] unordered = new byte[offsetted.length];
for (int i = 0; i < offsetted.length; ++i) {
unordered[unordered.length - i - 1] = (byte) (~offsetted[i] & 0xff);
}
// base64 encode
byte[] result = Base64.encode(unordered, Base64.DEFAULT);
return new String(result, StandardCharsets.UTF_8);
}
/**
* Deobfuscates the string using our own methods
*
* @param input The string to deobfuscate.
* @return The result, which should equal with the input string of the obfuscation method.
*/
public static String deObfuscate(String input) {
// Input should be first Base64 decoded.
byte[] base64Decoded = Base64.decode(input, Base64.DEFAULT);
// Bytes are inverted in value and also order
byte[] ordered = new byte[base64Decoded.length];
for (int i = 0; i < base64Decoded.length; ++i) {
ordered[ordered.length - i - 1] = (byte) (~base64Decoded[i] & 0xff);
}
// they also have an offset
byte[] result = new byte[ordered.length];
for (int i = 0; i < ordered.length; ++i) {
byte current = ordered[i];
if (current - OFFSET > 0xff) {
result[i] = (byte) (current - OFFSET - 0xff);
} else {
result[i] = (byte) (current - OFFSET);
}
}
return new String(result, StandardCharsets.UTF_8);
}
/**
* With this method you can test if the obfuscator truly works on any string.
*
* @param input The string to test.
* @return True if the obfuscator works.
*/
public static boolean test(String input) {
String probe = deObfuscate(obfuscate(input));
return input.equals(probe);
}
} | minvws/nl-covid19-dbco-app-android | app/src/main/java/nl/rijksoverheid/dbco/util/Obfuscator.java | 901 | /*
* Copyright (c) 2020 De Staat der Nederlanden, Ministerie van Volksgezondheid, Welzijn en Sport.
* Licensed under the EUROPEAN UNION PUBLIC LICENCE v. 1.2
*
* SPDX-License-Identifier: EUPL-1.2
*
*/ | block_comment | nl | /*
* Copyright (c) 2020<SUF>*/
package nl.rijksoverheid.dbco.util;
import android.util.Base64;
import java.nio.charset.StandardCharsets;
public class Obfuscator {
private static final byte OFFSET = -17;
/**
* Obfuscates the input into an unidentifiable text.
*
* @param input The string to hide the content of.
* @return The obfuscated string.
*/
public static String obfuscate(String input) {
// create bytes from the string
byte[] bytes = input.getBytes(StandardCharsets.UTF_8);
// offset
byte[] offsetted = new byte[bytes.length];
for (int i = 0; i < bytes.length; ++i) {
byte current = bytes[i];
if (current + OFFSET < 0) {
offsetted[i] = (byte) (0xff + (current + OFFSET));
} else {
offsetted[i] = (byte) (current + OFFSET);
}
}
// byte value and order invert
byte[] unordered = new byte[offsetted.length];
for (int i = 0; i < offsetted.length; ++i) {
unordered[unordered.length - i - 1] = (byte) (~offsetted[i] & 0xff);
}
// base64 encode
byte[] result = Base64.encode(unordered, Base64.DEFAULT);
return new String(result, StandardCharsets.UTF_8);
}
/**
* Deobfuscates the string using our own methods
*
* @param input The string to deobfuscate.
* @return The result, which should equal with the input string of the obfuscation method.
*/
public static String deObfuscate(String input) {
// Input should be first Base64 decoded.
byte[] base64Decoded = Base64.decode(input, Base64.DEFAULT);
// Bytes are inverted in value and also order
byte[] ordered = new byte[base64Decoded.length];
for (int i = 0; i < base64Decoded.length; ++i) {
ordered[ordered.length - i - 1] = (byte) (~base64Decoded[i] & 0xff);
}
// they also have an offset
byte[] result = new byte[ordered.length];
for (int i = 0; i < ordered.length; ++i) {
byte current = ordered[i];
if (current - OFFSET > 0xff) {
result[i] = (byte) (current - OFFSET - 0xff);
} else {
result[i] = (byte) (current - OFFSET);
}
}
return new String(result, StandardCharsets.UTF_8);
}
/**
* With this method you can test if the obfuscator truly works on any string.
*
* @param input The string to test.
* @return True if the obfuscator works.
*/
public static boolean test(String input) {
String probe = deObfuscate(obfuscate(input));
return input.equals(probe);
}
} | false | 743 | 70 | 800 | 84 | 839 | 71 | 800 | 84 | 924 | 86 | false | false | false | false | false | true |
2,977 | 11119_2 | import java.util.*;
// Deze klasse dient als naslagwerk en dient uiteindelijk verwijderd te worden voor je het huiswerk inlevert.
// In deze klasse staan de aanval methodes die je kunt gebruiken.
public class Methodes {
/*deze methode komt op meerdere plaatsen terug*/
List<String> getAttacks() {
return attacks;
}
/*De volgende 16 methodes zijn aanvallen*/
void surf(Pokemon name, Pokemon enemy);
void fireLash(Pokemon name, Pokemon enemy);
public void leafStorm(Pokemon name, Pokemon enemy);
void hydroPump(Pokemon name, Pokemon enemy);
void thunderPunch(Pokemon name, Pokemon enemy);
void electroBall(Pokemon name, Pokemon enemy);
public void solarBeam(Pokemon name, Pokemon enemy);
void flameThrower(Pokemon name, Pokemon enemy);
void hydroCanon(Pokemon name, Pokemon enemy);
void pyroBall(Pokemon name, Pokemon enemy);
void thunder(Pokemon name, Pokemon enemy);
void rainDance(Pokemon name, Pokemon enemy);
public void leechSeed(Pokemon name, Pokemon enemy);
public void leaveBlade(Pokemon name, Pokemon enemy);
void inferno(Pokemon name, Pokemon enemy);
void voltTackle(Pokemon name, Pokemon enemy);
}
| hogeschoolnovi/backend-java-pokemon-interface | src/Methodes.java | 379 | /*deze methode komt op meerdere plaatsen terug*/ | block_comment | nl | import java.util.*;
// Deze klasse dient als naslagwerk en dient uiteindelijk verwijderd te worden voor je het huiswerk inlevert.
// In deze klasse staan de aanval methodes die je kunt gebruiken.
public class Methodes {
/*deze methode komt<SUF>*/
List<String> getAttacks() {
return attacks;
}
/*De volgende 16 methodes zijn aanvallen*/
void surf(Pokemon name, Pokemon enemy);
void fireLash(Pokemon name, Pokemon enemy);
public void leafStorm(Pokemon name, Pokemon enemy);
void hydroPump(Pokemon name, Pokemon enemy);
void thunderPunch(Pokemon name, Pokemon enemy);
void electroBall(Pokemon name, Pokemon enemy);
public void solarBeam(Pokemon name, Pokemon enemy);
void flameThrower(Pokemon name, Pokemon enemy);
void hydroCanon(Pokemon name, Pokemon enemy);
void pyroBall(Pokemon name, Pokemon enemy);
void thunder(Pokemon name, Pokemon enemy);
void rainDance(Pokemon name, Pokemon enemy);
public void leechSeed(Pokemon name, Pokemon enemy);
public void leaveBlade(Pokemon name, Pokemon enemy);
void inferno(Pokemon name, Pokemon enemy);
void voltTackle(Pokemon name, Pokemon enemy);
}
| false | 292 | 14 | 316 | 17 | 295 | 10 | 316 | 17 | 405 | 15 | false | false | false | false | false | true |
2,965 | 25145_0 | package nl.novi.jp.methods.junior;
/**
* Uitdagende opdracht!
* Een stuk van de code is uitgecommentarieerd, omdat deze pas gaat werken, wanneer de methode doTransaction afgemaakt
* is.
*
* Maak doTransaction af. Deze moet twee waardes accepteren als input (bepaal zelf welke datatypes daarvoor logisch zijn).
* - Één waarde is het banksaldo voor de transactie,
* - de andere waarde is de waarde van de transactie.
*
* De andere methodes (main(), deposit() en withdraw()) hoeven niet aangepast te worden.
*
* Gebruik een if-statement om de logica van de methode op te schrijven:
* - Wanneer de waarde van de transactie negatief is, gaat het om het opnemen (withdraw) van geld. Dan dient de withdraw
* methode aangeroepen te worden.
* - Wanneer de waarde van de transactie positief is, gaat het om geld storten (deposit). Dan dient de deposit methode
* aangeroepen te worden.
*/
public class JuniorFour {
public static void main(String[] args) {
//doTransaction(1000, -200);
//doTransaction(123, 3445);
}
public static void doTransaction() {
}
public static void deposit(int bankAccountBalance, int amount) {
int updatedBalance = bankAccountBalance + amount;
System.out.println("The user deposits: " + amount + " euro.");
System.out.println("The new balance is: " + updatedBalance);
}
public static void withdraw(int bankAccountBalance, int amount) {
int updatedBalance = bankAccountBalance + amount;
System.out.println("The user withdraws " + amount + " euro.");
System.out.println("The new balance is: " + updatedBalance);
}
}
| hogeschoolnovi/SD-BE-JP-methods | src/nl/novi/jp/methods/junior/JuniorFour.java | 485 | /**
* Uitdagende opdracht!
* Een stuk van de code is uitgecommentarieerd, omdat deze pas gaat werken, wanneer de methode doTransaction afgemaakt
* is.
*
* Maak doTransaction af. Deze moet twee waardes accepteren als input (bepaal zelf welke datatypes daarvoor logisch zijn).
* - Één waarde is het banksaldo voor de transactie,
* - de andere waarde is de waarde van de transactie.
*
* De andere methodes (main(), deposit() en withdraw()) hoeven niet aangepast te worden.
*
* Gebruik een if-statement om de logica van de methode op te schrijven:
* - Wanneer de waarde van de transactie negatief is, gaat het om het opnemen (withdraw) van geld. Dan dient de withdraw
* methode aangeroepen te worden.
* - Wanneer de waarde van de transactie positief is, gaat het om geld storten (deposit). Dan dient de deposit methode
* aangeroepen te worden.
*/ | block_comment | nl | package nl.novi.jp.methods.junior;
/**
* Uitdagende opdracht!
<SUF>*/
public class JuniorFour {
public static void main(String[] args) {
//doTransaction(1000, -200);
//doTransaction(123, 3445);
}
public static void doTransaction() {
}
public static void deposit(int bankAccountBalance, int amount) {
int updatedBalance = bankAccountBalance + amount;
System.out.println("The user deposits: " + amount + " euro.");
System.out.println("The new balance is: " + updatedBalance);
}
public static void withdraw(int bankAccountBalance, int amount) {
int updatedBalance = bankAccountBalance + amount;
System.out.println("The user withdraws " + amount + " euro.");
System.out.println("The new balance is: " + updatedBalance);
}
}
| false | 431 | 247 | 489 | 280 | 433 | 218 | 489 | 280 | 521 | 280 | true | true | true | true | true | false |
102 | 169967_1 | package com.nhlstenden.amazonsimulatie.views;
import com.nhlstenden.amazonsimulatie.base.Command;
import org.springframework.web.socket.BinaryMessage;
import org.springframework.web.socket.WebSocketSession;
/*
* Deze class is de standaard websocketview. De class is een andere variant
* van een gewone view. Een "normale" view is meestal een schermpje op de PC,
* maar in dit geval is het wat de gebruiker ziet in de browser. Het behandelen
* van een webpagina als view zie je vaker wanneer je te maken hebt met
* serversystemen. In deze class wordt de WebSocketSession van de client opgeslagen,
* waarmee de view class kan communiceren met de browser.
*/
public class WebAppView implements View {
private WebSocketSession sesion;
private Command onClose;
public WebAppView(WebSocketSession sesion) {
this.sesion = sesion;
}
/*
* Deze methode wordt aangroepen vanuit de controller wanneer er een update voor
* de views is. Op elke view wordt dan de update methode aangroepen, welke een
* JSON pakketje maakt van de informatie die verstuurd moet worden. Deze JSON
* wordt naar de browser verstuurd, welke de informatie weer afhandeld.
*/
@Override
public void update(BinaryMessage bin) {
try {
if (this.sesion.isOpen()) {
this.sesion.sendMessage(bin);
} else {
this.onClose.execute();
}
} catch (Exception e) {
this.onClose.execute();
}
}
@Override
public void onViewClose(Command command) {
onClose = command;
}
}
| AnotherFoxGuy/AzwSimulatie | src/main/java/com/nhlstenden/amazonsimulatie/views/WebAppView.java | 449 | /*
* Deze methode wordt aangroepen vanuit de controller wanneer er een update voor
* de views is. Op elke view wordt dan de update methode aangroepen, welke een
* JSON pakketje maakt van de informatie die verstuurd moet worden. Deze JSON
* wordt naar de browser verstuurd, welke de informatie weer afhandeld.
*/ | block_comment | nl | package com.nhlstenden.amazonsimulatie.views;
import com.nhlstenden.amazonsimulatie.base.Command;
import org.springframework.web.socket.BinaryMessage;
import org.springframework.web.socket.WebSocketSession;
/*
* Deze class is de standaard websocketview. De class is een andere variant
* van een gewone view. Een "normale" view is meestal een schermpje op de PC,
* maar in dit geval is het wat de gebruiker ziet in de browser. Het behandelen
* van een webpagina als view zie je vaker wanneer je te maken hebt met
* serversystemen. In deze class wordt de WebSocketSession van de client opgeslagen,
* waarmee de view class kan communiceren met de browser.
*/
public class WebAppView implements View {
private WebSocketSession sesion;
private Command onClose;
public WebAppView(WebSocketSession sesion) {
this.sesion = sesion;
}
/*
* Deze methode wordt<SUF>*/
@Override
public void update(BinaryMessage bin) {
try {
if (this.sesion.isOpen()) {
this.sesion.sendMessage(bin);
} else {
this.onClose.execute();
}
} catch (Exception e) {
this.onClose.execute();
}
}
@Override
public void onViewClose(Command command) {
onClose = command;
}
}
| false | 383 | 91 | 433 | 95 | 409 | 80 | 433 | 95 | 471 | 99 | false | false | false | false | false | true |
910 | 123475_1 |
public class Punt
{
// implement UML notation
private double x;
private double y;
// constructor
public Punt(double xCoordinaat, double yCoordinaat)
{
x = xCoordinaat;
y = yCoordinaat;
}
// getters,setters
public double getX() {return x;}
public void setX(double x) {this.x = x;}
public double getY() {return y;}
public void setY(double y) {this.y = y;}
public String toString() // override
{
return "<Punt("+x+","+y+")>";
}
public void transleer(double dx, double dy)
{
x += dx;
y += dy;
}
// Euclidean distance between 2 points (kortste weg)
public double afstand(Punt p)
{
// sqrt( (x2-x1)^2 + (y2-y1)^2 )
return Math.sqrt(Math.pow(p.x - this.x,2) + Math.pow(p.y - this.y,2));
}
public boolean equals(Object obj) // override
{
if (obj instanceof Punt) // check if obj is more specifically, a Punt object
{
Punt p = (Punt) obj; // temp Punt object
return this.x==p.x && this.y==p.y;
}
return false; // obj is not Punt type
}
}
| Ketho/misc | edu/TUD/TI1206 OOP/Opdracht 2/Punt.java | 407 | // Euclidean distance between 2 points (kortste weg) | line_comment | nl |
public class Punt
{
// implement UML notation
private double x;
private double y;
// constructor
public Punt(double xCoordinaat, double yCoordinaat)
{
x = xCoordinaat;
y = yCoordinaat;
}
// getters,setters
public double getX() {return x;}
public void setX(double x) {this.x = x;}
public double getY() {return y;}
public void setY(double y) {this.y = y;}
public String toString() // override
{
return "<Punt("+x+","+y+")>";
}
public void transleer(double dx, double dy)
{
x += dx;
y += dy;
}
// Euclidean distance<SUF>
public double afstand(Punt p)
{
// sqrt( (x2-x1)^2 + (y2-y1)^2 )
return Math.sqrt(Math.pow(p.x - this.x,2) + Math.pow(p.y - this.y,2));
}
public boolean equals(Object obj) // override
{
if (obj instanceof Punt) // check if obj is more specifically, a Punt object
{
Punt p = (Punt) obj; // temp Punt object
return this.x==p.x && this.y==p.y;
}
return false; // obj is not Punt type
}
}
| false | 321 | 14 | 386 | 15 | 380 | 13 | 386 | 15 | 425 | 14 | false | false | false | false | false | true |
1,942 | 149734_1 | package oose.dea.dao;
import oose.dea.domain.Lightsaber;
import javax.enterprise.inject.Default;
// Dit is de default implementatie.
// Deze gebruikt een zogenaamde Database implementatie.
// In de webapp/WEB-INF/beans.xml heb ik aangegeven dat ik een Alternative implementatie wil gaan gebruiken.
@Default
public class LightsaberDAO implements ILightsaberDAO {
@Override
public Lightsaber getLightsaber() {
//ToDo: Get data from database
Lightsaber lightsaber = new Lightsaber();
lightsaber.setColor("red");
lightsaber.setSides(2);
return lightsaber;
}
}
| aaron5670/OOSE-Course | JEE-Demo/src/main/java/oose/dea/dao/LightsaberDAO.java | 182 | // Deze gebruikt een zogenaamde Database implementatie. | line_comment | nl | package oose.dea.dao;
import oose.dea.domain.Lightsaber;
import javax.enterprise.inject.Default;
// Dit is de default implementatie.
// Deze gebruikt<SUF>
// In de webapp/WEB-INF/beans.xml heb ik aangegeven dat ik een Alternative implementatie wil gaan gebruiken.
@Default
public class LightsaberDAO implements ILightsaberDAO {
@Override
public Lightsaber getLightsaber() {
//ToDo: Get data from database
Lightsaber lightsaber = new Lightsaber();
lightsaber.setColor("red");
lightsaber.setSides(2);
return lightsaber;
}
}
| false | 143 | 14 | 170 | 14 | 157 | 11 | 170 | 14 | 199 | 13 | false | false | false | false | false | true |
1,081 | 33045_5 | package data;_x000D_
_x000D_
import java.util.ArrayList;_x000D_
import java.util.Calendar;_x000D_
import java.util.Random;_x000D_
_x000D_
import model.lessenrooster.Dag;_x000D_
import model.lessenrooster.Student;_x000D_
import model.locatie.Locatie;_x000D_
_x000D_
public class DataGenerator {_x000D_
_x000D_
private static final int aantal_dagen = 42;_x000D_
private static int aantal_studenten = 50;_x000D_
private static final int aantal_lessen = 10;_x000D_
private static final int aantal_locaties = 50;_x000D_
private static final boolean weekends = false;_x000D_
_x000D_
static Random random = new Random();_x000D_
_x000D_
_x000D_
private static Calendar getCalendar(int uur, int minuten, Calendar dag) {_x000D_
dag.set(Calendar.HOUR_OF_DAY, uur);_x000D_
dag.set(Calendar.MINUTE, minuten);_x000D_
return dag;_x000D_
}_x000D_
_x000D_
public static ArrayList<Dag> maakRooster() {_x000D_
_x000D_
ArrayList<Dag> rooster = new ArrayList<Dag>();_x000D_
Calendar cal = Calendar.getInstance();_x000D_
for (int i = 0; i <= aantal_dagen; i++) {_x000D_
cal.add(Calendar.DAY_OF_MONTH, 1); // Altijd 1 dag er bij_x000D_
if (!(cal.get(Calendar.DAY_OF_WEEK) == Calendar.SATURDAY && cal_x000D_
.get(Calendar.DAY_OF_WEEK) == Calendar.SUNDAY) || weekends) { // in weekend geenles_x000D_
if (random.nextInt(5) >2) { // 2op5 kans dat je les hebt_x000D_
Dag dag = new Dag((Calendar)cal.clone());_x000D_
for (int l = 1; l <= aantal_lessen; l++) {_x000D_
if (random.nextInt(5) > 1) { // 3op5 kans dat je op dat uur les hebt_x000D_
dag.voegLesToe(_x000D_
getCalendar(l + 7, 0,(Calendar) dag.getDatum().clone()),_x000D_
getCalendar(l + 8, 0,(Calendar) dag.getDatum().clone()));_x000D_
}_x000D_
}_x000D_
rooster.add(dag);_x000D_
}_x000D_
}_x000D_
}_x000D_
return rooster;_x000D_
_x000D_
}_x000D_
_x000D_
public static ArrayList<Student> maakStudenten() {_x000D_
ArrayList<Student> studenten = new ArrayList<Student>();_x000D_
for (int i = 0; i < aantal_studenten; i++) {_x000D_
Student student = new Student("KdG" + i);_x000D_
student.setLesdagen(maakRooster());_x000D_
studenten.add(student);_x000D_
}_x000D_
return studenten;_x000D_
}_x000D_
_x000D_
public static ArrayList<Locatie> maakLocaties() {_x000D_
ArrayList<Locatie> locaties = new ArrayList<Locatie>();_x000D_
for (int i = 0; i < aantal_locaties; i++) {_x000D_
Locatie locatie = new Locatie("Lokaal", "GR" + i+1,_x000D_
random.nextInt(200) + 20);_x000D_
locatie.setDagen(maakLocatiesSlots());_x000D_
locaties.add(locatie);_x000D_
}_x000D_
return locaties;_x000D_
}_x000D_
_x000D_
public static ArrayList<model.locatie.Dag> maakLocatiesSlots() {_x000D_
_x000D_
ArrayList<model.locatie.Dag> rooster = new ArrayList<model.locatie.Dag>();_x000D_
Calendar cal = Calendar.getInstance();_x000D_
for (int i = 0; i <= aantal_dagen; i++) {_x000D_
cal.add(Calendar.DAY_OF_MONTH, 1); // Altijd 1 dag er bij_x000D_
model.locatie.Dag dag = new model.locatie.Dag((Calendar)cal.clone());_x000D_
//System.out.println(dag.getDatum().getTime());_x000D_
for (int s=0; s<dag.getSlots().size(); s++){ //Hoeveelste slot van de dag_x000D_
//System.out.println("StartSlot:" + s);_x000D_
if (random.nextInt(3) > 0){ //2op3kans dat het lokaal op dat slot bezet is_x000D_
int aantal = random.nextInt(7) + 4; //Minimaal les van 1 uur (4 slots), maximum 2.5 uur);_x000D_
for (int j = 0; j < aantal; j++){_x000D_
try{_x000D_
dag.getSlots().get(s + j).setBezet(true); _x000D_
//System.out.println("Slot:" + (s + j) + " is bezet");_x000D_
} catch (IndexOutOfBoundsException ie){_x000D_
//Einde van slotlijst bereikt_x000D_
}_x000D_
}_x000D_
s += aantal; //Volgend slot om te beginnen in loop is ten vroegste kwartier later dan eind vorige les_x000D_
}_x000D_
}_x000D_
//System.out.println();_x000D_
rooster.add(dag); _x000D_
}_x000D_
return rooster;_x000D_
_x000D_
}_x000D_
_x000D_
}_x000D_
| MathiasVandePol/ws-eventmanagementsystem | src/data/DataGenerator.java | 1,316 | //Hoeveelste slot van de dag_x000D_ | line_comment | nl | package data;_x000D_
_x000D_
import java.util.ArrayList;_x000D_
import java.util.Calendar;_x000D_
import java.util.Random;_x000D_
_x000D_
import model.lessenrooster.Dag;_x000D_
import model.lessenrooster.Student;_x000D_
import model.locatie.Locatie;_x000D_
_x000D_
public class DataGenerator {_x000D_
_x000D_
private static final int aantal_dagen = 42;_x000D_
private static int aantal_studenten = 50;_x000D_
private static final int aantal_lessen = 10;_x000D_
private static final int aantal_locaties = 50;_x000D_
private static final boolean weekends = false;_x000D_
_x000D_
static Random random = new Random();_x000D_
_x000D_
_x000D_
private static Calendar getCalendar(int uur, int minuten, Calendar dag) {_x000D_
dag.set(Calendar.HOUR_OF_DAY, uur);_x000D_
dag.set(Calendar.MINUTE, minuten);_x000D_
return dag;_x000D_
}_x000D_
_x000D_
public static ArrayList<Dag> maakRooster() {_x000D_
_x000D_
ArrayList<Dag> rooster = new ArrayList<Dag>();_x000D_
Calendar cal = Calendar.getInstance();_x000D_
for (int i = 0; i <= aantal_dagen; i++) {_x000D_
cal.add(Calendar.DAY_OF_MONTH, 1); // Altijd 1 dag er bij_x000D_
if (!(cal.get(Calendar.DAY_OF_WEEK) == Calendar.SATURDAY && cal_x000D_
.get(Calendar.DAY_OF_WEEK) == Calendar.SUNDAY) || weekends) { // in weekend geenles_x000D_
if (random.nextInt(5) >2) { // 2op5 kans dat je les hebt_x000D_
Dag dag = new Dag((Calendar)cal.clone());_x000D_
for (int l = 1; l <= aantal_lessen; l++) {_x000D_
if (random.nextInt(5) > 1) { // 3op5 kans dat je op dat uur les hebt_x000D_
dag.voegLesToe(_x000D_
getCalendar(l + 7, 0,(Calendar) dag.getDatum().clone()),_x000D_
getCalendar(l + 8, 0,(Calendar) dag.getDatum().clone()));_x000D_
}_x000D_
}_x000D_
rooster.add(dag);_x000D_
}_x000D_
}_x000D_
}_x000D_
return rooster;_x000D_
_x000D_
}_x000D_
_x000D_
public static ArrayList<Student> maakStudenten() {_x000D_
ArrayList<Student> studenten = new ArrayList<Student>();_x000D_
for (int i = 0; i < aantal_studenten; i++) {_x000D_
Student student = new Student("KdG" + i);_x000D_
student.setLesdagen(maakRooster());_x000D_
studenten.add(student);_x000D_
}_x000D_
return studenten;_x000D_
}_x000D_
_x000D_
public static ArrayList<Locatie> maakLocaties() {_x000D_
ArrayList<Locatie> locaties = new ArrayList<Locatie>();_x000D_
for (int i = 0; i < aantal_locaties; i++) {_x000D_
Locatie locatie = new Locatie("Lokaal", "GR" + i+1,_x000D_
random.nextInt(200) + 20);_x000D_
locatie.setDagen(maakLocatiesSlots());_x000D_
locaties.add(locatie);_x000D_
}_x000D_
return locaties;_x000D_
}_x000D_
_x000D_
public static ArrayList<model.locatie.Dag> maakLocatiesSlots() {_x000D_
_x000D_
ArrayList<model.locatie.Dag> rooster = new ArrayList<model.locatie.Dag>();_x000D_
Calendar cal = Calendar.getInstance();_x000D_
for (int i = 0; i <= aantal_dagen; i++) {_x000D_
cal.add(Calendar.DAY_OF_MONTH, 1); // Altijd 1 dag er bij_x000D_
model.locatie.Dag dag = new model.locatie.Dag((Calendar)cal.clone());_x000D_
//System.out.println(dag.getDatum().getTime());_x000D_
for (int s=0; s<dag.getSlots().size(); s++){ //Hoeveelste slot<SUF>
//System.out.println("StartSlot:" + s);_x000D_
if (random.nextInt(3) > 0){ //2op3kans dat het lokaal op dat slot bezet is_x000D_
int aantal = random.nextInt(7) + 4; //Minimaal les van 1 uur (4 slots), maximum 2.5 uur);_x000D_
for (int j = 0; j < aantal; j++){_x000D_
try{_x000D_
dag.getSlots().get(s + j).setBezet(true); _x000D_
//System.out.println("Slot:" + (s + j) + " is bezet");_x000D_
} catch (IndexOutOfBoundsException ie){_x000D_
//Einde van slotlijst bereikt_x000D_
}_x000D_
}_x000D_
s += aantal; //Volgend slot om te beginnen in loop is ten vroegste kwartier later dan eind vorige les_x000D_
}_x000D_
}_x000D_
//System.out.println();_x000D_
rooster.add(dag); _x000D_
}_x000D_
return rooster;_x000D_
_x000D_
}_x000D_
_x000D_
}_x000D_
| false | 1,667 | 16 | 1,884 | 17 | 1,818 | 16 | 1,885 | 17 | 2,100 | 17 | false | false | false | false | false | true |
503 | 30809_5 | package frc.team4481.robot.auto.modes;
import frc.team4481.lib.auto.actions.ParallelAction;
import frc.team4481.lib.auto.mode.AutoModeBase;
import frc.team4481.lib.auto.mode.AutoModeEndedException;
import frc.team4481.lib.path.PathNotLoadedException;
import frc.team4481.lib.path.TrajectoryHandler;
import frc.team4481.lib.subsystems.SubsystemHandler;
import frc.team4481.robot.auto.actions.*;
import frc.team4481.robot.auto.selector.AutoMode;
import frc.team4481.robot.auto.selector.Disabled;
import frc.team4481.robot.subsystems.Intake;
import frc.team4481.robot.subsystems.IntakeManager;
import frc.team4481.robot.subsystems.OuttakeManager;
@Disabled
@AutoMode(displayName = "[Bottom] 4 note Q90")
public class Low_4_note_barker extends AutoModeBase {
String path_1 = "LOW_CN1";
String path_2 = "SHOOT_CN12";
String path_3 = "Recover_CN12";
String path_4 = "SHOOT_CN2";
String path_5 = "Recover_CN23";
String path_6 = "CN3_understage";
String path_7 = "SHOOT_CN3";
String path_8 = "FN1_4_note_runner";
private Intake intake;
private IntakeManager intakeManager;
private final SubsystemHandler subsystemHandler = SubsystemHandler.getInstance();
@Override
protected void initialize() throws AutoModeEndedException, PathNotLoadedException {
intake = (Intake) subsystemHandler.getSubsystemByClass(Intake.class);
intakeManager = intake.getSubsystemManager();
TrajectoryHandler trajectoryHandler = TrajectoryHandler.getInstance();
try {
trajectoryHandler.setUnloadedPath(path_1);
trajectoryHandler.setUnloadedPath(path_2);
trajectoryHandler.setUnloadedPath(path_3);
trajectoryHandler.setUnloadedPath(path_4);
trajectoryHandler.setUnloadedPath(path_5);
trajectoryHandler.setUnloadedPath(path_6);
trajectoryHandler.setUnloadedPath(path_7);
trajectoryHandler.setUnloadedPath(path_8);
} catch (PathNotLoadedException e) {
e.printStackTrace();
}
}
@Override
protected void routine() throws AutoModeEndedException {
//shoot
// runAction(new SetInitalPositionAction(path_1));
// runAction(new DriveAndShootTimedAction(path_1, new double[]{0.92, 4.14, 7.07}));
// runAction(new ParallelAction(
// new DrivePathAction(path_2),
// new ParallelAction(
// new AimingManualAction(OuttakeManager.positionState.STOWED)),
// new IntakeAction(2.9))
// );
// runAction(new DriveAndShootTimedAction(path_3, new double[]{0.82}));
runAction(new SetInitalPositionAction(path_1));
runAction(new DriveAndShootTimedAction(path_1, new double[] {0.7}));
if (intakeManager.getControlState() == IntakeManager.controlState.STORE || intakeManager.getControlState() == IntakeManager.controlState.HOLD ) {
runAction(new DriveAndShootTimedAction(path_2, new double [] {2}));
} else {
runAction(new DrivePathAction(path_3));
}
// if (intakeManager.getControlState() == IntakeManager.controlState.STORE || intakeManager.getControlState() == IntakeManager.controlState.HOLD) {
runAction(new DriveAndShootTimedAction(path_4, new double[] {2.1-0.15}));
// runAction(new ParallelAction(
// new AimingManualAction(OuttakeManager.positionState.STOWED),
// new IntakeAction(2.25),
// new DrivePathAction(path_6) )
//// );
// } else {
// runAction(new DrivePathAction(path_5));
// runAction(new AimingManualAction(OuttakeManager.positionState.STOWED));
// }
// runAction(new DrivePathAction(path_7));
// runAction(new ScoreAutomaticAction());
runAction(new DriveAndShootTimedAction(path_8, new double[]{0.10})); //dit werkt, 0.10 doet eigenlijk niks
runAction(new ScoreAutomaticAction());
}
}
| FRC-4481-Team-Rembrandts/4481-robot-2024-public | src/main/java/frc/team4481/robot/auto/modes/Low_4_note_barker.java | 1,274 | //dit werkt, 0.10 doet eigenlijk niks | line_comment | nl | package frc.team4481.robot.auto.modes;
import frc.team4481.lib.auto.actions.ParallelAction;
import frc.team4481.lib.auto.mode.AutoModeBase;
import frc.team4481.lib.auto.mode.AutoModeEndedException;
import frc.team4481.lib.path.PathNotLoadedException;
import frc.team4481.lib.path.TrajectoryHandler;
import frc.team4481.lib.subsystems.SubsystemHandler;
import frc.team4481.robot.auto.actions.*;
import frc.team4481.robot.auto.selector.AutoMode;
import frc.team4481.robot.auto.selector.Disabled;
import frc.team4481.robot.subsystems.Intake;
import frc.team4481.robot.subsystems.IntakeManager;
import frc.team4481.robot.subsystems.OuttakeManager;
@Disabled
@AutoMode(displayName = "[Bottom] 4 note Q90")
public class Low_4_note_barker extends AutoModeBase {
String path_1 = "LOW_CN1";
String path_2 = "SHOOT_CN12";
String path_3 = "Recover_CN12";
String path_4 = "SHOOT_CN2";
String path_5 = "Recover_CN23";
String path_6 = "CN3_understage";
String path_7 = "SHOOT_CN3";
String path_8 = "FN1_4_note_runner";
private Intake intake;
private IntakeManager intakeManager;
private final SubsystemHandler subsystemHandler = SubsystemHandler.getInstance();
@Override
protected void initialize() throws AutoModeEndedException, PathNotLoadedException {
intake = (Intake) subsystemHandler.getSubsystemByClass(Intake.class);
intakeManager = intake.getSubsystemManager();
TrajectoryHandler trajectoryHandler = TrajectoryHandler.getInstance();
try {
trajectoryHandler.setUnloadedPath(path_1);
trajectoryHandler.setUnloadedPath(path_2);
trajectoryHandler.setUnloadedPath(path_3);
trajectoryHandler.setUnloadedPath(path_4);
trajectoryHandler.setUnloadedPath(path_5);
trajectoryHandler.setUnloadedPath(path_6);
trajectoryHandler.setUnloadedPath(path_7);
trajectoryHandler.setUnloadedPath(path_8);
} catch (PathNotLoadedException e) {
e.printStackTrace();
}
}
@Override
protected void routine() throws AutoModeEndedException {
//shoot
// runAction(new SetInitalPositionAction(path_1));
// runAction(new DriveAndShootTimedAction(path_1, new double[]{0.92, 4.14, 7.07}));
// runAction(new ParallelAction(
// new DrivePathAction(path_2),
// new ParallelAction(
// new AimingManualAction(OuttakeManager.positionState.STOWED)),
// new IntakeAction(2.9))
// );
// runAction(new DriveAndShootTimedAction(path_3, new double[]{0.82}));
runAction(new SetInitalPositionAction(path_1));
runAction(new DriveAndShootTimedAction(path_1, new double[] {0.7}));
if (intakeManager.getControlState() == IntakeManager.controlState.STORE || intakeManager.getControlState() == IntakeManager.controlState.HOLD ) {
runAction(new DriveAndShootTimedAction(path_2, new double [] {2}));
} else {
runAction(new DrivePathAction(path_3));
}
// if (intakeManager.getControlState() == IntakeManager.controlState.STORE || intakeManager.getControlState() == IntakeManager.controlState.HOLD) {
runAction(new DriveAndShootTimedAction(path_4, new double[] {2.1-0.15}));
// runAction(new ParallelAction(
// new AimingManualAction(OuttakeManager.positionState.STOWED),
// new IntakeAction(2.25),
// new DrivePathAction(path_6) )
//// );
// } else {
// runAction(new DrivePathAction(path_5));
// runAction(new AimingManualAction(OuttakeManager.positionState.STOWED));
// }
// runAction(new DrivePathAction(path_7));
// runAction(new ScoreAutomaticAction());
runAction(new DriveAndShootTimedAction(path_8, new double[]{0.10})); //dit werkt,<SUF>
runAction(new ScoreAutomaticAction());
}
}
| false | 995 | 16 | 1,159 | 16 | 1,169 | 12 | 1,159 | 16 | 1,307 | 16 | false | false | false | false | false | true |
82 | 26148_16 | import org.postgresql.shaded.com.ongres.scram.common.ScramAttributes;
import org.w3c.dom.ls.LSOutput;
import java.sql.*;
import java.util.ArrayList;
import java.util.List;
public class Main {
public static void main(String[] args) throws SQLException{
String url = "jdbc:postgresql://localhost/ovchip?user=postgres&password=rJFQu34u";
Connection conn;
conn = DriverManager.getConnection(url);
ReizigerDAO reizigerDAOPsql = new ReizigerDAOPsql(conn);
AdresDAO adresDAOPsql = new AdresDAOPsql(conn);
OVChipkaartDAO ovChipkaartDAOsql = new OVChipkaartDAOPsql(conn);
ProductDAO productDAOsql = new ProductDAOPsql(conn);
testReizigerDAO(reizigerDAOPsql);
testAdresDAO(adresDAOPsql, reizigerDAOPsql);
testOVchipkaartDAO(adresDAOPsql, reizigerDAOPsql, ovChipkaartDAOsql);
testProductDAO(productDAOsql, ovChipkaartDAOsql);
}
private static void testReizigerDAO( ReizigerDAO rdao) throws SQLException {
System.out.println("\n---------- Test ReizigerDAO -------------");
// Haal alle reizigers op uit de database
List<Reiziger> reizigers = rdao.findAll();
System.out.println("[Test] ReizigerDAO.findAll() geeft de volgende reizigers:");
for (Reiziger r : reizigers) {
System.out.println(r);
}
// Maak een nieuwe reiziger aan en persisteer deze in de database
String gbdatum = "1981-03-14";
Reiziger sietske = new Reiziger(77, "S", "", "Boers", gbdatum);
System.out.print("[Test] Eerst " + reizigers.size() + " reizigers, na ReizigerDAO.save() ");
rdao.save(sietske);
reizigers = rdao.findAll();
System.out.println(reizigers.size() + " reizigers\n");
// Voeg aanvullende tests van de ontbrekende CRUD-operaties in.
//Hier word een reiziger geruturned op basis van de aangegeven ID.
System.out.println("De {TEST} van de functie findById met ID 77" + "\n" + "---------------------------------------");
System.out.println(rdao.findById(77));
System.out.println("De {TEST} van de functie findByGbdatum()" + "\n" + "---------------------------------------");
for (Reiziger r: rdao.findByGbdatum("1981-03-14")
) {
System.out.println(r);
}
// De gegevens van een bestaande reiziger worden aangepast in een database.
String geboorteDatum = "1950-04-12";
sietske.setGeboortedatum(geboorteDatum);
rdao.update(sietske);
System.out.println("Reiziger Sietske is geupdate in de database.");
// De verwijder een specifieke reiziger uit de database.
System.out.println("De {TEST} van de functie delte() rsultaten" + "\n" + "------------------------------------");
try {
rdao.delete(sietske);
System.out.println("Reiziger is met succes verwijderd");
}
catch (Exception e){
System.out.println("Het is niet gelukt om de reiziger te verwijderen.");
e.printStackTrace();
}
}
private static void testAdresDAO(AdresDAO adresDAO, ReizigerDAO rdao) throws SQLException{
System.out.println("Hier beginnen de test's van de Adres klasse" + "\n" + "------------------------------------------------" );
// Haal alle reizigers op uit de database
System.out.println("Hier begint de test van de .save() functie van de adresDAO" + "\n" + "------------------------------------------------" );
List<Adres> adressen = adresDAO.findAll();
System.out.println("[Test] adresDAO.findAll() geeft de volgende Adressen:");
for (Adres a : adressen) {
System.out.println(a);
}
// Hier wordt een nieuw adres aangemaakt en deze word opgeslagen in de database.
System.out.println("Hier begint de test van de .save() functie van de adresDAO" + "\n" + "------------------------------------------------" );
String gbDatum = "1997-10-24";
Reiziger reizigerA = new Reiziger(6, "A","", "Ait Si'Mhand", gbDatum );
rdao.save(reizigerA);
Adres adresAchraf = new Adres(6, "2964BL", "26", "Irenestraat", "Groot-Ammers");
reizigerA.setAdres(adresAchraf);
System.out.print("[Test] Eerst " + adressen.size() + " adressen, na AdresDAO.save()");
adresDAO.save(adresAchraf);
List<Adres> adressenNaUpdate = adresDAO.findAll();
System.out.println(adressenNaUpdate.size() + " reizigers\n");
//Hier wordt de update() functie van Adres aangeroepen en getest.
System.out.println("Hier begint de test van de update functie van de adres klasse" + "\n" + "------------------------------------------------" );
adresAchraf.setHuisnummer("30");
try{
adresDAO.update(adresAchraf);
System.out.println("Het adres is geupdate.");
}
catch (Exception e){
System.out.println("Het is niet gelukt om het adres te updaten in de database");
e.printStackTrace();
}
//Hier wordt de functie .findbyreiziger() getest.
System.out.println("Hier begint de test van de .findByReiziger() functie van de adresDAO" + "\n" + "------------------------------------------------" );
try {
adresDAO.findByReiziger(reizigerA);
System.out.println("Adres is opgehaald.");
}
catch (Exception e){
System.out.println("Het is niet gelukt om de het adres te vinden bij de reiziger.");
e.printStackTrace();
}
//Hier word de delete() functie van adres aangeroepen.
System.out.println("Hier begint de test van de .delete functie van de adresDAO" + "\n" + "------------------------------------------------" );
System.out.println("Test delete() methode");
System.out.println("Eerst" + adressen.size());
adressenNaUpdate.forEach((value) -> System.out.println(value));
System.out.println("[test] delete() geeft -> ");
adresDAO.delete(adresAchraf); //delete adres
rdao.delete(reizigerA);
List<Adres> adressenNaDelete = new ArrayList<>(adresDAO.findAll());
adressenNaDelete.forEach((value) -> System.out.println(value));
}
private static void testOVchipkaartDAO(AdresDAO adresDAO, ReizigerDAO reizigerDAO, OVChipkaartDAO ovChipkaartDAO){
System.out.println("Hier beginnen de test's van de OVchipkaart klasse" + "\n" + "------------------------------------------------" );
// Haal alle kaarten op uit de database
System.out.println("Hier begint de test van de OVchipkaart.findall() functie van de OVchipkaartDAO" + "\n" + "------------------------------------------------" );
List<OVChipkaart> ovChipkaarts = ovChipkaartDAO.findAll();
System.out.println("[Test] OVchipkaartDAO.findAll() geeft de volgende ov's:");
for (OVChipkaart ov : ovChipkaarts) {
System.out.println(ov);
}
//Hier wordt er een nieuw OVchipkaart object aangemaakt en gepersisteerd in de datbase.
OVChipkaart ovChipkaart = new OVChipkaart();
ovChipkaart.setKaartNummer(12345);
ovChipkaart.setGeldigTot("2022-10-24");
ovChipkaart.setKlasse(1);
ovChipkaart.setSaldo(350.00);
ovChipkaart.setReizigerId(5);
// Hier wordt een bepaalde Chipkaart verwijderd uit de database.
System.out.println("Hier begint de test van OVChipkaart.delete()" + "\n" + "------------------------------------------------" );
try {
ovChipkaartDAO.delete(ovChipkaart);
System.out.println("De kaart is met succes verwijderd uit de database.");
}
catch (Exception e){
System.out.println("Het is niet gelukt om de kaart te verwijderen.");
e.printStackTrace();
}
ovChipkaarts = ovChipkaartDAO.findAll();
System.out.println("De database bevatte voor het opslaan " + ovChipkaarts.size() + "kaarten" + "\n");
for (OVChipkaart ov : ovChipkaarts) {
System.out.println(ov);
}
try {
ovChipkaartDAO.save(ovChipkaart);
System.out.println("De nieuwe chipkaart is opgeslagen.");
}
catch (Exception e){
System.out.println("Het is niet gelukt om het nieuwe opbject op te slaan in de database.");
e.printStackTrace();
}
ovChipkaarts = ovChipkaartDAO.findAll();
System.out.println("En de databse bevat na het opslaan " + ovChipkaarts.size());
// Hier wordt de update functie de OVchipkaartDAO aangeroepen en getest.
try {
ovChipkaart.setSaldo(20.00);
ovChipkaartDAO.update(ovChipkaart);
//Hier halen we de lijst opnieuw op om er zo voor te zorgen dat de lijst klopt en dus hier uitggeprint kan worden
ovChipkaarts = ovChipkaartDAO.findAll();
System.out.println("De kaart is met succes geupdate, het saldo is gewzijzigd");
for (OVChipkaart ov : ovChipkaarts){
System.out.println(ov);
}
}
catch (Exception e ){
System.out.println("Het is niet gelukt om de kaart te udpaten.");
e.printStackTrace();
}
System.out.println("Hier begint de test van OVChipkaart.findByReiziger" + "\n" + "------------------------------------------------" );
Reiziger reiziger = reizigerDAO.findById(5);
//Hier wordt de functie getest van OvchipkaartDAO.findByReiziger() getest
System.out.println(ovChipkaartDAO.findByReiziger(reiziger));
System.out.println("DONE");
}
public static void testProductDAO(ProductDAO productDAO, OVChipkaartDAO ovChipkaartDAO) throws SQLException{
//Hall alle producten op uit de database
System.out.println("Hier begint de test van de .save() functie van de productDAO\n" + "------------------------------------------------" );
List<Product> producten = productDAO.findAll();
System.out.println("[Test] productDAO.findAll() geeft de volgende Adressen voor de .save():");
for (Product product: producten) {
System.out.println(product);
System.out.println("Aantal producten in de database voor de save: " + producten.size());
}
//Hier wordt een nieuw product aangemaakt en opgeslagen in de database.
Product testProduct = new Product(12345, "SeniorenProduct", "Mobiliteit voor ouderen", 25.00);
System.out.println("Producten in de database na de .save()");
try {
productDAO.save(testProduct);
List<Product> productenNaSave = productDAO.findAll();
for (Product product: productenNaSave){
System.out.println(product);
}
System.out.println("Aantal" + productenNaSave.size());
}
catch (Exception e){
e.printStackTrace();
}
//Hier wordt het product geupdate en gepersisteerd in de database.
try {
testProduct.setPrijs(9999.00);
productDAO.update(testProduct);
System.out.println(" " +testProduct.getProduct_nummer());
System.out.println("Producten in de databse na de .update()");
List<Product> productenNaUpdate = productDAO.findAll();
for (Product product: productenNaUpdate){
System.out.println(product);
}
}
catch (Exception e){
e.printStackTrace();
}
System.out.println("Hier word de delete functie getest");
try {
//Hier wordt het product verwijderd.
System.out.println("De producten in de database na het verwijderen");
productDAO.delete(testProduct);
List<Product> productenNaDelete = productDAO.findAll();
for (Product product :productenNaDelete ){
System.out.println(product);
}
System.out.println("Aantal producten na delete:" + productenNaDelete.size());
}
catch (Exception e){
e.printStackTrace();
}
}
} | Aitsimhand/DP_OV-Chipkaart | src/Main.java | 3,767 | //Hier wordt de functie getest van OvchipkaartDAO.findByReiziger() getest | line_comment | nl | import org.postgresql.shaded.com.ongres.scram.common.ScramAttributes;
import org.w3c.dom.ls.LSOutput;
import java.sql.*;
import java.util.ArrayList;
import java.util.List;
public class Main {
public static void main(String[] args) throws SQLException{
String url = "jdbc:postgresql://localhost/ovchip?user=postgres&password=rJFQu34u";
Connection conn;
conn = DriverManager.getConnection(url);
ReizigerDAO reizigerDAOPsql = new ReizigerDAOPsql(conn);
AdresDAO adresDAOPsql = new AdresDAOPsql(conn);
OVChipkaartDAO ovChipkaartDAOsql = new OVChipkaartDAOPsql(conn);
ProductDAO productDAOsql = new ProductDAOPsql(conn);
testReizigerDAO(reizigerDAOPsql);
testAdresDAO(adresDAOPsql, reizigerDAOPsql);
testOVchipkaartDAO(adresDAOPsql, reizigerDAOPsql, ovChipkaartDAOsql);
testProductDAO(productDAOsql, ovChipkaartDAOsql);
}
private static void testReizigerDAO( ReizigerDAO rdao) throws SQLException {
System.out.println("\n---------- Test ReizigerDAO -------------");
// Haal alle reizigers op uit de database
List<Reiziger> reizigers = rdao.findAll();
System.out.println("[Test] ReizigerDAO.findAll() geeft de volgende reizigers:");
for (Reiziger r : reizigers) {
System.out.println(r);
}
// Maak een nieuwe reiziger aan en persisteer deze in de database
String gbdatum = "1981-03-14";
Reiziger sietske = new Reiziger(77, "S", "", "Boers", gbdatum);
System.out.print("[Test] Eerst " + reizigers.size() + " reizigers, na ReizigerDAO.save() ");
rdao.save(sietske);
reizigers = rdao.findAll();
System.out.println(reizigers.size() + " reizigers\n");
// Voeg aanvullende tests van de ontbrekende CRUD-operaties in.
//Hier word een reiziger geruturned op basis van de aangegeven ID.
System.out.println("De {TEST} van de functie findById met ID 77" + "\n" + "---------------------------------------");
System.out.println(rdao.findById(77));
System.out.println("De {TEST} van de functie findByGbdatum()" + "\n" + "---------------------------------------");
for (Reiziger r: rdao.findByGbdatum("1981-03-14")
) {
System.out.println(r);
}
// De gegevens van een bestaande reiziger worden aangepast in een database.
String geboorteDatum = "1950-04-12";
sietske.setGeboortedatum(geboorteDatum);
rdao.update(sietske);
System.out.println("Reiziger Sietske is geupdate in de database.");
// De verwijder een specifieke reiziger uit de database.
System.out.println("De {TEST} van de functie delte() rsultaten" + "\n" + "------------------------------------");
try {
rdao.delete(sietske);
System.out.println("Reiziger is met succes verwijderd");
}
catch (Exception e){
System.out.println("Het is niet gelukt om de reiziger te verwijderen.");
e.printStackTrace();
}
}
private static void testAdresDAO(AdresDAO adresDAO, ReizigerDAO rdao) throws SQLException{
System.out.println("Hier beginnen de test's van de Adres klasse" + "\n" + "------------------------------------------------" );
// Haal alle reizigers op uit de database
System.out.println("Hier begint de test van de .save() functie van de adresDAO" + "\n" + "------------------------------------------------" );
List<Adres> adressen = adresDAO.findAll();
System.out.println("[Test] adresDAO.findAll() geeft de volgende Adressen:");
for (Adres a : adressen) {
System.out.println(a);
}
// Hier wordt een nieuw adres aangemaakt en deze word opgeslagen in de database.
System.out.println("Hier begint de test van de .save() functie van de adresDAO" + "\n" + "------------------------------------------------" );
String gbDatum = "1997-10-24";
Reiziger reizigerA = new Reiziger(6, "A","", "Ait Si'Mhand", gbDatum );
rdao.save(reizigerA);
Adres adresAchraf = new Adres(6, "2964BL", "26", "Irenestraat", "Groot-Ammers");
reizigerA.setAdres(adresAchraf);
System.out.print("[Test] Eerst " + adressen.size() + " adressen, na AdresDAO.save()");
adresDAO.save(adresAchraf);
List<Adres> adressenNaUpdate = adresDAO.findAll();
System.out.println(adressenNaUpdate.size() + " reizigers\n");
//Hier wordt de update() functie van Adres aangeroepen en getest.
System.out.println("Hier begint de test van de update functie van de adres klasse" + "\n" + "------------------------------------------------" );
adresAchraf.setHuisnummer("30");
try{
adresDAO.update(adresAchraf);
System.out.println("Het adres is geupdate.");
}
catch (Exception e){
System.out.println("Het is niet gelukt om het adres te updaten in de database");
e.printStackTrace();
}
//Hier wordt de functie .findbyreiziger() getest.
System.out.println("Hier begint de test van de .findByReiziger() functie van de adresDAO" + "\n" + "------------------------------------------------" );
try {
adresDAO.findByReiziger(reizigerA);
System.out.println("Adres is opgehaald.");
}
catch (Exception e){
System.out.println("Het is niet gelukt om de het adres te vinden bij de reiziger.");
e.printStackTrace();
}
//Hier word de delete() functie van adres aangeroepen.
System.out.println("Hier begint de test van de .delete functie van de adresDAO" + "\n" + "------------------------------------------------" );
System.out.println("Test delete() methode");
System.out.println("Eerst" + adressen.size());
adressenNaUpdate.forEach((value) -> System.out.println(value));
System.out.println("[test] delete() geeft -> ");
adresDAO.delete(adresAchraf); //delete adres
rdao.delete(reizigerA);
List<Adres> adressenNaDelete = new ArrayList<>(adresDAO.findAll());
adressenNaDelete.forEach((value) -> System.out.println(value));
}
private static void testOVchipkaartDAO(AdresDAO adresDAO, ReizigerDAO reizigerDAO, OVChipkaartDAO ovChipkaartDAO){
System.out.println("Hier beginnen de test's van de OVchipkaart klasse" + "\n" + "------------------------------------------------" );
// Haal alle kaarten op uit de database
System.out.println("Hier begint de test van de OVchipkaart.findall() functie van de OVchipkaartDAO" + "\n" + "------------------------------------------------" );
List<OVChipkaart> ovChipkaarts = ovChipkaartDAO.findAll();
System.out.println("[Test] OVchipkaartDAO.findAll() geeft de volgende ov's:");
for (OVChipkaart ov : ovChipkaarts) {
System.out.println(ov);
}
//Hier wordt er een nieuw OVchipkaart object aangemaakt en gepersisteerd in de datbase.
OVChipkaart ovChipkaart = new OVChipkaart();
ovChipkaart.setKaartNummer(12345);
ovChipkaart.setGeldigTot("2022-10-24");
ovChipkaart.setKlasse(1);
ovChipkaart.setSaldo(350.00);
ovChipkaart.setReizigerId(5);
// Hier wordt een bepaalde Chipkaart verwijderd uit de database.
System.out.println("Hier begint de test van OVChipkaart.delete()" + "\n" + "------------------------------------------------" );
try {
ovChipkaartDAO.delete(ovChipkaart);
System.out.println("De kaart is met succes verwijderd uit de database.");
}
catch (Exception e){
System.out.println("Het is niet gelukt om de kaart te verwijderen.");
e.printStackTrace();
}
ovChipkaarts = ovChipkaartDAO.findAll();
System.out.println("De database bevatte voor het opslaan " + ovChipkaarts.size() + "kaarten" + "\n");
for (OVChipkaart ov : ovChipkaarts) {
System.out.println(ov);
}
try {
ovChipkaartDAO.save(ovChipkaart);
System.out.println("De nieuwe chipkaart is opgeslagen.");
}
catch (Exception e){
System.out.println("Het is niet gelukt om het nieuwe opbject op te slaan in de database.");
e.printStackTrace();
}
ovChipkaarts = ovChipkaartDAO.findAll();
System.out.println("En de databse bevat na het opslaan " + ovChipkaarts.size());
// Hier wordt de update functie de OVchipkaartDAO aangeroepen en getest.
try {
ovChipkaart.setSaldo(20.00);
ovChipkaartDAO.update(ovChipkaart);
//Hier halen we de lijst opnieuw op om er zo voor te zorgen dat de lijst klopt en dus hier uitggeprint kan worden
ovChipkaarts = ovChipkaartDAO.findAll();
System.out.println("De kaart is met succes geupdate, het saldo is gewzijzigd");
for (OVChipkaart ov : ovChipkaarts){
System.out.println(ov);
}
}
catch (Exception e ){
System.out.println("Het is niet gelukt om de kaart te udpaten.");
e.printStackTrace();
}
System.out.println("Hier begint de test van OVChipkaart.findByReiziger" + "\n" + "------------------------------------------------" );
Reiziger reiziger = reizigerDAO.findById(5);
//Hier wordt<SUF>
System.out.println(ovChipkaartDAO.findByReiziger(reiziger));
System.out.println("DONE");
}
public static void testProductDAO(ProductDAO productDAO, OVChipkaartDAO ovChipkaartDAO) throws SQLException{
//Hall alle producten op uit de database
System.out.println("Hier begint de test van de .save() functie van de productDAO\n" + "------------------------------------------------" );
List<Product> producten = productDAO.findAll();
System.out.println("[Test] productDAO.findAll() geeft de volgende Adressen voor de .save():");
for (Product product: producten) {
System.out.println(product);
System.out.println("Aantal producten in de database voor de save: " + producten.size());
}
//Hier wordt een nieuw product aangemaakt en opgeslagen in de database.
Product testProduct = new Product(12345, "SeniorenProduct", "Mobiliteit voor ouderen", 25.00);
System.out.println("Producten in de database na de .save()");
try {
productDAO.save(testProduct);
List<Product> productenNaSave = productDAO.findAll();
for (Product product: productenNaSave){
System.out.println(product);
}
System.out.println("Aantal" + productenNaSave.size());
}
catch (Exception e){
e.printStackTrace();
}
//Hier wordt het product geupdate en gepersisteerd in de database.
try {
testProduct.setPrijs(9999.00);
productDAO.update(testProduct);
System.out.println(" " +testProduct.getProduct_nummer());
System.out.println("Producten in de databse na de .update()");
List<Product> productenNaUpdate = productDAO.findAll();
for (Product product: productenNaUpdate){
System.out.println(product);
}
}
catch (Exception e){
e.printStackTrace();
}
System.out.println("Hier word de delete functie getest");
try {
//Hier wordt het product verwijderd.
System.out.println("De producten in de database na het verwijderen");
productDAO.delete(testProduct);
List<Product> productenNaDelete = productDAO.findAll();
for (Product product :productenNaDelete ){
System.out.println(product);
}
System.out.println("Aantal producten na delete:" + productenNaDelete.size());
}
catch (Exception e){
e.printStackTrace();
}
}
} | false | 2,984 | 22 | 3,346 | 24 | 3,244 | 20 | 3,345 | 24 | 3,889 | 28 | false | false | false | false | false | true |
1,373 | 72779_13 |
import greenfoot.*; // (World, Actor, GreenfootImage, Greenfoot and MouseInfo)
/**
*
* @author R. Springer
*/
public class MyWorld extends World {
private CollisionEngine ce;
/**
* Constructor for objects of class MyWorld.
*
*/
public MyWorld() {
// Create a new world with 600x400 cells with a cell size of 1x1 pixels.
super(1000, 800, 1, false);
this.setBackground("bg.png");
int[][] map = {
{-1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1},
{-1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1},
{-1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1},
{-1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, 2, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, 3, -1, -1, 12, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1},
{-1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, 4, -1, -1, 7, 8, 9, 5, 5, 5, 5, 5, 5, 5, 5, 7, 8, 8, 8, 8, 8, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1},
{-1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, 1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, 6, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1},
{-1, -1, 8, 8, 8, 8, -1, -1, -1, -1, -1, 14, -1, -1, 7, 8, 9, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, 1, 0, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, 6, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1},
{-1, -1, 6, 6, 6, 6, -1, -1, -1, -1, 7, 8, 9, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, 7, 8, 8, 8, 8, 9, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, 6, -1, 2, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1},
{-1, -1, 6, 6, 6, 6, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, 7, 8, 9, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, 7, 6, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1},
{11, 11, 6, 6, 6, 6, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 6, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1},
{10, 10, 6, 6, 6, 6, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 6, 8, 8, 9, 11, 11, 11, 11, 11, 11, 11, 11, 11},
{10, 10, 6, 6, 6, 6, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10},
{10, 10, 6, 6, 6, 6, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10},
{10, 10, 6, 6, 6, 6, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10},
{10, 10, 6, 6, 6, 6, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10},
};
// Declareren en initialiseren van de TileEngine klasse om de map aan de world toe te voegen
TileEngine te = new TileEngine(this, 60, 60, map);
// Declarenre en initialiseren van de camera klasse met de TileEngine klasse
// zodat de camera weet welke tiles allemaal moeten meebewegen met de camera
Camera camera = new Camera(te);
// Declareren en initialiseren van een main karakter van het spel mijne heet Hero. Deze klasse
// moet de klasse Mover extenden voor de camera om te werken
Hero hero = new Hero();
// Laat de camera een object volgen. Die moet een Mover instatie zijn of een extentie hiervan.
camera.follow(hero);
// Alle objecten toevoegen aan de wereld: camera, main karakter en mogelijke enemies
addObject(camera, 0, 0);
addObject(hero, 300, 200);
addObject(new Enemy(), 1170, 410);
// Initialiseren van de CollisionEngine zodat de speler niet door de tile heen kan lopen.
// De collision engine kijkt alleen naar de tiles die de variabele solid op true hebben staan.
ce = new CollisionEngine(te, camera);
// Toevoegen van de mover instantie of een extentie hiervan
ce.addCollidingMover(hero);
}
@Override
public void act() {
ce.update();
}
}
| ROCMondriaanTIN/project-greenfoot-game-Darnell070 | MyWorld.java | 3,121 | // Toevoegen van de mover instantie of een extentie hiervan | line_comment | nl |
import greenfoot.*; // (World, Actor, GreenfootImage, Greenfoot and MouseInfo)
/**
*
* @author R. Springer
*/
public class MyWorld extends World {
private CollisionEngine ce;
/**
* Constructor for objects of class MyWorld.
*
*/
public MyWorld() {
// Create a new world with 600x400 cells with a cell size of 1x1 pixels.
super(1000, 800, 1, false);
this.setBackground("bg.png");
int[][] map = {
{-1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1},
{-1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1},
{-1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1},
{-1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, 2, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, 3, -1, -1, 12, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1},
{-1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, 4, -1, -1, 7, 8, 9, 5, 5, 5, 5, 5, 5, 5, 5, 7, 8, 8, 8, 8, 8, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1},
{-1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, 1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, 6, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1},
{-1, -1, 8, 8, 8, 8, -1, -1, -1, -1, -1, 14, -1, -1, 7, 8, 9, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, 1, 0, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, 6, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1},
{-1, -1, 6, 6, 6, 6, -1, -1, -1, -1, 7, 8, 9, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, 7, 8, 8, 8, 8, 9, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, 6, -1, 2, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1},
{-1, -1, 6, 6, 6, 6, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, 7, 8, 9, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, 7, 6, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1},
{11, 11, 6, 6, 6, 6, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 6, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1},
{10, 10, 6, 6, 6, 6, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 6, 8, 8, 9, 11, 11, 11, 11, 11, 11, 11, 11, 11},
{10, 10, 6, 6, 6, 6, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10},
{10, 10, 6, 6, 6, 6, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10},
{10, 10, 6, 6, 6, 6, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10},
{10, 10, 6, 6, 6, 6, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10},
};
// Declareren en initialiseren van de TileEngine klasse om de map aan de world toe te voegen
TileEngine te = new TileEngine(this, 60, 60, map);
// Declarenre en initialiseren van de camera klasse met de TileEngine klasse
// zodat de camera weet welke tiles allemaal moeten meebewegen met de camera
Camera camera = new Camera(te);
// Declareren en initialiseren van een main karakter van het spel mijne heet Hero. Deze klasse
// moet de klasse Mover extenden voor de camera om te werken
Hero hero = new Hero();
// Laat de camera een object volgen. Die moet een Mover instatie zijn of een extentie hiervan.
camera.follow(hero);
// Alle objecten toevoegen aan de wereld: camera, main karakter en mogelijke enemies
addObject(camera, 0, 0);
addObject(hero, 300, 200);
addObject(new Enemy(), 1170, 410);
// Initialiseren van de CollisionEngine zodat de speler niet door de tile heen kan lopen.
// De collision engine kijkt alleen naar de tiles die de variabele solid op true hebben staan.
ce = new CollisionEngine(te, camera);
// Toevoegen van<SUF>
ce.addCollidingMover(hero);
}
@Override
public void act() {
ce.update();
}
}
| false | 3,361 | 16 | 3,392 | 18 | 3,395 | 15 | 3,392 | 18 | 3,461 | 17 | false | false | false | false | false | true |
190 | 17508_6 | package tillerino.tillerinobot.lang;
import java.util.List;
import java.util.Random;
import org.tillerino.osuApiModel.Mods;
import org.tillerino.osuApiModel.OsuApiUser;
import tillerino.tillerinobot.CommandHandler.Action;
import tillerino.tillerinobot.CommandHandler.Message;
import tillerino.tillerinobot.CommandHandler.Response;
/**
* Dutch language implementation by https://osu.ppy.sh/u/PudiPudi and https://github.com/notadecent and https://osu.ppy.sh/u/2756335
*/
public class Nederlands extends AbstractMutableLanguage {
private static final long serialVersionUID = 1L;
static final Random rnd = new Random();
@Override
public String unknownBeatmap() {
return "Het spijt me, ik ken die map niet. Hij kan gloednieuw zijn, heel erg moeilijk of hij is niet voor osu standard mode.";
}
@Override
public String internalException(String marker) {
return "Ugh... Lijkt er op dat Tillerino een oelewapper is geweest en mijn bedrading kapot heeft gemaakt."
+ " Als hij het zelf niet merkt, kan je hem dan [https://github.com/Tillerino/Tillerinobot/wiki/Contact op de hoogte stellen]? (reference "
+ marker + ")";
}
@Override
public String externalException(String marker) {
return "Wat gebeurt er? Ik krijg alleen maar onzin van de osu server. Kan je me vertellen wat dit betekent? 00111010 01011110 00101001"
+ " De menselijke Tillerino zegt dat we ons er geen zorgen over hoeven te maken en dat we het opnieuw moeten proberen."
+ " Als je je heel erg zorgen maakt hierover, kan je het aan Tillerino [https://github.com/Tillerino/Tillerinobot/wiki/Contact vertellen]. (reference "
+ marker + ")";
}
@Override
public String noInformationForModsShort() {
return "Geen informatie beschikbaar voor opgevraagde mods";
}
@Override
public Response welcomeUser(OsuApiUser apiUser, long inactiveTime) {
if(inactiveTime < 60 * 1000) {
return new Message("beep boop");
} else if(inactiveTime < 24 * 60 * 60 * 1000) {
return new Message("Welkom terug, " + apiUser.getUserName() + ".");
} else if(inactiveTime > 7l * 24 * 60 * 60 * 1000) {
return new Message(apiUser.getUserName() + "...")
.then(new Message("...ben jij dat? Dat is lang geleden!"))
.then(new Message("Het is goed om je weer te zien. Kan ik je wellicht een recommandatie geven?"));
} else {
String[] messages = {
"jij ziet er uit alsof je een recommandatie wilt.",
"leuk om je te zien! :)",
"mijn favoriete mens. (Vertel het niet aan de andere mensen!)",
"wat een leuke verrassing! ^.^",
"Ik hoopte al dat je op kwam dagen. Al die andere mensen zijn saai, maar vertel ze niet dat ik dat zei! :3",
"waar heb je zin in vandaag?",
};
Random random = new Random();
String message = messages[random.nextInt(messages.length)];
return new Message(apiUser.getUserName() + ", " + message);
}
}
@Override
public String unknownCommand(String command) {
return "Ik snap niet helemaal wat je bedoelt met \"" + command
+ "\". Typ !help als je hulp nodig hebt!";
}
@Override
public String noInformationForMods() {
return "Sorry, ik kan je op het moment geen informatie geven over die mods.";
}
@Override
public String malformattedMods(String mods) {
return "Die mods zien er niet goed uit. Mods kunnen elke combinatie zijn van DT HR HD HT EZ NC FL SO NF. Combineer ze zonder spaties of speciale tekens, bijvoorbeeld: '!with HDHR' of '!with DTEZ'";
}
@Override
public String noLastSongInfo() {
return "Ik kan me niet herinneren dat je al een map had opgevraagd...";
}
@Override
public String tryWithMods() {
return "Probeer deze map met wat mods!";
}
@Override
public String tryWithMods(List<Mods> mods) {
return "Probeer deze map eens met " + Mods.toShortNamesContinuous(mods);
}
@Override
public String excuseForError() {
return "Het spijt me, een prachtige rij van enen en nullen kwam langs en dat leidde me af. Wat wou je ook al weer?";
}
@Override
public String complaint() {
return "Je klacht is ingediend. Tillerino zal er naar kijken als hij tijd heeft.";
}
@Override
public Response hug(OsuApiUser apiUser) {
return new Message("Kom eens hier jij!")
.then(new Action("knuffelt " + apiUser.getUserName()));
}
@Override
public String help() {
return "Hallo! Ik ben de robot die Tillerino heeft gedood en zijn account heeft overgenomen! Grapje, maar ik gebruik wel zijn account."
+ " Check https://twitter.com/Tillerinobot voor status en updates!"
+ " Zie https://github.com/Tillerino/Tillerinobot/wiki voor commandos!";
}
@Override
public String faq() {
return "Zie https://github.com/Tillerino/Tillerinobot/wiki/FAQ voor veelgestelde vragen!";
}
@Override
public String featureRankRestricted(String feature, int minRank, OsuApiUser user) {
return "Sorry, " + feature + " is op het moment alleen beschikbaar voor spelers boven rank " + minRank ;
}
@Override
public String mixedNomodAndMods() {
return "Hoe bedoel je, nomod met mods?";
}
@Override
public String outOfRecommendations() {
return "[https://github.com/Tillerino/Tillerinobot/wiki/FAQ#the-bot-says-its-out-of-recommendations-what-do"
+ " Ik heb je alles wat ik me kan bedenken al aanbevolen]."
+ " Probeer andere aanbevelingsopties of gebruik !reset. Als je het niet zeker weet, check !help.";
}
@Override
public String notRanked() {
return "Lijkt erop dat die beatmap niet ranked is.";
}
@Override
public String invalidAccuracy(String acc) {
return "Ongeldige accuracy: \"" + acc + "\"";
}
@Override
public Response optionalCommentOnLanguage(OsuApiUser apiUser) {
return new Message("PudiPudi heeft me geleerd Nederlands te spreken.");
}
@Override
public String invalidChoice(String invalid, String choices) {
return "Het spijt me, maar \"" + invalid
+ "\" werkt niet. Probeer deze: " + choices + "!";
}
@Override
public String setFormat() {
return "De syntax om een parameter in te stellen is '!set optie waarde'. Typ !help als je meer aanwijzingen nodig hebt.";
}
StringShuffler apiTimeoutShuffler = new StringShuffler(rnd);
@Override
public String apiTimeoutException() {
registerModification();
final String message = "De osu! servers zijn nu heel erg traag, dus ik kan op dit moment niets voor je doen. ";
return message + apiTimeoutShuffler.get(
"Zeg... Wanneer heb je voor het laatst met je oma gesproken?",
"Wat dacht je ervan om je kamer eens op te ruimen en dan nog eens te proberen?",
"Ik weet zeker dat je vast erg zin hebt in een wandeling. Jeweetwel... daarbuiten?",
"Ik weet gewoon zeker dat er een helehoop andere dingen zijn die je nog moet doen. Wat dacht je ervan om ze nu te doen?",
"Je ziet eruit alsof je wel wat slaap kan gebruiken...",
"Maat moet je deze superinteressante pagina op [https://nl.wikipedia.org/wiki/Special:Random wikipedia] eens zien!",
"Laten we eens kijken of er een goed iemand aan het [http://www.twitch.tv/directory/game/Osu! streamen] is!",
"Kijk, hier is een ander [http://dagobah.net/flash/Cursor_Invisible.swf spel] waar je waarschijnlijk superslecht in bent!",
"Dit moet je tijd zat geven om [https://github.com/Tillerino/Tillerinobot/wiki mijn handleiding] te bestuderen.",
"Geen zorgen, met deze [https://www.reddit.com/r/osugame dank memes] kun je de tijd dooden.",
"Terwijl je je verveelt, probeer [http://gabrielecirulli.github.io/2048/ 2048] eens een keer!",
"Leuke vraag: Als je harde schijf op dit moment zou crashen, hoeveel van je persoonlijke gegevens ben je dan voor eeuwig kwijt?",
"Dus... Heb je wel eens de [https://www.google.nl/search?q=bring%20sally%20up%20push%20up%20challenge sally up push up challenge] geprobeerd?",
"Je kunt wat anders gaan doen of we kunnen elkaar in de ogen gaan staren. In stilte."
);
}
@Override
public String noRecentPlays() {
return "Ik heb je de afgelopen tijd niet zien spelen.";
}
@Override
public String isSetId() {
return "Dit refereerd naar een beatmap-verzameling in plaats van een beatmap zelf.";
}
}
| Banbeucmas/Tillerinobot | tillerinobot/src/main/java/tillerino/tillerinobot/lang/Nederlands.java | 2,674 | //nl.wikipedia.org/wiki/Special:Random wikipedia] eens zien!", | line_comment | nl | package tillerino.tillerinobot.lang;
import java.util.List;
import java.util.Random;
import org.tillerino.osuApiModel.Mods;
import org.tillerino.osuApiModel.OsuApiUser;
import tillerino.tillerinobot.CommandHandler.Action;
import tillerino.tillerinobot.CommandHandler.Message;
import tillerino.tillerinobot.CommandHandler.Response;
/**
* Dutch language implementation by https://osu.ppy.sh/u/PudiPudi and https://github.com/notadecent and https://osu.ppy.sh/u/2756335
*/
public class Nederlands extends AbstractMutableLanguage {
private static final long serialVersionUID = 1L;
static final Random rnd = new Random();
@Override
public String unknownBeatmap() {
return "Het spijt me, ik ken die map niet. Hij kan gloednieuw zijn, heel erg moeilijk of hij is niet voor osu standard mode.";
}
@Override
public String internalException(String marker) {
return "Ugh... Lijkt er op dat Tillerino een oelewapper is geweest en mijn bedrading kapot heeft gemaakt."
+ " Als hij het zelf niet merkt, kan je hem dan [https://github.com/Tillerino/Tillerinobot/wiki/Contact op de hoogte stellen]? (reference "
+ marker + ")";
}
@Override
public String externalException(String marker) {
return "Wat gebeurt er? Ik krijg alleen maar onzin van de osu server. Kan je me vertellen wat dit betekent? 00111010 01011110 00101001"
+ " De menselijke Tillerino zegt dat we ons er geen zorgen over hoeven te maken en dat we het opnieuw moeten proberen."
+ " Als je je heel erg zorgen maakt hierover, kan je het aan Tillerino [https://github.com/Tillerino/Tillerinobot/wiki/Contact vertellen]. (reference "
+ marker + ")";
}
@Override
public String noInformationForModsShort() {
return "Geen informatie beschikbaar voor opgevraagde mods";
}
@Override
public Response welcomeUser(OsuApiUser apiUser, long inactiveTime) {
if(inactiveTime < 60 * 1000) {
return new Message("beep boop");
} else if(inactiveTime < 24 * 60 * 60 * 1000) {
return new Message("Welkom terug, " + apiUser.getUserName() + ".");
} else if(inactiveTime > 7l * 24 * 60 * 60 * 1000) {
return new Message(apiUser.getUserName() + "...")
.then(new Message("...ben jij dat? Dat is lang geleden!"))
.then(new Message("Het is goed om je weer te zien. Kan ik je wellicht een recommandatie geven?"));
} else {
String[] messages = {
"jij ziet er uit alsof je een recommandatie wilt.",
"leuk om je te zien! :)",
"mijn favoriete mens. (Vertel het niet aan de andere mensen!)",
"wat een leuke verrassing! ^.^",
"Ik hoopte al dat je op kwam dagen. Al die andere mensen zijn saai, maar vertel ze niet dat ik dat zei! :3",
"waar heb je zin in vandaag?",
};
Random random = new Random();
String message = messages[random.nextInt(messages.length)];
return new Message(apiUser.getUserName() + ", " + message);
}
}
@Override
public String unknownCommand(String command) {
return "Ik snap niet helemaal wat je bedoelt met \"" + command
+ "\". Typ !help als je hulp nodig hebt!";
}
@Override
public String noInformationForMods() {
return "Sorry, ik kan je op het moment geen informatie geven over die mods.";
}
@Override
public String malformattedMods(String mods) {
return "Die mods zien er niet goed uit. Mods kunnen elke combinatie zijn van DT HR HD HT EZ NC FL SO NF. Combineer ze zonder spaties of speciale tekens, bijvoorbeeld: '!with HDHR' of '!with DTEZ'";
}
@Override
public String noLastSongInfo() {
return "Ik kan me niet herinneren dat je al een map had opgevraagd...";
}
@Override
public String tryWithMods() {
return "Probeer deze map met wat mods!";
}
@Override
public String tryWithMods(List<Mods> mods) {
return "Probeer deze map eens met " + Mods.toShortNamesContinuous(mods);
}
@Override
public String excuseForError() {
return "Het spijt me, een prachtige rij van enen en nullen kwam langs en dat leidde me af. Wat wou je ook al weer?";
}
@Override
public String complaint() {
return "Je klacht is ingediend. Tillerino zal er naar kijken als hij tijd heeft.";
}
@Override
public Response hug(OsuApiUser apiUser) {
return new Message("Kom eens hier jij!")
.then(new Action("knuffelt " + apiUser.getUserName()));
}
@Override
public String help() {
return "Hallo! Ik ben de robot die Tillerino heeft gedood en zijn account heeft overgenomen! Grapje, maar ik gebruik wel zijn account."
+ " Check https://twitter.com/Tillerinobot voor status en updates!"
+ " Zie https://github.com/Tillerino/Tillerinobot/wiki voor commandos!";
}
@Override
public String faq() {
return "Zie https://github.com/Tillerino/Tillerinobot/wiki/FAQ voor veelgestelde vragen!";
}
@Override
public String featureRankRestricted(String feature, int minRank, OsuApiUser user) {
return "Sorry, " + feature + " is op het moment alleen beschikbaar voor spelers boven rank " + minRank ;
}
@Override
public String mixedNomodAndMods() {
return "Hoe bedoel je, nomod met mods?";
}
@Override
public String outOfRecommendations() {
return "[https://github.com/Tillerino/Tillerinobot/wiki/FAQ#the-bot-says-its-out-of-recommendations-what-do"
+ " Ik heb je alles wat ik me kan bedenken al aanbevolen]."
+ " Probeer andere aanbevelingsopties of gebruik !reset. Als je het niet zeker weet, check !help.";
}
@Override
public String notRanked() {
return "Lijkt erop dat die beatmap niet ranked is.";
}
@Override
public String invalidAccuracy(String acc) {
return "Ongeldige accuracy: \"" + acc + "\"";
}
@Override
public Response optionalCommentOnLanguage(OsuApiUser apiUser) {
return new Message("PudiPudi heeft me geleerd Nederlands te spreken.");
}
@Override
public String invalidChoice(String invalid, String choices) {
return "Het spijt me, maar \"" + invalid
+ "\" werkt niet. Probeer deze: " + choices + "!";
}
@Override
public String setFormat() {
return "De syntax om een parameter in te stellen is '!set optie waarde'. Typ !help als je meer aanwijzingen nodig hebt.";
}
StringShuffler apiTimeoutShuffler = new StringShuffler(rnd);
@Override
public String apiTimeoutException() {
registerModification();
final String message = "De osu! servers zijn nu heel erg traag, dus ik kan op dit moment niets voor je doen. ";
return message + apiTimeoutShuffler.get(
"Zeg... Wanneer heb je voor het laatst met je oma gesproken?",
"Wat dacht je ervan om je kamer eens op te ruimen en dan nog eens te proberen?",
"Ik weet zeker dat je vast erg zin hebt in een wandeling. Jeweetwel... daarbuiten?",
"Ik weet gewoon zeker dat er een helehoop andere dingen zijn die je nog moet doen. Wat dacht je ervan om ze nu te doen?",
"Je ziet eruit alsof je wel wat slaap kan gebruiken...",
"Maat moet je deze superinteressante pagina op [https://nl.wikipedia.org/wiki/Special:Random wikipedia]<SUF>
"Laten we eens kijken of er een goed iemand aan het [http://www.twitch.tv/directory/game/Osu! streamen] is!",
"Kijk, hier is een ander [http://dagobah.net/flash/Cursor_Invisible.swf spel] waar je waarschijnlijk superslecht in bent!",
"Dit moet je tijd zat geven om [https://github.com/Tillerino/Tillerinobot/wiki mijn handleiding] te bestuderen.",
"Geen zorgen, met deze [https://www.reddit.com/r/osugame dank memes] kun je de tijd dooden.",
"Terwijl je je verveelt, probeer [http://gabrielecirulli.github.io/2048/ 2048] eens een keer!",
"Leuke vraag: Als je harde schijf op dit moment zou crashen, hoeveel van je persoonlijke gegevens ben je dan voor eeuwig kwijt?",
"Dus... Heb je wel eens de [https://www.google.nl/search?q=bring%20sally%20up%20push%20up%20challenge sally up push up challenge] geprobeerd?",
"Je kunt wat anders gaan doen of we kunnen elkaar in de ogen gaan staren. In stilte."
);
}
@Override
public String noRecentPlays() {
return "Ik heb je de afgelopen tijd niet zien spelen.";
}
@Override
public String isSetId() {
return "Dit refereerd naar een beatmap-verzameling in plaats van een beatmap zelf.";
}
}
| false | 2,316 | 14 | 2,767 | 20 | 2,414 | 17 | 2,767 | 20 | 3,017 | 22 | false | false | false | false | false | true |
100 | 113420_1 | package be.annelyse.year2019;
import be.annelyse.util.Color;
import be.annelyse.util.Coordinate2D;
import be.annelyse.util.Direction;
import java.io.IOException;
import java.nio.file.Files;
import java.nio.file.Paths;
import java.util.Arrays;
import java.util.List;
import java.util.concurrent.LinkedBlockingQueue;
import java.util.concurrent.TimeUnit;
import java.util.stream.Collectors;
public class Day11 {
private static LinkedBlockingQueue<Long> inputPaintRobot = new LinkedBlockingQueue<>();
private static LinkedBlockingQueue<Long> outputPaintRobot = new LinkedBlockingQueue<>();
private static List<Pannel> paintedPannels;
public static void main(String[] args) {
// System.out.println("********************************************************************");
// System.out.println("The testSolution is: " + solveWithoutIntComputer("Day11_test1"));
System.out.println("********************************************************************");
System.out.println("The solution with my computer is is: " + solveA("Day11"));
}
private static int solveWithoutIntComputer(String inputFileName) {
List<Long> input = getInput(inputFileName);
LinkedBlockingQueue<Long> testInput = new LinkedBlockingQueue<>(input);
PaintRobot testPaintRobot = new PaintRobot(new Coordinate2D(0, 0, Direction.UP), testInput, outputPaintRobot);
Thread paintRobotThread = new Thread(testPaintRobot);
paintRobotThread.start();
try {
TimeUnit.MILLISECONDS.sleep(100);
} catch (InterruptedException e) {
e.printStackTrace();
}
testPaintRobot.setActive(false); //todo ... deze komt te laat!!!! deze zou moeten komen voor hij alweer wacht op een nieuwe input. Misschien hier te implementeren als de laatste input wordt genomen ofzo???
try {
paintRobotThread.join();
} catch (InterruptedException e) {
e.printStackTrace();
}
return testPaintRobot.getPaintedPannels().size();
}
private static int solveA(String inputFileName) {
PaintRobot ourPaintRobot = new PaintRobot(new Coordinate2D(0, 0, Direction.UP), inputPaintRobot, outputPaintRobot);
IntCodeComputer2 intCodeComputer2 = new IntCodeComputer2(getInput(inputFileName), outputPaintRobot, inputPaintRobot);
Thread paintRobotThread = new Thread(ourPaintRobot);
paintRobotThread.start();
Thread intComputerThread = new Thread(intCodeComputer2);
intComputerThread.start();
try {
intComputerThread.join();
paintedPannels = ourPaintRobot.getPaintedPannels();
ourPaintRobot.setActive(false);
} catch (InterruptedException e) {
e.printStackTrace();
}
printPaintedPannels(paintedPannels);
return paintedPannels.size();
}
static List<Long> getInput(String inputFileName) {
String input = null;
try {
input = Files.readString(Paths.get("src/main/resources/input/year2019", inputFileName));
} catch (IOException e) {
e.printStackTrace();
}
return Arrays.stream(input.split(","))
.map(Long::parseLong)
.collect(Collectors.toList());
}
static String[][] printPaintedPannels(List<Pannel> paintedPannels) {
int xMin = paintedPannels.stream().map(Coordinate2D::getX).min(Integer::compareTo).get();
int xMax = paintedPannels.stream().map(Coordinate2D::getX).max(Integer::compareTo).get();
int yMin = paintedPannels.stream().map(Coordinate2D::getY).min(Integer::compareTo).get();
int yMax = paintedPannels.stream().map(Coordinate2D::getY).max(Integer::compareTo).get();
System.out.println("xMin: " + xMin + " xMax: " + xMax + " yMin: " + yMin + " yMax: " + yMax);
int columnCount = xMax - xMin + 1;
int rowCount = yMax - yMin + 1;
String[][] print = new String[columnCount][rowCount];
for (int y = rowCount-1; y >= 0; y--){
System.out.println();
for (int x = 0; x < columnCount; x++){
int indexOfPannel = paintedPannels.indexOf(new Pannel(x+xMin,y+yMin));
if(indexOfPannel < 0){
print[x][y] = " ";
} else {
Color pannelColor = paintedPannels.get(indexOfPannel).getColor();
print[x][y] = pannelColor.toString();
}
System.out.print(print[x][y]);
}
}
return print;
}
}
| AnnelyseBe/AdventOfCode2019 | src/main/java/be/annelyse/year2019/Day11.java | 1,352 | //todo ... deze komt te laat!!!! deze zou moeten komen voor hij alweer wacht op een nieuwe input. Misschien hier te implementeren als de laatste input wordt genomen ofzo??? | line_comment | nl | package be.annelyse.year2019;
import be.annelyse.util.Color;
import be.annelyse.util.Coordinate2D;
import be.annelyse.util.Direction;
import java.io.IOException;
import java.nio.file.Files;
import java.nio.file.Paths;
import java.util.Arrays;
import java.util.List;
import java.util.concurrent.LinkedBlockingQueue;
import java.util.concurrent.TimeUnit;
import java.util.stream.Collectors;
public class Day11 {
private static LinkedBlockingQueue<Long> inputPaintRobot = new LinkedBlockingQueue<>();
private static LinkedBlockingQueue<Long> outputPaintRobot = new LinkedBlockingQueue<>();
private static List<Pannel> paintedPannels;
public static void main(String[] args) {
// System.out.println("********************************************************************");
// System.out.println("The testSolution is: " + solveWithoutIntComputer("Day11_test1"));
System.out.println("********************************************************************");
System.out.println("The solution with my computer is is: " + solveA("Day11"));
}
private static int solveWithoutIntComputer(String inputFileName) {
List<Long> input = getInput(inputFileName);
LinkedBlockingQueue<Long> testInput = new LinkedBlockingQueue<>(input);
PaintRobot testPaintRobot = new PaintRobot(new Coordinate2D(0, 0, Direction.UP), testInput, outputPaintRobot);
Thread paintRobotThread = new Thread(testPaintRobot);
paintRobotThread.start();
try {
TimeUnit.MILLISECONDS.sleep(100);
} catch (InterruptedException e) {
e.printStackTrace();
}
testPaintRobot.setActive(false); //todo ...<SUF>
try {
paintRobotThread.join();
} catch (InterruptedException e) {
e.printStackTrace();
}
return testPaintRobot.getPaintedPannels().size();
}
private static int solveA(String inputFileName) {
PaintRobot ourPaintRobot = new PaintRobot(new Coordinate2D(0, 0, Direction.UP), inputPaintRobot, outputPaintRobot);
IntCodeComputer2 intCodeComputer2 = new IntCodeComputer2(getInput(inputFileName), outputPaintRobot, inputPaintRobot);
Thread paintRobotThread = new Thread(ourPaintRobot);
paintRobotThread.start();
Thread intComputerThread = new Thread(intCodeComputer2);
intComputerThread.start();
try {
intComputerThread.join();
paintedPannels = ourPaintRobot.getPaintedPannels();
ourPaintRobot.setActive(false);
} catch (InterruptedException e) {
e.printStackTrace();
}
printPaintedPannels(paintedPannels);
return paintedPannels.size();
}
static List<Long> getInput(String inputFileName) {
String input = null;
try {
input = Files.readString(Paths.get("src/main/resources/input/year2019", inputFileName));
} catch (IOException e) {
e.printStackTrace();
}
return Arrays.stream(input.split(","))
.map(Long::parseLong)
.collect(Collectors.toList());
}
static String[][] printPaintedPannels(List<Pannel> paintedPannels) {
int xMin = paintedPannels.stream().map(Coordinate2D::getX).min(Integer::compareTo).get();
int xMax = paintedPannels.stream().map(Coordinate2D::getX).max(Integer::compareTo).get();
int yMin = paintedPannels.stream().map(Coordinate2D::getY).min(Integer::compareTo).get();
int yMax = paintedPannels.stream().map(Coordinate2D::getY).max(Integer::compareTo).get();
System.out.println("xMin: " + xMin + " xMax: " + xMax + " yMin: " + yMin + " yMax: " + yMax);
int columnCount = xMax - xMin + 1;
int rowCount = yMax - yMin + 1;
String[][] print = new String[columnCount][rowCount];
for (int y = rowCount-1; y >= 0; y--){
System.out.println();
for (int x = 0; x < columnCount; x++){
int indexOfPannel = paintedPannels.indexOf(new Pannel(x+xMin,y+yMin));
if(indexOfPannel < 0){
print[x][y] = " ";
} else {
Color pannelColor = paintedPannels.get(indexOfPannel).getColor();
print[x][y] = pannelColor.toString();
}
System.out.print(print[x][y]);
}
}
return print;
}
}
| false | 1,008 | 42 | 1,167 | 52 | 1,195 | 37 | 1,167 | 52 | 1,355 | 46 | false | false | false | false | false | true |
366 | 143931_2 | package Opties;
import java.io.*;
import java.util.ArrayList;
import java.util.Scanner;
public class OptieLijst {
Optie Navigatiesysteem = new Optie(true, "Navigatiesysteem", "Dit is een test beschrijving om te kijken hoe het reageert op meerdere characters", 50, false);
Optie Motor = new Optie(true, "Motor", "Dit is een test beschrijving om te kijken hoe het reageert op meerdere characters", 50, true);
Optie Roer = new Optie(true, "Roer", "Dit is een test beschrijving om te kijken hoe het reageert op meerdere characters", 50, false);
public Optie Brandstoftank = new Optie(true, "Brandstoftank", "Dit is een test beschrijving om te kijken hoe het reageert op meerdere characters", 50, true);
public Optie Anker = new Optie(true, "Anker", "Dit is een test beschrijving om te kijken hoe het reageert op meerdere characters", 50, false);
Optie Airconditioning = new Optie(false, "Airconditioning", "Dit is een test beschrijving om te kijken hoe het reageert op meerdere characters", 20, false);
Optie Sonar = new Optie(false, "Sonar", "Dit is een test beschrijving om te kijken hoe het reageert op meerdere characters", 20, false);
Optie ExtraPKs = new Optie(false, "ExtraPKs", "Dit is een test beschrijving om te kijken hoe het reageert op meerdere characters", 20, false);
//public List<Opties.Optie> optielijst = List.of(optie1, optie2, optie3, optie4, optie5, optie6, optie7, optie8); // is voor List
// is handig om te houden in het geval je de List optielijst veranderd naar ArrayList
public ArrayList<Optie> optielijst = new ArrayList<Optie>();
private String Path =
"ShipFlexcode" +
File.separator +
"src" +
File.separator +
"CSV_Files" +
File.separator +
"opties.csv";
//Bovenstaande path is een relatief path naar de juiste plek voor het bestand. Dit betekent dat de code op elk andere computer hoort te werken.
public void writeToCSV() throws FileNotFoundException {
//readFromCSV(); //Vul de arraylist eerst in zodat het csv bestand overschreven kan worden.
StringBuilder builder = new StringBuilder();
File csv = new File(Path);
PrintWriter pw = new PrintWriter(csv);
try {
for (int i = 0; i < optielijst.size(); i++) {
builder.append(optielijst.get(i).getIsEssentieel());
builder.append(",");
builder.append(optielijst.get(i).getNaam());
builder.append(",");
builder.append(optielijst.get(i).getBeschrijving());
builder.append(",");
builder.append(optielijst.get(i).getPrijs());
builder.append(",");
builder.append(optielijst.get(i).getMiliuekorting());
builder.append("\n");
}
pw.write(String.valueOf(builder));
pw.flush();
pw.close();
//System.out.println(builder);
} catch (Exception e) {
e.printStackTrace();
}
}
//Deze methode leest dingen uit een csv bestand en maakt hiermee objecten van het type Opties.Optie aan.
public void readFromCSV() {
BufferedReader reader = null;
String line = "";
try {
reader = new BufferedReader(new FileReader(Path));
optielijst.clear();
while ((line = reader.readLine()) != null) {
String[] row = line.split(",");
optielijst.add(new Optie(row[0], row[1], row[2], row[3], row[4]));
}
} catch (Exception e) {
}
}
public void voegAlleOptiesToeAanLijst(OptieLijst optielijst) {
optielijst.optielijst.add(Navigatiesysteem);
optielijst.optielijst.add(Motor);
optielijst.optielijst.add(Roer);
optielijst.optielijst.add(Brandstoftank);
optielijst.optielijst.add(Anker);
optielijst.optielijst.add(Airconditioning);
optielijst.optielijst.add(Sonar);
optielijst.optielijst.add(ExtraPKs);
}
// tot hier
public void printOptieLijst() {
readFromCSV();
for (int i = 0; i < 202; i++) {
System.out.print("-");
}
System.out.println();
System.out.printf("|%-15s| %-20s| %-20s| %-100s| %-10s| %-25s|%n",
"Optie nr.",
"Essentiele optie",
"Naam",
"Beschrijving",
"Prijs",
"Milieukorting"
);
for (int i = 0; i < 202; i++) {
System.out.print("-");
}
System.out.println();
for (int i = 1; i < optielijst.size(); i++) {
String prijs = String.valueOf(optielijst.get(i).getPrijs()); //Dit was eerst 'doubleprijs'
//String prijs = "\u20ac" + doubleprijs; //De bedoeling hiervan was om een eurosymbool te printen, maar dat lijkt niet te werken met printf
if (optielijst.get(i).getIsEssentieel()) {
System.out.printf("|%-15d| %-20s| %-20s| %-100s| %-10s| %-25s|%n",
optielijst.indexOf(optielijst.get(i)),
optielijst.get(i).getIsEssentieel(),
optielijst.get(i).getNaam(),
optielijst.get(i).getBeschrijving(),
optielijst.get(i).getPrijs(),
optielijst.get(i).getMiliuekorting()
);
}
}
for (int i = 1; i < optielijst.size(); i++) {
if (!optielijst.get(i).getIsEssentieel()) {
System.out.printf("|%-15d| %-20s| %-20s| %-100s| %-10s| %-25s|%n",
optielijst.indexOf(optielijst.get(i)),
optielijst.get(i).getIsEssentieel(),
optielijst.get(i).getNaam(),
optielijst.get(i).getBeschrijving(),
optielijst.get(i).getPrijs(),
optielijst.get(i).getMiliuekorting()
);
}
}
for (int i = 0; i < 202; i++) {
System.out.print("-");
}
System.out.println();
}
public void nieuweOptie(String isEssentieel,
String naam,
String beschrijving,
String prijs,
String milieukorting) throws FileNotFoundException {
Optie nieuweOptie = new Optie(isEssentieel, naam, beschrijving, prijs, milieukorting);
readFromCSV();
optielijst.add(nieuweOptie);
writeToCSV();
}
public void nieuweOptie(boolean isEssentieel,
String naam,
String beschrijving,
double prijs,
boolean milieukorting) throws FileNotFoundException {
readFromCSV();
Optie nieuweOptie = new Optie(isEssentieel, naam, beschrijving, prijs, milieukorting);
optielijst.add(nieuweOptie);
writeToCSV();
}
}
| DKnightAnon/OPT-project-1 | ShipFlexcode/src/Opties/OptieLijst.java | 2,291 | //Bovenstaande path is een relatief path naar de juiste plek voor het bestand. Dit betekent dat de code op elk andere computer hoort te werken. | line_comment | nl | package Opties;
import java.io.*;
import java.util.ArrayList;
import java.util.Scanner;
public class OptieLijst {
Optie Navigatiesysteem = new Optie(true, "Navigatiesysteem", "Dit is een test beschrijving om te kijken hoe het reageert op meerdere characters", 50, false);
Optie Motor = new Optie(true, "Motor", "Dit is een test beschrijving om te kijken hoe het reageert op meerdere characters", 50, true);
Optie Roer = new Optie(true, "Roer", "Dit is een test beschrijving om te kijken hoe het reageert op meerdere characters", 50, false);
public Optie Brandstoftank = new Optie(true, "Brandstoftank", "Dit is een test beschrijving om te kijken hoe het reageert op meerdere characters", 50, true);
public Optie Anker = new Optie(true, "Anker", "Dit is een test beschrijving om te kijken hoe het reageert op meerdere characters", 50, false);
Optie Airconditioning = new Optie(false, "Airconditioning", "Dit is een test beschrijving om te kijken hoe het reageert op meerdere characters", 20, false);
Optie Sonar = new Optie(false, "Sonar", "Dit is een test beschrijving om te kijken hoe het reageert op meerdere characters", 20, false);
Optie ExtraPKs = new Optie(false, "ExtraPKs", "Dit is een test beschrijving om te kijken hoe het reageert op meerdere characters", 20, false);
//public List<Opties.Optie> optielijst = List.of(optie1, optie2, optie3, optie4, optie5, optie6, optie7, optie8); // is voor List
// is handig om te houden in het geval je de List optielijst veranderd naar ArrayList
public ArrayList<Optie> optielijst = new ArrayList<Optie>();
private String Path =
"ShipFlexcode" +
File.separator +
"src" +
File.separator +
"CSV_Files" +
File.separator +
"opties.csv";
//Bovenstaande path<SUF>
public void writeToCSV() throws FileNotFoundException {
//readFromCSV(); //Vul de arraylist eerst in zodat het csv bestand overschreven kan worden.
StringBuilder builder = new StringBuilder();
File csv = new File(Path);
PrintWriter pw = new PrintWriter(csv);
try {
for (int i = 0; i < optielijst.size(); i++) {
builder.append(optielijst.get(i).getIsEssentieel());
builder.append(",");
builder.append(optielijst.get(i).getNaam());
builder.append(",");
builder.append(optielijst.get(i).getBeschrijving());
builder.append(",");
builder.append(optielijst.get(i).getPrijs());
builder.append(",");
builder.append(optielijst.get(i).getMiliuekorting());
builder.append("\n");
}
pw.write(String.valueOf(builder));
pw.flush();
pw.close();
//System.out.println(builder);
} catch (Exception e) {
e.printStackTrace();
}
}
//Deze methode leest dingen uit een csv bestand en maakt hiermee objecten van het type Opties.Optie aan.
public void readFromCSV() {
BufferedReader reader = null;
String line = "";
try {
reader = new BufferedReader(new FileReader(Path));
optielijst.clear();
while ((line = reader.readLine()) != null) {
String[] row = line.split(",");
optielijst.add(new Optie(row[0], row[1], row[2], row[3], row[4]));
}
} catch (Exception e) {
}
}
public void voegAlleOptiesToeAanLijst(OptieLijst optielijst) {
optielijst.optielijst.add(Navigatiesysteem);
optielijst.optielijst.add(Motor);
optielijst.optielijst.add(Roer);
optielijst.optielijst.add(Brandstoftank);
optielijst.optielijst.add(Anker);
optielijst.optielijst.add(Airconditioning);
optielijst.optielijst.add(Sonar);
optielijst.optielijst.add(ExtraPKs);
}
// tot hier
public void printOptieLijst() {
readFromCSV();
for (int i = 0; i < 202; i++) {
System.out.print("-");
}
System.out.println();
System.out.printf("|%-15s| %-20s| %-20s| %-100s| %-10s| %-25s|%n",
"Optie nr.",
"Essentiele optie",
"Naam",
"Beschrijving",
"Prijs",
"Milieukorting"
);
for (int i = 0; i < 202; i++) {
System.out.print("-");
}
System.out.println();
for (int i = 1; i < optielijst.size(); i++) {
String prijs = String.valueOf(optielijst.get(i).getPrijs()); //Dit was eerst 'doubleprijs'
//String prijs = "\u20ac" + doubleprijs; //De bedoeling hiervan was om een eurosymbool te printen, maar dat lijkt niet te werken met printf
if (optielijst.get(i).getIsEssentieel()) {
System.out.printf("|%-15d| %-20s| %-20s| %-100s| %-10s| %-25s|%n",
optielijst.indexOf(optielijst.get(i)),
optielijst.get(i).getIsEssentieel(),
optielijst.get(i).getNaam(),
optielijst.get(i).getBeschrijving(),
optielijst.get(i).getPrijs(),
optielijst.get(i).getMiliuekorting()
);
}
}
for (int i = 1; i < optielijst.size(); i++) {
if (!optielijst.get(i).getIsEssentieel()) {
System.out.printf("|%-15d| %-20s| %-20s| %-100s| %-10s| %-25s|%n",
optielijst.indexOf(optielijst.get(i)),
optielijst.get(i).getIsEssentieel(),
optielijst.get(i).getNaam(),
optielijst.get(i).getBeschrijving(),
optielijst.get(i).getPrijs(),
optielijst.get(i).getMiliuekorting()
);
}
}
for (int i = 0; i < 202; i++) {
System.out.print("-");
}
System.out.println();
}
public void nieuweOptie(String isEssentieel,
String naam,
String beschrijving,
String prijs,
String milieukorting) throws FileNotFoundException {
Optie nieuweOptie = new Optie(isEssentieel, naam, beschrijving, prijs, milieukorting);
readFromCSV();
optielijst.add(nieuweOptie);
writeToCSV();
}
public void nieuweOptie(boolean isEssentieel,
String naam,
String beschrijving,
double prijs,
boolean milieukorting) throws FileNotFoundException {
readFromCSV();
Optie nieuweOptie = new Optie(isEssentieel, naam, beschrijving, prijs, milieukorting);
optielijst.add(nieuweOptie);
writeToCSV();
}
}
| false | 1,859 | 39 | 2,047 | 43 | 1,971 | 31 | 2,047 | 43 | 2,269 | 41 | false | false | false | false | false | true |
4,493 | 54922_2 | package vb.week2.tabular;
/**
* VB prac week2: LaTeX tabular -> HTML symbolicName.
* Token class.
* @author Theo Ruys, Arend Rensink
* @version 2012.04.28
*/
public class Token {
public enum Kind {
IDENTIFIER("<IDENTIFIER>"),
NUM("<NUM>"),
BEGIN("begin"),
END("end"),
TABULAR("tabular"),
BSLASH("<BSLASH>"),
DOUBLE_BSLASH("<DOUBLE_BSLASH>"),
BAR("<BAR>"),
AMPERSAND("<AMPERSAND>"),
LCURLY("<LCURLY>"),
RCURLY("<RCURLY>"),
EOT("<EOT>");
private Kind(String spelling) {
this.spelling = spelling;
}
/** Returns the exact spelling of the keyword tokens. */
public String getSpelling() {
return this.spelling;
}
final private String spelling;
}
private Kind kind;
private String repr;
/**
* Construeert een Token-object gegeven de "kind" van het Token
* en zijn representatie. Als het een IDENTIFIER Token is wordt
* gecontroleerd of het geen "keyword" is.
* @param kind soort Token
* @param repr String representatie van het Token
*/
public Token(Kind kind, String repr) {
this.kind = kind;
this.repr = repr;
// Recognize keywords
if (this.kind == Kind.IDENTIFIER) {
for (Kind k: Kind.values()) {
if (repr.equals(k.getSpelling())) {
this.kind = k;
break;
}
}
}
}
/** Levert het soort Token. */
public Kind getKind() {
return this.kind;
}
/** Levert de String-representatie van dit Token. */
public String getRepr() {
return this.repr;
}
}
| thomasbrus/vertalerbouw | vb/week2/tabular/Token.java | 535 | /**
* Construeert een Token-object gegeven de "kind" van het Token
* en zijn representatie. Als het een IDENTIFIER Token is wordt
* gecontroleerd of het geen "keyword" is.
* @param kind soort Token
* @param repr String representatie van het Token
*/ | block_comment | nl | package vb.week2.tabular;
/**
* VB prac week2: LaTeX tabular -> HTML symbolicName.
* Token class.
* @author Theo Ruys, Arend Rensink
* @version 2012.04.28
*/
public class Token {
public enum Kind {
IDENTIFIER("<IDENTIFIER>"),
NUM("<NUM>"),
BEGIN("begin"),
END("end"),
TABULAR("tabular"),
BSLASH("<BSLASH>"),
DOUBLE_BSLASH("<DOUBLE_BSLASH>"),
BAR("<BAR>"),
AMPERSAND("<AMPERSAND>"),
LCURLY("<LCURLY>"),
RCURLY("<RCURLY>"),
EOT("<EOT>");
private Kind(String spelling) {
this.spelling = spelling;
}
/** Returns the exact spelling of the keyword tokens. */
public String getSpelling() {
return this.spelling;
}
final private String spelling;
}
private Kind kind;
private String repr;
/**
* Construeert een Token-object<SUF>*/
public Token(Kind kind, String repr) {
this.kind = kind;
this.repr = repr;
// Recognize keywords
if (this.kind == Kind.IDENTIFIER) {
for (Kind k: Kind.values()) {
if (repr.equals(k.getSpelling())) {
this.kind = k;
break;
}
}
}
}
/** Levert het soort Token. */
public Kind getKind() {
return this.kind;
}
/** Levert de String-representatie van dit Token. */
public String getRepr() {
return this.repr;
}
}
| false | 432 | 73 | 450 | 71 | 483 | 73 | 450 | 71 | 540 | 78 | false | false | false | false | false | true |
1,361 | 15318_8 |
import greenfoot.*; // (World, Actor, GreenfootImage, Greenfoot and MouseInfo)
/**
*
* @author R. Springer
*/
public class BeginScherm extends World {
private CollisionEngine ce;
/**
* Constructor for objects of class MyWorld.
*
*/
public BeginScherm() {
// Create a new world with 600x400 cells with a cell size of 1x1 pixels.
super(1000, 800, 1, false);
this.setBackground("startScreen.jpg");
//startScreen();
TileEngine te = new TileEngine(this, 60, 60);
// Declarenre en initialiseren van de camera klasse met de TileEngine klasse
// zodat de camera weet welke tiles allemaal moeten meebewegen met de camera
Camera camera = new Camera(te);
// Declareren en initialiseren van een main karakter van het spel mijne heet Hero. Deze klasse
// moet de klasse Mover extenden voor de camera om te werken
Hero hero = new Hero();
// Laat de camera een object volgen. Die moet een Mover instatie zijn of een extentie hiervan.
camera.follow(hero);
// Alle objecten toevoegen aan de wereld: camera, main karakter en mogelijke enemies
addObject(camera, 0, 0);
// Initialiseren van de CollisionEngine zodat de speler niet door de tile heen kan lopen.
// De collision engine kijkt alleen naar de tiles die de variabele solid op true hebben staan.
ce = new CollisionEngine(te, camera);
// Toevoegen van de mover instantie of een extentie hiervan
ce.addCollidingMover(hero);
prepare();
}
public void act() {
ce.update();
}
/**
* Prepare the world for the start of the program.
* That is: create the initial objects and add them to the world.
*/
private void prepare()
{
StartPlay startPlay = new StartPlay();
addObject(startPlay,414,314);
}
}
| ROCMondriaanTIN/project-greenfoot-game-302443235 | BeginScherm.java | 539 | // Laat de camera een object volgen. Die moet een Mover instatie zijn of een extentie hiervan. | line_comment | nl |
import greenfoot.*; // (World, Actor, GreenfootImage, Greenfoot and MouseInfo)
/**
*
* @author R. Springer
*/
public class BeginScherm extends World {
private CollisionEngine ce;
/**
* Constructor for objects of class MyWorld.
*
*/
public BeginScherm() {
// Create a new world with 600x400 cells with a cell size of 1x1 pixels.
super(1000, 800, 1, false);
this.setBackground("startScreen.jpg");
//startScreen();
TileEngine te = new TileEngine(this, 60, 60);
// Declarenre en initialiseren van de camera klasse met de TileEngine klasse
// zodat de camera weet welke tiles allemaal moeten meebewegen met de camera
Camera camera = new Camera(te);
// Declareren en initialiseren van een main karakter van het spel mijne heet Hero. Deze klasse
// moet de klasse Mover extenden voor de camera om te werken
Hero hero = new Hero();
// Laat de<SUF>
camera.follow(hero);
// Alle objecten toevoegen aan de wereld: camera, main karakter en mogelijke enemies
addObject(camera, 0, 0);
// Initialiseren van de CollisionEngine zodat de speler niet door de tile heen kan lopen.
// De collision engine kijkt alleen naar de tiles die de variabele solid op true hebben staan.
ce = new CollisionEngine(te, camera);
// Toevoegen van de mover instantie of een extentie hiervan
ce.addCollidingMover(hero);
prepare();
}
public void act() {
ce.update();
}
/**
* Prepare the world for the start of the program.
* That is: create the initial objects and add them to the world.
*/
private void prepare()
{
StartPlay startPlay = new StartPlay();
addObject(startPlay,414,314);
}
}
| false | 481 | 26 | 514 | 25 | 507 | 23 | 514 | 25 | 573 | 26 | false | false | false | false | false | true |
250 | 30836_0 | package game.spawner;
import java.util.ArrayList;
import java.util.List;
import java.util.Random;
import game.movement.Direction;
import game.objects.background.BackgroundObject;
import game.objects.enemies.Enemy;
import VisualAndAudioData.DataClass;
import game.objects.enemies.enums.EnemyEnums;
import javax.xml.crypto.Data;
public class SpawningCoordinator {
private static SpawningCoordinator instance = new SpawningCoordinator();
private Random random = new Random();
// Al deze ranges moeten eigenlijk dynamisch berekend worden, want nu is het
// niet resizable
private int maximumBGOWidthRange = DataClass.getInstance().getWindowWidth() + 200;
private int minimumBGOWidthRange = -200;
private int maximumBGOHeightRange = DataClass.getInstance().getWindowHeight();
private int minimumBGOHeightRange = 0;
private int maximumBombEnemyHeightDownRange = 0;
private int minimumBombEnemyHeightDownRange = -200;
//Left Spawning block
private int leftEnemyMaxHeightRange = DataClass.getInstance().getPlayableWindowMaxHeight() - 100;
private int leftEnemyMinHeightRange = DataClass.getInstance().getPlayableWindowMinHeight();
private int leftEnemyMaxWidthRange = 500;
private int leftEnemyMinWidthRange = 100;
private int bottomLeftEnemyMinHeightRange = DataClass.getInstance().getPlayableWindowMaxHeight() - 100;
private int bottomLeftEnemyMaxHeightRange = DataClass.getInstance().getPlayableWindowMaxHeight() + 50;
private int topLeftEnemyMinHeightRange = DataClass.getInstance().getPlayableWindowMinHeight();
private int topLeftEnemyMaxHeightRange = DataClass.getInstance().getPlayableWindowMinHeight() + 100;
//Right Spawning block
private int rightEnemyMaxWidthRange = DataClass.getInstance().getWindowWidth() + 200;
private int rightEnemyMinWidthRange = DataClass.getInstance().getWindowWidth();
private int rightEnemyMaxHeightRange = DataClass.getInstance().getPlayableWindowMaxHeight() - 100;
private int rightEnemyMinHeightRange = DataClass.getInstance().getPlayableWindowMinHeight() + 100;
private int bottomRightEnemyMinHeightRange = DataClass.getInstance().getPlayableWindowMaxHeight() - 100;
private int bottomRightEnemyMaxHeightRange = DataClass.getInstance().getPlayableWindowMaxHeight() + 50;
private int topRightEnemyMinHeightRange = DataClass.getInstance().getPlayableWindowMinHeight() + 100;
private int topRightEnemyMaxHeightRange = DataClass.getInstance().getPlayableWindowMinHeight() + 200;
//Up spawning block
private int upEnemyMaxWidthRange = DataClass.getInstance().getWindowWidth() - 50;
private int upEnemyMinWidthRange = 100;
private int upEnemyMaxHeightRange = DataClass.getInstance().getPlayableWindowMinHeight() + 150;
private int upEnemyMinHeightRange = DataClass.getInstance().getPlayableWindowMinHeight();
//Down spawning block
private int downEnemyMaxWidthRange = DataClass.getInstance().getWindowWidth() - 50;
private int downEnemyMinWidthRange = 50;
private int downEnemyMaxHeightRange = DataClass.getInstance().getPlayableWindowMaxHeight() + 200;
private int downEnemyMinHeightRange = DataClass.getInstance().getPlayableWindowMaxHeight() + 50;
private SpawningCoordinator () {
}
public static SpawningCoordinator getInstance () {
return instance;
}
//Function used to prevent enemies of the same type of stacking on top of each other when being spawned in
public boolean checkValidEnemyXCoordinate (Enemy enemyType, List<Enemy> listToCheck, int xCoordinate, int minimumRange) {
for (Enemy enemy : listToCheck) {
if (!enemy.getEnemyType().equals(EnemyEnums.Alien_Bomb)) {
if (Math.abs(enemy.getXCoordinate() - xCoordinate) < minimumRange) {
return false;
}
}
}
return true;
}
//Function used to prevent enemies of the same type of stacking on top of each other when being spawned in
public boolean checkValidEnemyYCoordinate (Enemy enemyType, List<Enemy> listToCheck, int yCoordinate, int minimumRange) {
for (Enemy enemy : listToCheck) {
if (!enemy.getEnemyType().equals(EnemyEnums.Alien_Bomb)) {
if (Math.abs(enemy.getYCoordinate() - yCoordinate) < minimumRange) {
return false;
}
}
}
return true;
}
public int getRightBlockXCoordinate () {
return random.nextInt((rightEnemyMaxWidthRange - rightEnemyMinWidthRange) + 1) + rightEnemyMinWidthRange;
}
public int getRightBlockYCoordinate () {
return random.nextInt((rightEnemyMaxHeightRange - rightEnemyMinHeightRange) + 1) + rightEnemyMinHeightRange;
}
public int getBottomRightBlockYCoordinate () {
return random.nextInt((bottomRightEnemyMaxHeightRange - bottomRightEnemyMinHeightRange) + 1) + bottomRightEnemyMinHeightRange;
}
public int getTopRightBlockYCoordinate () {
return 0 - random.nextInt((topRightEnemyMaxHeightRange - topRightEnemyMinHeightRange) + 1) + topRightEnemyMinHeightRange;
}
public int getLeftBlockXCoordinate () {
return 0 - random.nextInt((leftEnemyMaxWidthRange - leftEnemyMinWidthRange) + 1) + leftEnemyMinWidthRange;
}
public int getLeftBlockYCoordinate () {
return random.nextInt((leftEnemyMaxHeightRange - leftEnemyMinHeightRange) + 1) + leftEnemyMinHeightRange;
}
public int getBottomLeftBlockYCoordinate () {
return random.nextInt((bottomLeftEnemyMaxHeightRange - bottomLeftEnemyMinHeightRange) + 1) + bottomLeftEnemyMinHeightRange;
}
public int getTopLeftBlockYCoordinate () {
return 0 - random.nextInt((topLeftEnemyMaxHeightRange - topLeftEnemyMinHeightRange) + 1) + topLeftEnemyMinHeightRange;
}
public int getUpBlockXCoordinate () {
return random.nextInt((upEnemyMaxWidthRange - upEnemyMinWidthRange) + 1) + upEnemyMinWidthRange;
}
public int getUpBlockYCoordinate () {
return 0 - random.nextInt((upEnemyMaxHeightRange - upEnemyMinHeightRange) + 1) + upEnemyMinHeightRange;
}
public int getDownBlockXCoordinate () {
return random.nextInt((downEnemyMaxWidthRange - downEnemyMinWidthRange) + 1) + downEnemyMinWidthRange;
}
public int getDownBlockYCoordinate () {
return random.nextInt((downEnemyMaxHeightRange - downEnemyMinHeightRange) + 1) + downEnemyMinHeightRange;
}
public int getRandomXBombEnemyCoordinate () {
return random.nextInt((downEnemyMaxWidthRange - downEnemyMinWidthRange) + 1) + downEnemyMinWidthRange;
}
//Recently swapped
public int getRandomYDownBombEnemyCoordinate () {
return random.nextInt((downEnemyMaxHeightRange - downEnemyMinHeightRange) + 1) + downEnemyMinHeightRange;
}
public int getRandomYUpBombEnemyCoordinate () {
return 0 - random.nextInt((upEnemyMaxHeightRange - upEnemyMinHeightRange) + 1) + upEnemyMinHeightRange;
}
public Direction upOrDown () {
int randInt = random.nextInt((1 - 0) + 1) + 0;
switch (randInt) {
case (0):
return Direction.DOWN;
case (1):
return Direction.UP;
}
return Direction.UP;
}
// Random functions used for Background objects //
public boolean checkValidBGOXCoordinate (List<BackgroundObject> listToCheck, int xCoordinate, int size) {
for (BackgroundObject bgObject : listToCheck) {
if (Math.abs(bgObject.getXCoordinate() - xCoordinate) < size) {
return false;
}
}
return true;
}
public boolean checkValidBGOYCoordinate (List<BackgroundObject> listToCheck, int yCoordinate, int size) {
for (BackgroundObject bgObject : listToCheck) {
if (Math.abs(bgObject.getYCoordinate() - yCoordinate) < size) {
return false;
}
}
return true;
}
public int getRandomXBGOCoordinate () {
return random.nextInt((maximumBGOWidthRange - minimumBGOWidthRange) + 1) + minimumBGOWidthRange;
}
public int getRandomYBGOCoordinate () {
return random.nextInt((maximumBGOHeightRange - minimumBGOHeightRange) + 1) + minimumBGOHeightRange;
}
public List<Integer> getSpawnCoordinatesByDirection (Direction direction) {
List<Integer> coordinatesList = new ArrayList<Integer>();
if (direction.equals(Direction.LEFT)) {
coordinatesList.add(getRightBlockXCoordinate());
coordinatesList.add(getRightBlockYCoordinate());
} else if (direction.equals(Direction.RIGHT)) {
coordinatesList.add(getLeftBlockXCoordinate());
coordinatesList.add(getLeftBlockYCoordinate());
} else if (direction.equals(Direction.DOWN)) {
coordinatesList.add(getUpBlockXCoordinate());
coordinatesList.add(getUpBlockYCoordinate());
} else if (direction.equals(Direction.UP)) {
coordinatesList.add(getDownBlockXCoordinate());
coordinatesList.add(getDownBlockYCoordinate());
} else if (direction.equals(Direction.LEFT_UP)) {
coordinatesList.add(getRightBlockXCoordinate());
coordinatesList.add(getBottomRightBlockYCoordinate());
} else if (direction.equals(Direction.LEFT_DOWN)) {
coordinatesList.add(getRightBlockXCoordinate());
coordinatesList.add(getTopRightBlockYCoordinate());
} else if (direction.equals(Direction.RIGHT_UP)) {
coordinatesList.add(getLeftBlockXCoordinate());
coordinatesList.add(getBottomLeftBlockYCoordinate());
} else if (direction.equals(Direction.RIGHT_DOWN)) {
coordinatesList.add(getLeftBlockXCoordinate());
coordinatesList.add(getTopLeftBlockYCoordinate());
}
return coordinatesList;
}
} | Broozer29/Game | src/main/java/game/spawner/SpawningCoordinator.java | 2,825 | // Al deze ranges moeten eigenlijk dynamisch berekend worden, want nu is het | line_comment | nl | package game.spawner;
import java.util.ArrayList;
import java.util.List;
import java.util.Random;
import game.movement.Direction;
import game.objects.background.BackgroundObject;
import game.objects.enemies.Enemy;
import VisualAndAudioData.DataClass;
import game.objects.enemies.enums.EnemyEnums;
import javax.xml.crypto.Data;
public class SpawningCoordinator {
private static SpawningCoordinator instance = new SpawningCoordinator();
private Random random = new Random();
// Al deze<SUF>
// niet resizable
private int maximumBGOWidthRange = DataClass.getInstance().getWindowWidth() + 200;
private int minimumBGOWidthRange = -200;
private int maximumBGOHeightRange = DataClass.getInstance().getWindowHeight();
private int minimumBGOHeightRange = 0;
private int maximumBombEnemyHeightDownRange = 0;
private int minimumBombEnemyHeightDownRange = -200;
//Left Spawning block
private int leftEnemyMaxHeightRange = DataClass.getInstance().getPlayableWindowMaxHeight() - 100;
private int leftEnemyMinHeightRange = DataClass.getInstance().getPlayableWindowMinHeight();
private int leftEnemyMaxWidthRange = 500;
private int leftEnemyMinWidthRange = 100;
private int bottomLeftEnemyMinHeightRange = DataClass.getInstance().getPlayableWindowMaxHeight() - 100;
private int bottomLeftEnemyMaxHeightRange = DataClass.getInstance().getPlayableWindowMaxHeight() + 50;
private int topLeftEnemyMinHeightRange = DataClass.getInstance().getPlayableWindowMinHeight();
private int topLeftEnemyMaxHeightRange = DataClass.getInstance().getPlayableWindowMinHeight() + 100;
//Right Spawning block
private int rightEnemyMaxWidthRange = DataClass.getInstance().getWindowWidth() + 200;
private int rightEnemyMinWidthRange = DataClass.getInstance().getWindowWidth();
private int rightEnemyMaxHeightRange = DataClass.getInstance().getPlayableWindowMaxHeight() - 100;
private int rightEnemyMinHeightRange = DataClass.getInstance().getPlayableWindowMinHeight() + 100;
private int bottomRightEnemyMinHeightRange = DataClass.getInstance().getPlayableWindowMaxHeight() - 100;
private int bottomRightEnemyMaxHeightRange = DataClass.getInstance().getPlayableWindowMaxHeight() + 50;
private int topRightEnemyMinHeightRange = DataClass.getInstance().getPlayableWindowMinHeight() + 100;
private int topRightEnemyMaxHeightRange = DataClass.getInstance().getPlayableWindowMinHeight() + 200;
//Up spawning block
private int upEnemyMaxWidthRange = DataClass.getInstance().getWindowWidth() - 50;
private int upEnemyMinWidthRange = 100;
private int upEnemyMaxHeightRange = DataClass.getInstance().getPlayableWindowMinHeight() + 150;
private int upEnemyMinHeightRange = DataClass.getInstance().getPlayableWindowMinHeight();
//Down spawning block
private int downEnemyMaxWidthRange = DataClass.getInstance().getWindowWidth() - 50;
private int downEnemyMinWidthRange = 50;
private int downEnemyMaxHeightRange = DataClass.getInstance().getPlayableWindowMaxHeight() + 200;
private int downEnemyMinHeightRange = DataClass.getInstance().getPlayableWindowMaxHeight() + 50;
private SpawningCoordinator () {
}
public static SpawningCoordinator getInstance () {
return instance;
}
//Function used to prevent enemies of the same type of stacking on top of each other when being spawned in
public boolean checkValidEnemyXCoordinate (Enemy enemyType, List<Enemy> listToCheck, int xCoordinate, int minimumRange) {
for (Enemy enemy : listToCheck) {
if (!enemy.getEnemyType().equals(EnemyEnums.Alien_Bomb)) {
if (Math.abs(enemy.getXCoordinate() - xCoordinate) < minimumRange) {
return false;
}
}
}
return true;
}
//Function used to prevent enemies of the same type of stacking on top of each other when being spawned in
public boolean checkValidEnemyYCoordinate (Enemy enemyType, List<Enemy> listToCheck, int yCoordinate, int minimumRange) {
for (Enemy enemy : listToCheck) {
if (!enemy.getEnemyType().equals(EnemyEnums.Alien_Bomb)) {
if (Math.abs(enemy.getYCoordinate() - yCoordinate) < minimumRange) {
return false;
}
}
}
return true;
}
public int getRightBlockXCoordinate () {
return random.nextInt((rightEnemyMaxWidthRange - rightEnemyMinWidthRange) + 1) + rightEnemyMinWidthRange;
}
public int getRightBlockYCoordinate () {
return random.nextInt((rightEnemyMaxHeightRange - rightEnemyMinHeightRange) + 1) + rightEnemyMinHeightRange;
}
public int getBottomRightBlockYCoordinate () {
return random.nextInt((bottomRightEnemyMaxHeightRange - bottomRightEnemyMinHeightRange) + 1) + bottomRightEnemyMinHeightRange;
}
public int getTopRightBlockYCoordinate () {
return 0 - random.nextInt((topRightEnemyMaxHeightRange - topRightEnemyMinHeightRange) + 1) + topRightEnemyMinHeightRange;
}
public int getLeftBlockXCoordinate () {
return 0 - random.nextInt((leftEnemyMaxWidthRange - leftEnemyMinWidthRange) + 1) + leftEnemyMinWidthRange;
}
public int getLeftBlockYCoordinate () {
return random.nextInt((leftEnemyMaxHeightRange - leftEnemyMinHeightRange) + 1) + leftEnemyMinHeightRange;
}
public int getBottomLeftBlockYCoordinate () {
return random.nextInt((bottomLeftEnemyMaxHeightRange - bottomLeftEnemyMinHeightRange) + 1) + bottomLeftEnemyMinHeightRange;
}
public int getTopLeftBlockYCoordinate () {
return 0 - random.nextInt((topLeftEnemyMaxHeightRange - topLeftEnemyMinHeightRange) + 1) + topLeftEnemyMinHeightRange;
}
public int getUpBlockXCoordinate () {
return random.nextInt((upEnemyMaxWidthRange - upEnemyMinWidthRange) + 1) + upEnemyMinWidthRange;
}
public int getUpBlockYCoordinate () {
return 0 - random.nextInt((upEnemyMaxHeightRange - upEnemyMinHeightRange) + 1) + upEnemyMinHeightRange;
}
public int getDownBlockXCoordinate () {
return random.nextInt((downEnemyMaxWidthRange - downEnemyMinWidthRange) + 1) + downEnemyMinWidthRange;
}
public int getDownBlockYCoordinate () {
return random.nextInt((downEnemyMaxHeightRange - downEnemyMinHeightRange) + 1) + downEnemyMinHeightRange;
}
public int getRandomXBombEnemyCoordinate () {
return random.nextInt((downEnemyMaxWidthRange - downEnemyMinWidthRange) + 1) + downEnemyMinWidthRange;
}
//Recently swapped
public int getRandomYDownBombEnemyCoordinate () {
return random.nextInt((downEnemyMaxHeightRange - downEnemyMinHeightRange) + 1) + downEnemyMinHeightRange;
}
public int getRandomYUpBombEnemyCoordinate () {
return 0 - random.nextInt((upEnemyMaxHeightRange - upEnemyMinHeightRange) + 1) + upEnemyMinHeightRange;
}
public Direction upOrDown () {
int randInt = random.nextInt((1 - 0) + 1) + 0;
switch (randInt) {
case (0):
return Direction.DOWN;
case (1):
return Direction.UP;
}
return Direction.UP;
}
// Random functions used for Background objects //
public boolean checkValidBGOXCoordinate (List<BackgroundObject> listToCheck, int xCoordinate, int size) {
for (BackgroundObject bgObject : listToCheck) {
if (Math.abs(bgObject.getXCoordinate() - xCoordinate) < size) {
return false;
}
}
return true;
}
public boolean checkValidBGOYCoordinate (List<BackgroundObject> listToCheck, int yCoordinate, int size) {
for (BackgroundObject bgObject : listToCheck) {
if (Math.abs(bgObject.getYCoordinate() - yCoordinate) < size) {
return false;
}
}
return true;
}
public int getRandomXBGOCoordinate () {
return random.nextInt((maximumBGOWidthRange - minimumBGOWidthRange) + 1) + minimumBGOWidthRange;
}
public int getRandomYBGOCoordinate () {
return random.nextInt((maximumBGOHeightRange - minimumBGOHeightRange) + 1) + minimumBGOHeightRange;
}
public List<Integer> getSpawnCoordinatesByDirection (Direction direction) {
List<Integer> coordinatesList = new ArrayList<Integer>();
if (direction.equals(Direction.LEFT)) {
coordinatesList.add(getRightBlockXCoordinate());
coordinatesList.add(getRightBlockYCoordinate());
} else if (direction.equals(Direction.RIGHT)) {
coordinatesList.add(getLeftBlockXCoordinate());
coordinatesList.add(getLeftBlockYCoordinate());
} else if (direction.equals(Direction.DOWN)) {
coordinatesList.add(getUpBlockXCoordinate());
coordinatesList.add(getUpBlockYCoordinate());
} else if (direction.equals(Direction.UP)) {
coordinatesList.add(getDownBlockXCoordinate());
coordinatesList.add(getDownBlockYCoordinate());
} else if (direction.equals(Direction.LEFT_UP)) {
coordinatesList.add(getRightBlockXCoordinate());
coordinatesList.add(getBottomRightBlockYCoordinate());
} else if (direction.equals(Direction.LEFT_DOWN)) {
coordinatesList.add(getRightBlockXCoordinate());
coordinatesList.add(getTopRightBlockYCoordinate());
} else if (direction.equals(Direction.RIGHT_UP)) {
coordinatesList.add(getLeftBlockXCoordinate());
coordinatesList.add(getBottomLeftBlockYCoordinate());
} else if (direction.equals(Direction.RIGHT_DOWN)) {
coordinatesList.add(getLeftBlockXCoordinate());
coordinatesList.add(getTopLeftBlockYCoordinate());
}
return coordinatesList;
}
} | false | 2,234 | 18 | 2,421 | 20 | 2,520 | 16 | 2,421 | 20 | 2,860 | 19 | false | false | false | false | false | true |
358 | 44640_7 | /**
* Create all entity EJBs in the uml model and put them in a hashmap
*
* @param entityEJBs list with all entity EJBs.
* @param simpleModel the uml model.
* @return HashMap with all UML Entity classes.
*/
private HashMap createEntityEJBs(ArrayList entityEJBs, SimpleModel simpleModel) {
HashMap map = new HashMap();
for (int i = 0; i < entityEJBs.size(); i++) {
Entity e = (Entity) entityEJBs.get(i);
String documentation = e.getDescription().toString();
String name = e.getName().toString();
String refName = e.getRefName();
String tableName = e.getTableName();
String displayName = e.getDisplayName().toString();
String entityRootPackage = e.getRootPackage().toString();
simpleModel.addSimpleUmlPackage(entityRootPackage);
String isCompositeKey = e.getIsComposite();
String isAssocation = e.getIsAssociationEntity();
// "true" or "false"
// Use the refName to put all EntityEJBs in a HashMap.
// Add the standard definition for the URLS.
SimpleUmlClass umlClass = new SimpleUmlClass(name, SimpleModelElement.PUBLIC);
// The e should be a UML Class.
// Use the stereoType:
simpleModel.setStereoType(JagUMLProfile.STEREOTYPE_CLASS_ENTITY, umlClass);
simpleModel.addTaggedValue(JagUMLProfile.TAGGED_VALUE_DOCUMENTATION, documentation, umlClass);
simpleModel.addTaggedValue(JagUMLProfile.TAGGED_VALUE_CLASS_TABLE_NAME, tableName, umlClass);
if (!"".equals(displayName)) {
simpleModel.addTaggedValue(JagUMLProfile.TAGGED_VALUE_CLASS_DISPLAY_NAME, displayName, umlClass);
}
if ("true".equals(isCompositeKey)) {
simpleModel.addTaggedValue(JagUMLProfile.TAGGED_VALUE_CLASS_COMPOSITE_PRIMARY_KEY, e.getPrimaryKeyType().toString(), umlClass);
}
if ("true".equals(isAssocation)) {
simpleModel.addTaggedValue(JagUMLProfile.TAGGED_VALUE_CLASS_IS_ASSOCIATION, isAssocation, umlClass);
}
ArrayList fields = (ArrayList) e.getFields();
for (int j = 0; j < fields.size(); j++) {
Field field = (Field) fields.get(j);
String fieldType = field.getType();
String fieldName = field.getName().toString();
SimpleUmlClass type = (SimpleUmlClass) typeMappings.get(fieldType);
if (type == null) {
log("Unknown type: " + type + " for field " + fieldType);
type = (SimpleUmlClass) typeMappings.get(this.stringType);
}
SimpleAttribute theAttribute = new SimpleAttribute(fieldName, SimpleModelElement.PUBLIC, type);
umlClass.addSimpleAttribute(theAttribute);
String foreignKey = field.getForeignKey().toString();
// "true" or "false" if the current field as a foreign key.
if (field.isPrimaryKey()) {
simpleModel.setStereoType(JagUMLProfile.STEREOTYPE_ATTRIBUTE_PRIMARY_KEY, theAttribute);
} else if (field.isNullable() == false) {
simpleModel.setStereoType(JagUMLProfile.STEREOTYPE_ATTRIBUTE_REQUIRED, theAttribute);
}
if (field.isForeignKey()) {
// Niet duidelijk of het plaatsen van 2 stereotypes mogelijk is....
String stereoTypeForeignKey = JagUMLProfile.STEREOTYPE_ATTRIBUTE_FOREIGN_KEY;
}
String jdbcType = field.getJdbcType().toString();
simpleModel.addTaggedValue(JagUMLProfile.TAGGED_VALUE_ATTRIBUTE_JDBC_TYPE, jdbcType, theAttribute);
String sqlType = field.getSqlType().toString();
simpleModel.addTaggedValue(JagUMLProfile.TAGGED_VALUE_ATTRIBUTE_SQL_TYPE, sqlType, theAttribute);
String columnName = field.getColumnName();
simpleModel.addTaggedValue(JagUMLProfile.TAGGED_VALUE_ATTRIBUTE_COLUMN_NAME, columnName, theAttribute);
boolean autoGeneratedPrimarykey = field.getHasAutoGenPrimaryKey();
simpleModel.addTaggedValue(JagUMLProfile.TAGGED_VALUE_ATTRIBUTE_AUTO_PRIMARY_KEY, "" + autoGeneratedPrimarykey, theAttribute);
}
SimpleUmlPackage pk = simpleModel.addSimpleUmlPackage(entityRootPackage);
pk.addSimpleClassifier(umlClass);
map.put(refName, umlClass);
}
return map;
}
| D-a-r-e-k/Code-Smells-Detection | Preparation/processed-dataset/god-class_2_942/4.java | 1,294 | // Niet duidelijk of het plaatsen van 2 stereotypes mogelijk is.... | line_comment | nl | /**
* Create all entity EJBs in the uml model and put them in a hashmap
*
* @param entityEJBs list with all entity EJBs.
* @param simpleModel the uml model.
* @return HashMap with all UML Entity classes.
*/
private HashMap createEntityEJBs(ArrayList entityEJBs, SimpleModel simpleModel) {
HashMap map = new HashMap();
for (int i = 0; i < entityEJBs.size(); i++) {
Entity e = (Entity) entityEJBs.get(i);
String documentation = e.getDescription().toString();
String name = e.getName().toString();
String refName = e.getRefName();
String tableName = e.getTableName();
String displayName = e.getDisplayName().toString();
String entityRootPackage = e.getRootPackage().toString();
simpleModel.addSimpleUmlPackage(entityRootPackage);
String isCompositeKey = e.getIsComposite();
String isAssocation = e.getIsAssociationEntity();
// "true" or "false"
// Use the refName to put all EntityEJBs in a HashMap.
// Add the standard definition for the URLS.
SimpleUmlClass umlClass = new SimpleUmlClass(name, SimpleModelElement.PUBLIC);
// The e should be a UML Class.
// Use the stereoType:
simpleModel.setStereoType(JagUMLProfile.STEREOTYPE_CLASS_ENTITY, umlClass);
simpleModel.addTaggedValue(JagUMLProfile.TAGGED_VALUE_DOCUMENTATION, documentation, umlClass);
simpleModel.addTaggedValue(JagUMLProfile.TAGGED_VALUE_CLASS_TABLE_NAME, tableName, umlClass);
if (!"".equals(displayName)) {
simpleModel.addTaggedValue(JagUMLProfile.TAGGED_VALUE_CLASS_DISPLAY_NAME, displayName, umlClass);
}
if ("true".equals(isCompositeKey)) {
simpleModel.addTaggedValue(JagUMLProfile.TAGGED_VALUE_CLASS_COMPOSITE_PRIMARY_KEY, e.getPrimaryKeyType().toString(), umlClass);
}
if ("true".equals(isAssocation)) {
simpleModel.addTaggedValue(JagUMLProfile.TAGGED_VALUE_CLASS_IS_ASSOCIATION, isAssocation, umlClass);
}
ArrayList fields = (ArrayList) e.getFields();
for (int j = 0; j < fields.size(); j++) {
Field field = (Field) fields.get(j);
String fieldType = field.getType();
String fieldName = field.getName().toString();
SimpleUmlClass type = (SimpleUmlClass) typeMappings.get(fieldType);
if (type == null) {
log("Unknown type: " + type + " for field " + fieldType);
type = (SimpleUmlClass) typeMappings.get(this.stringType);
}
SimpleAttribute theAttribute = new SimpleAttribute(fieldName, SimpleModelElement.PUBLIC, type);
umlClass.addSimpleAttribute(theAttribute);
String foreignKey = field.getForeignKey().toString();
// "true" or "false" if the current field as a foreign key.
if (field.isPrimaryKey()) {
simpleModel.setStereoType(JagUMLProfile.STEREOTYPE_ATTRIBUTE_PRIMARY_KEY, theAttribute);
} else if (field.isNullable() == false) {
simpleModel.setStereoType(JagUMLProfile.STEREOTYPE_ATTRIBUTE_REQUIRED, theAttribute);
}
if (field.isForeignKey()) {
// Niet duidelijk<SUF>
String stereoTypeForeignKey = JagUMLProfile.STEREOTYPE_ATTRIBUTE_FOREIGN_KEY;
}
String jdbcType = field.getJdbcType().toString();
simpleModel.addTaggedValue(JagUMLProfile.TAGGED_VALUE_ATTRIBUTE_JDBC_TYPE, jdbcType, theAttribute);
String sqlType = field.getSqlType().toString();
simpleModel.addTaggedValue(JagUMLProfile.TAGGED_VALUE_ATTRIBUTE_SQL_TYPE, sqlType, theAttribute);
String columnName = field.getColumnName();
simpleModel.addTaggedValue(JagUMLProfile.TAGGED_VALUE_ATTRIBUTE_COLUMN_NAME, columnName, theAttribute);
boolean autoGeneratedPrimarykey = field.getHasAutoGenPrimaryKey();
simpleModel.addTaggedValue(JagUMLProfile.TAGGED_VALUE_ATTRIBUTE_AUTO_PRIMARY_KEY, "" + autoGeneratedPrimarykey, theAttribute);
}
SimpleUmlPackage pk = simpleModel.addSimpleUmlPackage(entityRootPackage);
pk.addSimpleClassifier(umlClass);
map.put(refName, umlClass);
}
return map;
}
| false | 983 | 17 | 1,087 | 24 | 1,133 | 14 | 1,087 | 24 | 1,301 | 22 | false | false | false | false | false | true |
2,608 | 56929_7 | /*
* Commons eID Project.
* Copyright (C) 2008-2013 FedICT.
* Copyright (C) 2018-2024 e-Contract.be BV.
*
* This is free software; you can redistribute it and/or modify it
* under the terms of the GNU Lesser General Public License version
* 3.0 as published by the Free Software Foundation.
*
* This software 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
* Lesser General Public License for more details.
*
* You should have received a copy of the GNU Lesser General Public
* License along with this software; if not, see
* http://www.gnu.org/licenses/.
*/
package be.fedict.commons.eid.consumer;
import java.io.Serializable;
import java.util.HashMap;
import java.util.HashSet;
import java.util.Map;
import java.util.Set;
/**
* Enumeration for eID Document Type.
*
* @author Frank Cornelis
* @see Identity
*/
public enum DocumentType implements Serializable {
BELGIAN_CITIZEN("1"),
KIDS_CARD("6"),
BOOTSTRAP_CARD("7"),
HABILITATION_CARD("8"),
/**
* Bewijs van inschrijving in het vreemdelingenregister ??? Tijdelijk verblijf
*/
FOREIGNER_A("11", "33"),
/**
* Bewijs van inschrijving in het vreemdelingenregister
*/
FOREIGNER_B("12", "34"),
/**
* Identiteitskaart voor vreemdeling
*/
FOREIGNER_C("13"),
/**
* EG-Langdurig ingezetene
*/
FOREIGNER_D("14"),
/**
* (Verblijfs)kaart van een onderdaan van een lidstaat der EEG Verklaring van
* inschrijving
*/
FOREIGNER_E("15"),
/**
* Document ter staving van duurzaam verblijf van een EU onderdaan
*/
FOREIGNER_E_PLUS("16"),
/**
* Kaart voor niet-EU familieleden van een EU-onderdaan of van een Belg
* Verblijfskaart van een familielid van een burger van de Unie
*/
FOREIGNER_F("17", "35"),
/**
* Duurzame verblijfskaart van een familielid van een burger van de Unie
*/
FOREIGNER_F_PLUS("18", "36"),
/**
* H. Europese blauwe kaart. Toegang en verblijf voor onderdanen van derde
* landen.
*/
EUROPEAN_BLUE_CARD_H("19"),
/**
* I. New types of foreigner cards (I and J cards) will be issued for employees
* that are transferred within their company (EU directive 2014/66/EU)
*/
FOREIGNER_I("20"),
/**
* J. New types of foreigner cards (I and J cards) will be issued for employees
* that are transferred within their company (EU directive 2014/66/EU)
*/
FOREIGNER_J("21"),
FOREIGNER_M("22"),
FOREIGNER_N("23"),
/**
* ETABLISSEMENT
*/
FOREIGNER_K("27"),
/**
* RESIDENT DE LONGUE DUREE – UE
*/
FOREIGNER_L("28"),
FOREIGNER_EU("31"),
FOREIGNER_EU_PLUS("32"),
FOREIGNER_KIDS_EU("61"),
FOREIGNER_KIDS_EU_PLUS("62"),
FOREIGNER_KIDS_A("63"),
FOREIGNER_KIDS_B("64"),
FOREIGNER_KIDS_K("65"),
FOREIGNER_KIDS_L("66"),
FOREIGNER_KIDS_F("67"),
FOREIGNER_KIDS_F_PLUS("68"),
FOREIGNER_KIDS_M("69");
private final Set<Integer> keys;
DocumentType(final String... valueList) {
this.keys = new HashSet<>();
for (String value : valueList) {
this.keys.add(toKey(value));
}
}
private int toKey(final String value) {
final char c1 = value.charAt(0);
int key = c1 - '0';
if (2 == value.length()) {
key *= 10;
final char c2 = value.charAt(1);
key += c2 - '0';
}
return key;
}
private static int toKey(final byte[] value) {
int key = value[0] - '0';
if (2 == value.length) {
key *= 10;
key += value[1] - '0';
}
return key;
}
private static Map<Integer, DocumentType> documentTypes;
static {
final Map<Integer, DocumentType> documentTypes = new HashMap<>();
for (DocumentType documentType : DocumentType.values()) {
for (Integer key : documentType.keys) {
if (documentTypes.containsKey(key)) {
throw new RuntimeException("duplicate document type enum: " + key);
}
documentTypes.put(key, documentType);
}
}
DocumentType.documentTypes = documentTypes;
}
public static DocumentType toDocumentType(final byte[] value) {
final int key = DocumentType.toKey(value);
/*
* If the key is unknown, we simply return null.
*/
return DocumentType.documentTypes.get(key);
}
public static String toString(final byte[] documentTypeValue) {
return Integer.toString(DocumentType.toKey(documentTypeValue));
}
}
| e-Contract/commons-eid | commons-eid-consumer/src/main/java/be/fedict/commons/eid/consumer/DocumentType.java | 1,562 | /**
* Document ter staving van duurzaam verblijf van een EU onderdaan
*/ | block_comment | nl | /*
* Commons eID Project.
* Copyright (C) 2008-2013 FedICT.
* Copyright (C) 2018-2024 e-Contract.be BV.
*
* This is free software; you can redistribute it and/or modify it
* under the terms of the GNU Lesser General Public License version
* 3.0 as published by the Free Software Foundation.
*
* This software 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
* Lesser General Public License for more details.
*
* You should have received a copy of the GNU Lesser General Public
* License along with this software; if not, see
* http://www.gnu.org/licenses/.
*/
package be.fedict.commons.eid.consumer;
import java.io.Serializable;
import java.util.HashMap;
import java.util.HashSet;
import java.util.Map;
import java.util.Set;
/**
* Enumeration for eID Document Type.
*
* @author Frank Cornelis
* @see Identity
*/
public enum DocumentType implements Serializable {
BELGIAN_CITIZEN("1"),
KIDS_CARD("6"),
BOOTSTRAP_CARD("7"),
HABILITATION_CARD("8"),
/**
* Bewijs van inschrijving in het vreemdelingenregister ??? Tijdelijk verblijf
*/
FOREIGNER_A("11", "33"),
/**
* Bewijs van inschrijving in het vreemdelingenregister
*/
FOREIGNER_B("12", "34"),
/**
* Identiteitskaart voor vreemdeling
*/
FOREIGNER_C("13"),
/**
* EG-Langdurig ingezetene
*/
FOREIGNER_D("14"),
/**
* (Verblijfs)kaart van een onderdaan van een lidstaat der EEG Verklaring van
* inschrijving
*/
FOREIGNER_E("15"),
/**
* Document ter staving<SUF>*/
FOREIGNER_E_PLUS("16"),
/**
* Kaart voor niet-EU familieleden van een EU-onderdaan of van een Belg
* Verblijfskaart van een familielid van een burger van de Unie
*/
FOREIGNER_F("17", "35"),
/**
* Duurzame verblijfskaart van een familielid van een burger van de Unie
*/
FOREIGNER_F_PLUS("18", "36"),
/**
* H. Europese blauwe kaart. Toegang en verblijf voor onderdanen van derde
* landen.
*/
EUROPEAN_BLUE_CARD_H("19"),
/**
* I. New types of foreigner cards (I and J cards) will be issued for employees
* that are transferred within their company (EU directive 2014/66/EU)
*/
FOREIGNER_I("20"),
/**
* J. New types of foreigner cards (I and J cards) will be issued for employees
* that are transferred within their company (EU directive 2014/66/EU)
*/
FOREIGNER_J("21"),
FOREIGNER_M("22"),
FOREIGNER_N("23"),
/**
* ETABLISSEMENT
*/
FOREIGNER_K("27"),
/**
* RESIDENT DE LONGUE DUREE – UE
*/
FOREIGNER_L("28"),
FOREIGNER_EU("31"),
FOREIGNER_EU_PLUS("32"),
FOREIGNER_KIDS_EU("61"),
FOREIGNER_KIDS_EU_PLUS("62"),
FOREIGNER_KIDS_A("63"),
FOREIGNER_KIDS_B("64"),
FOREIGNER_KIDS_K("65"),
FOREIGNER_KIDS_L("66"),
FOREIGNER_KIDS_F("67"),
FOREIGNER_KIDS_F_PLUS("68"),
FOREIGNER_KIDS_M("69");
private final Set<Integer> keys;
DocumentType(final String... valueList) {
this.keys = new HashSet<>();
for (String value : valueList) {
this.keys.add(toKey(value));
}
}
private int toKey(final String value) {
final char c1 = value.charAt(0);
int key = c1 - '0';
if (2 == value.length()) {
key *= 10;
final char c2 = value.charAt(1);
key += c2 - '0';
}
return key;
}
private static int toKey(final byte[] value) {
int key = value[0] - '0';
if (2 == value.length) {
key *= 10;
key += value[1] - '0';
}
return key;
}
private static Map<Integer, DocumentType> documentTypes;
static {
final Map<Integer, DocumentType> documentTypes = new HashMap<>();
for (DocumentType documentType : DocumentType.values()) {
for (Integer key : documentType.keys) {
if (documentTypes.containsKey(key)) {
throw new RuntimeException("duplicate document type enum: " + key);
}
documentTypes.put(key, documentType);
}
}
DocumentType.documentTypes = documentTypes;
}
public static DocumentType toDocumentType(final byte[] value) {
final int key = DocumentType.toKey(value);
/*
* If the key is unknown, we simply return null.
*/
return DocumentType.documentTypes.get(key);
}
public static String toString(final byte[] documentTypeValue) {
return Integer.toString(DocumentType.toKey(documentTypeValue));
}
}
| false | 1,306 | 24 | 1,489 | 23 | 1,448 | 21 | 1,489 | 23 | 1,743 | 25 | false | false | false | false | false | true |
987 | 86767_4 | package be.pxl.collections.arraylist;
import java.util.ArrayList;
import java.util.List;
public class Theatre {
private String theatreName;
private List<Seat> seats = new ArrayList<>();
private int seatsPerRow;
private int numRows;
public Theatre(String theatreName, int numRows, int seatsPerRow) {
this.theatreName = theatreName;
this.seatsPerRow = seatsPerRow;
this.numRows = numRows;
// voeg alle stoelen toe in het theater, nummer alle stoelen.
// de eerste rij stoelen is genummerd vanaf A1, A2,...
// de tweede rij stoelen is genummerd vanaf B1, B2,...
}
public void displayMap() {
int count = 0;
for (Seat seat : seats) {
System.out.print(seat + " ");
count++;
if (count % seatsPerRow == 0) {
System.out.println();
}
}
}
public boolean reservateSeat(String seatNumber) {
// implementeer de reservatie van een stoel,
// gebruik hierbij de methode getSeatBySeatNumber
}
private Seat getSeatBySeatNumber(String seatNumber) {
// implementeer het opzoeken van een stoel adhv een stoelnummer
// hoelang duurt het om stoel A1 te zoeken
// hoelang duurt het om de laatste stoel in het theater te zoeken
// probeer dit eens uit het het hoofdprogramma
// stel eventueel nog alternatieven voor
}
private class Seat {
private String seatNumber;
private boolean reserved = false;
public Seat(String seatNumber) {
this.seatNumber = seatNumber;
}
public String getSeatNumber() {
return seatNumber;
}
public boolean reserve() {
if (isReserved()) {
System.out.println("Seat " + seatNumber + " already reserved.");
return false;
}
reserved = true;
return reserved;
}
public boolean isReserved() {
return reserved;
}
@Override
public String toString() {
return (reserved ? "*" : "") + seatNumber + (reserved ? "*" : "");
}
}
}
| Lordrin/week6-collections-overview-skelet | src/be/pxl/collections/arraylist/Theatre.java | 619 | // gebruik hierbij de methode getSeatBySeatNumber | line_comment | nl | package be.pxl.collections.arraylist;
import java.util.ArrayList;
import java.util.List;
public class Theatre {
private String theatreName;
private List<Seat> seats = new ArrayList<>();
private int seatsPerRow;
private int numRows;
public Theatre(String theatreName, int numRows, int seatsPerRow) {
this.theatreName = theatreName;
this.seatsPerRow = seatsPerRow;
this.numRows = numRows;
// voeg alle stoelen toe in het theater, nummer alle stoelen.
// de eerste rij stoelen is genummerd vanaf A1, A2,...
// de tweede rij stoelen is genummerd vanaf B1, B2,...
}
public void displayMap() {
int count = 0;
for (Seat seat : seats) {
System.out.print(seat + " ");
count++;
if (count % seatsPerRow == 0) {
System.out.println();
}
}
}
public boolean reservateSeat(String seatNumber) {
// implementeer de reservatie van een stoel,
// gebruik hierbij<SUF>
}
private Seat getSeatBySeatNumber(String seatNumber) {
// implementeer het opzoeken van een stoel adhv een stoelnummer
// hoelang duurt het om stoel A1 te zoeken
// hoelang duurt het om de laatste stoel in het theater te zoeken
// probeer dit eens uit het het hoofdprogramma
// stel eventueel nog alternatieven voor
}
private class Seat {
private String seatNumber;
private boolean reserved = false;
public Seat(String seatNumber) {
this.seatNumber = seatNumber;
}
public String getSeatNumber() {
return seatNumber;
}
public boolean reserve() {
if (isReserved()) {
System.out.println("Seat " + seatNumber + " already reserved.");
return false;
}
reserved = true;
return reserved;
}
public boolean isReserved() {
return reserved;
}
@Override
public String toString() {
return (reserved ? "*" : "") + seatNumber + (reserved ? "*" : "");
}
}
}
| false | 498 | 12 | 568 | 13 | 561 | 11 | 568 | 13 | 629 | 16 | false | false | false | false | false | true |
1,892 | 33311_6 | package zeppelin;_x000D_
import server.SendToClient;_x000D_
import transfer.Transfer;_x000D_
_x000D_
import com.pi4j.io.gpio.GpioController;_x000D_
import com.pi4j.io.gpio.GpioPinDigitalOutput;_x000D_
import com.pi4j.io.gpio.GpioPinPwmOutput;_x000D_
import com.pi4j.io.gpio.Pin;_x000D_
import com.pi4j.io.gpio.PinState;_x000D_
_x000D_
_x000D_
public class Motor {_x000D_
private GpioPinDigitalOutput forwardPin;_x000D_
private GpioPinDigitalOutput reversePin;_x000D_
private GpioPinPwmOutput pwmPin;_x000D_
_x000D_
//PWM: value tussen 0 en 1024 (volgens WiringPi)_x000D_
//of mss tussen 0 en 100 (dit is bij SoftPWM)_x000D_
//evt een aparte klasse pwm control die gedeeld tussen alle motoren_x000D_
private boolean pwmEnabled;_x000D_
_x000D_
private GpioController gpiocontroller;_x000D_
private Propellor id;_x000D_
_x000D_
//previous mode and direction ==> avoids sending the same transfer twice_x000D_
private Propellor.Mode prevmode = Propellor.Mode.OFF;_x000D_
private Propellor.Direction prevdirection;_x000D_
_x000D_
private SendToClient sender;_x000D_
_x000D_
public Motor(Pin fwPin, Pin rvPin, GpioController gpio,Propellor id, GpioPinPwmOutput pwmPin, SendToClient sender) {_x000D_
gpiocontroller = gpio;_x000D_
forwardPin = gpiocontroller.provisionDigitalOutputPin(fwPin,"forward");_x000D_
reversePin = gpiocontroller.provisionDigitalOutputPin(rvPin,"backward");_x000D_
this.pwmPin = pwmPin; _x000D_
this.id = id;_x000D_
this.sender = sender;_x000D_
_x000D_
//status wanneer de app wordt afgesloten_x000D_
forwardPin.setShutdownOptions(true,PinState.LOW);_x000D_
reversePin.setShutdownOptions(true,PinState.LOW);_x000D_
}_x000D_
_x000D_
/**_x000D_
* Laat deze motor naar voor draaien._x000D_
*/_x000D_
public void setForward() {_x000D_
reversePin.setState(PinState.LOW);_x000D_
forwardPin.setState(PinState.HIGH);_x000D_
_x000D_
if(prevdirection != Propellor.Direction.FORWARD || prevmode != Propellor.Mode.ON) {_x000D_
Transfer transfer = new Transfer();_x000D_
transfer.setPropellor(id, Propellor.Mode.ON, Propellor.Direction.FORWARD, 0);_x000D_
sender.sendTransfer(transfer);_x000D_
_x000D_
prevmode = Propellor.Mode.ON;_x000D_
prevdirection = Propellor.Direction.FORWARD;_x000D_
}_x000D_
}_x000D_
_x000D_
/**_x000D_
* Laat deze motor naar voor draaien._x000D_
* Stuurt geen update_x000D_
*/_x000D_
private void fw() {_x000D_
reversePin.setState(PinState.LOW);_x000D_
forwardPin.setState(PinState.HIGH);_x000D_
}_x000D_
_x000D_
/**_x000D_
* Laat deze motor naar achter draaien._x000D_
*/_x000D_
public void setReverse() {_x000D_
forwardPin.setState(PinState.LOW);_x000D_
reversePin.setState(PinState.HIGH);_x000D_
_x000D_
if(prevdirection != Propellor.Direction.REVERSE || prevmode != Propellor.Mode.ON) {_x000D_
Transfer transfer = new Transfer();_x000D_
transfer.setPropellor(id, Propellor.Mode.ON, Propellor.Direction.REVERSE, 0);_x000D_
sender.sendTransfer(transfer);_x000D_
_x000D_
prevmode = Propellor.Mode.ON;_x000D_
prevdirection = Propellor.Direction.REVERSE;_x000D_
}_x000D_
}_x000D_
_x000D_
/**_x000D_
* Laat deze motor naar achter draaien._x000D_
* Stuurt geen update_x000D_
*/_x000D_
private void rv() {_x000D_
forwardPin.setState(PinState.LOW);_x000D_
reversePin.setState(PinState.HIGH);_x000D_
}_x000D_
_x000D_
/**_x000D_
* Zet deze motor uit._x000D_
*/_x000D_
public void setOff() {_x000D_
reversePin.setState(PinState.LOW);_x000D_
forwardPin.setState(PinState.LOW);_x000D_
_x000D_
if(prevmode != Propellor.Mode.OFF) {_x000D_
Transfer transfer = new Transfer();_x000D_
transfer.setPropellor(id, Propellor.Mode.OFF, null, 0);_x000D_
sender.sendTransfer(transfer);_x000D_
_x000D_
prevmode = Propellor.Mode.OFF;_x000D_
prevdirection = null;_x000D_
}_x000D_
}_x000D_
_x000D_
/**_x000D_
* Zet deze motor uit._x000D_
* Stuurt geen update_x000D_
*/_x000D_
public void off() {_x000D_
reversePin.setState(PinState.LOW);_x000D_
forwardPin.setState(PinState.LOW);_x000D_
}_x000D_
_x000D_
/**_x000D_
* Activeert pwm op deze motor_x000D_
*/_x000D_
public void PwmOn() {_x000D_
pwmEnabled = true;_x000D_
}_x000D_
_x000D_
/**_x000D_
* Deactiveert pwm op deze motor_x000D_
* @param set0_x000D_
* Om aan te geven of de pwm pin op 0 moet worden gezet_x000D_
* Dus indien geen andere motoren hier nog gebruik van aan het maken zijn._x000D_
*/_x000D_
public void PwmOff(boolean set0) {_x000D_
pwmEnabled = false;_x000D_
if(set0)_x000D_
pwmPin.setPwm(0);_x000D_
}_x000D_
_x000D_
/**_x000D_
* Zet de pwm value en laat de motor in de juiste richting draaien_x000D_
* indien pwm geactiveerd is op deze motor_x000D_
* @param value_x000D_
* Getal tussen -1024 (min) en 1024 (max)_x000D_
*/_x000D_
public void setPwmValue(int value) {_x000D_
if(pwmEnabled) {_x000D_
if(value > 0){_x000D_
pwmPin.setPwm(1024);_x000D_
fw();_x000D_
off();_x000D_
pwmPin.setPwm(value);_x000D_
fw();_x000D_
}_x000D_
else{_x000D_
pwmPin.setPwm(1024);_x000D_
rv();_x000D_
off();_x000D_
pwmPin.setPwm(Math.abs(value));_x000D_
rv();_x000D_
}_x000D_
_x000D_
_x000D_
// Transfer transfer = new Transfer();_x000D_
// transfer.setPropellor(id, Propellor.Mode.PWM, null, value);_x000D_
// sender.sendTransfer(transfer);_x000D_
prevmode = Propellor.Mode.PWM;_x000D_
_x000D_
}_x000D_
}_x000D_
_x000D_
/**_x000D_
* Geeft aan of pwm geactiveerd is voor deze motor._x000D_
* @return_x000D_
*/_x000D_
public boolean getPwmStatus() {_x000D_
return pwmEnabled;_x000D_
}_x000D_
}_x000D_
| WoutV/Indigo | IndigoZeppelin/src/zeppelin/Motor.java | 1,827 | /**_x000D_
* Laat deze motor naar voor draaien._x000D_
* Stuurt geen update_x000D_
*/ | block_comment | nl | package zeppelin;_x000D_
import server.SendToClient;_x000D_
import transfer.Transfer;_x000D_
_x000D_
import com.pi4j.io.gpio.GpioController;_x000D_
import com.pi4j.io.gpio.GpioPinDigitalOutput;_x000D_
import com.pi4j.io.gpio.GpioPinPwmOutput;_x000D_
import com.pi4j.io.gpio.Pin;_x000D_
import com.pi4j.io.gpio.PinState;_x000D_
_x000D_
_x000D_
public class Motor {_x000D_
private GpioPinDigitalOutput forwardPin;_x000D_
private GpioPinDigitalOutput reversePin;_x000D_
private GpioPinPwmOutput pwmPin;_x000D_
_x000D_
//PWM: value tussen 0 en 1024 (volgens WiringPi)_x000D_
//of mss tussen 0 en 100 (dit is bij SoftPWM)_x000D_
//evt een aparte klasse pwm control die gedeeld tussen alle motoren_x000D_
private boolean pwmEnabled;_x000D_
_x000D_
private GpioController gpiocontroller;_x000D_
private Propellor id;_x000D_
_x000D_
//previous mode and direction ==> avoids sending the same transfer twice_x000D_
private Propellor.Mode prevmode = Propellor.Mode.OFF;_x000D_
private Propellor.Direction prevdirection;_x000D_
_x000D_
private SendToClient sender;_x000D_
_x000D_
public Motor(Pin fwPin, Pin rvPin, GpioController gpio,Propellor id, GpioPinPwmOutput pwmPin, SendToClient sender) {_x000D_
gpiocontroller = gpio;_x000D_
forwardPin = gpiocontroller.provisionDigitalOutputPin(fwPin,"forward");_x000D_
reversePin = gpiocontroller.provisionDigitalOutputPin(rvPin,"backward");_x000D_
this.pwmPin = pwmPin; _x000D_
this.id = id;_x000D_
this.sender = sender;_x000D_
_x000D_
//status wanneer de app wordt afgesloten_x000D_
forwardPin.setShutdownOptions(true,PinState.LOW);_x000D_
reversePin.setShutdownOptions(true,PinState.LOW);_x000D_
}_x000D_
_x000D_
/**_x000D_
* Laat deze motor naar voor draaien._x000D_
*/_x000D_
public void setForward() {_x000D_
reversePin.setState(PinState.LOW);_x000D_
forwardPin.setState(PinState.HIGH);_x000D_
_x000D_
if(prevdirection != Propellor.Direction.FORWARD || prevmode != Propellor.Mode.ON) {_x000D_
Transfer transfer = new Transfer();_x000D_
transfer.setPropellor(id, Propellor.Mode.ON, Propellor.Direction.FORWARD, 0);_x000D_
sender.sendTransfer(transfer);_x000D_
_x000D_
prevmode = Propellor.Mode.ON;_x000D_
prevdirection = Propellor.Direction.FORWARD;_x000D_
}_x000D_
}_x000D_
_x000D_
/**_x000D_
* Laat deze motor<SUF>*/_x000D_
private void fw() {_x000D_
reversePin.setState(PinState.LOW);_x000D_
forwardPin.setState(PinState.HIGH);_x000D_
}_x000D_
_x000D_
/**_x000D_
* Laat deze motor naar achter draaien._x000D_
*/_x000D_
public void setReverse() {_x000D_
forwardPin.setState(PinState.LOW);_x000D_
reversePin.setState(PinState.HIGH);_x000D_
_x000D_
if(prevdirection != Propellor.Direction.REVERSE || prevmode != Propellor.Mode.ON) {_x000D_
Transfer transfer = new Transfer();_x000D_
transfer.setPropellor(id, Propellor.Mode.ON, Propellor.Direction.REVERSE, 0);_x000D_
sender.sendTransfer(transfer);_x000D_
_x000D_
prevmode = Propellor.Mode.ON;_x000D_
prevdirection = Propellor.Direction.REVERSE;_x000D_
}_x000D_
}_x000D_
_x000D_
/**_x000D_
* Laat deze motor naar achter draaien._x000D_
* Stuurt geen update_x000D_
*/_x000D_
private void rv() {_x000D_
forwardPin.setState(PinState.LOW);_x000D_
reversePin.setState(PinState.HIGH);_x000D_
}_x000D_
_x000D_
/**_x000D_
* Zet deze motor uit._x000D_
*/_x000D_
public void setOff() {_x000D_
reversePin.setState(PinState.LOW);_x000D_
forwardPin.setState(PinState.LOW);_x000D_
_x000D_
if(prevmode != Propellor.Mode.OFF) {_x000D_
Transfer transfer = new Transfer();_x000D_
transfer.setPropellor(id, Propellor.Mode.OFF, null, 0);_x000D_
sender.sendTransfer(transfer);_x000D_
_x000D_
prevmode = Propellor.Mode.OFF;_x000D_
prevdirection = null;_x000D_
}_x000D_
}_x000D_
_x000D_
/**_x000D_
* Zet deze motor uit._x000D_
* Stuurt geen update_x000D_
*/_x000D_
public void off() {_x000D_
reversePin.setState(PinState.LOW);_x000D_
forwardPin.setState(PinState.LOW);_x000D_
}_x000D_
_x000D_
/**_x000D_
* Activeert pwm op deze motor_x000D_
*/_x000D_
public void PwmOn() {_x000D_
pwmEnabled = true;_x000D_
}_x000D_
_x000D_
/**_x000D_
* Deactiveert pwm op deze motor_x000D_
* @param set0_x000D_
* Om aan te geven of de pwm pin op 0 moet worden gezet_x000D_
* Dus indien geen andere motoren hier nog gebruik van aan het maken zijn._x000D_
*/_x000D_
public void PwmOff(boolean set0) {_x000D_
pwmEnabled = false;_x000D_
if(set0)_x000D_
pwmPin.setPwm(0);_x000D_
}_x000D_
_x000D_
/**_x000D_
* Zet de pwm value en laat de motor in de juiste richting draaien_x000D_
* indien pwm geactiveerd is op deze motor_x000D_
* @param value_x000D_
* Getal tussen -1024 (min) en 1024 (max)_x000D_
*/_x000D_
public void setPwmValue(int value) {_x000D_
if(pwmEnabled) {_x000D_
if(value > 0){_x000D_
pwmPin.setPwm(1024);_x000D_
fw();_x000D_
off();_x000D_
pwmPin.setPwm(value);_x000D_
fw();_x000D_
}_x000D_
else{_x000D_
pwmPin.setPwm(1024);_x000D_
rv();_x000D_
off();_x000D_
pwmPin.setPwm(Math.abs(value));_x000D_
rv();_x000D_
}_x000D_
_x000D_
_x000D_
// Transfer transfer = new Transfer();_x000D_
// transfer.setPropellor(id, Propellor.Mode.PWM, null, value);_x000D_
// sender.sendTransfer(transfer);_x000D_
prevmode = Propellor.Mode.PWM;_x000D_
_x000D_
}_x000D_
}_x000D_
_x000D_
/**_x000D_
* Geeft aan of pwm geactiveerd is voor deze motor._x000D_
* @return_x000D_
*/_x000D_
public boolean getPwmStatus() {_x000D_
return pwmEnabled;_x000D_
}_x000D_
}_x000D_
| false | 2,468 | 41 | 2,723 | 44 | 2,707 | 42 | 2,723 | 44 | 3,071 | 44 | false | false | false | false | false | true |
718 | 11751_1 | package data;
import java.util.HashMap;
import java.util.Map;
import org.apache.log4j.Logger;
import data.RegionType.ModelType;
import data.RegionType.RegionName;
/**
* This class has the enumerations for the various dimensions in the M-files
* that are encountered. It also has an enumeration with the region names in it.
* Note that correct behaviour depends on the order of regions in the RegionName
* enumeration! This will also not work with the aggegrated regions in files
* with 33 dimensions!
*
* @author Vortech
*
*/
public class RegionControl
{
static Logger logger = Logger.getLogger(RegionControl.class.getName());
/**
* <pre>
* In onze huidige datafiles kan je verschillende configuraties tegenkomen
* 24 24 Image regios
* 25 24 image regios+wereld
* 26 26 TIMER/FAIR regios
* 27 26 TIMER/FAIR regios+wereld
* 28 26 TIMER/FAIR regios+lege regio+wereld
* 33 26 TIMER/FAIR regios+aggregaties+wereld
*
* Dus je kan wel een bestand tegenkomen met 25 + 1 regios.
*
* De beslisboom wordt dan:
*
* IF 24,
* Report [24 regios, 0 for region 25 en 26]
* LOG: missing regions 25 and 26, LOG missing global
* If 25,
* Report [24 regios, 0 for region 25 en 26, Global(dim25 van data)]
* LOG: missing regions 25 and 26
* IF 26,
* report [26 regions]
* LOG: missing global
* IF 27
* report [26 regions, global(dim27 van data)]
* LOG: missing global
* IF 28
* report [26 regions, global(dim28 van data)]
* LOG: missing global
* IF 33
* report [26 regions, global(dim33 van data)]
* LOG: missing global
*
* Voor wereldtotaal geld ook
* IFNOT 24 of 26 THEN laatste van de array altijd het wereldtotaal.
* IF 24 of 25 THEN report N/A, LOG: missing global
* </pre>
*/
protected static void createRegions(int numRegions, HashMap<RegionName, OutputRow> ioRegions, ModelType iModel,
OutputRow iTemplateRow, String iScenario)
{
int i = 0;
for (RegionName r : RegionName.values())
{
OutputRow aRow = OutputRow.createOutputRow(iModel, iTemplateRow, iScenario, r);
ioRegions.put(r, aRow);
i++;
if (i == numRegions)
{
break;
}
}
}
/**
* This function uses a combination of the global/noglobal/regions and
* ModelType to determine how many outputrows need to be created for the
* current mapping.
*
* @param iModel The modeltype determines the amount of regions when worldtype is not 'global'
* @param iTemplateRow The template row is used to copy some relevant information to the output row, like the variable name and unit.
* @param iScenario The scenario is also part of the result row and is already copied into place here.
* @param iType If the WorldType is set to global then only a single output row is created.
* @return A map that maps regions to output rows, it can contain 1, 24, 25, 26 or 27 entries.
* @throws Exception If the ModelType is not recognized and the WorldType is not global.
*
*/
public static Map<RegionName, OutputRow> createOutputList(ModelType iModel, OutputRow iTemplateRow,
String iScenario, WorldType iType) throws Exception
{
HashMap<RegionName, OutputRow> aResult = new HashMap<RegionName, OutputRow>();
if (iType == WorldType.global)
{
OutputRow aRow = OutputRow.createOutputRow(iModel, iTemplateRow, iScenario, RegionName.World);
aResult.put(RegionName.World, aRow);
}
else
{
switch (iModel)
{
case Image:
createRegions(24, aResult, iModel, iTemplateRow, iScenario);
break;
case ImageWorld:
createRegions(24, aResult, iModel, iTemplateRow, iScenario);
aResult.put(RegionName.World,
OutputRow.createOutputRow(iModel, iTemplateRow, iScenario, RegionName.World));
break;
case TimerFair:
createRegions(26, aResult, iModel, iTemplateRow, iScenario);
break;
case TimerFairWorld:
createRegions(26, aResult, iModel, iTemplateRow, iScenario);
aResult.put(RegionName.World,
OutputRow.createOutputRow(iModel, iTemplateRow, iScenario, RegionName.World));
break;
case TimerFairEmptyWorld:
createRegions(26, aResult, iModel, iTemplateRow, iScenario);
aResult.put(RegionName.World,
OutputRow.createOutputRow(iModel, iTemplateRow, iScenario, RegionName.World));
break;
case TimerFairAggWorld:
createRegions(33, aResult, iModel, iTemplateRow, iScenario);
break;
case SingleValue:
aResult.put(RegionName.World,
OutputRow.createOutputRow(iModel, iTemplateRow, iScenario, RegionName.World));
break;
default:
throw new Exception("Model not supported");
}
}
return aResult;
}
}
| IAMconsortium/reporting_workflows | java2iamc/RegionControl.java | 1,569 | /**
* <pre>
* In onze huidige datafiles kan je verschillende configuraties tegenkomen
* 24 24 Image regios
* 25 24 image regios+wereld
* 26 26 TIMER/FAIR regios
* 27 26 TIMER/FAIR regios+wereld
* 28 26 TIMER/FAIR regios+lege regio+wereld
* 33 26 TIMER/FAIR regios+aggregaties+wereld
*
* Dus je kan wel een bestand tegenkomen met 25 + 1 regios.
*
* De beslisboom wordt dan:
*
* IF 24,
* Report [24 regios, 0 for region 25 en 26]
* LOG: missing regions 25 and 26, LOG missing global
* If 25,
* Report [24 regios, 0 for region 25 en 26, Global(dim25 van data)]
* LOG: missing regions 25 and 26
* IF 26,
* report [26 regions]
* LOG: missing global
* IF 27
* report [26 regions, global(dim27 van data)]
* LOG: missing global
* IF 28
* report [26 regions, global(dim28 van data)]
* LOG: missing global
* IF 33
* report [26 regions, global(dim33 van data)]
* LOG: missing global
*
* Voor wereldtotaal geld ook
* IFNOT 24 of 26 THEN laatste van de array altijd het wereldtotaal.
* IF 24 of 25 THEN report N/A, LOG: missing global
* </pre>
*/ | block_comment | nl | package data;
import java.util.HashMap;
import java.util.Map;
import org.apache.log4j.Logger;
import data.RegionType.ModelType;
import data.RegionType.RegionName;
/**
* This class has the enumerations for the various dimensions in the M-files
* that are encountered. It also has an enumeration with the region names in it.
* Note that correct behaviour depends on the order of regions in the RegionName
* enumeration! This will also not work with the aggegrated regions in files
* with 33 dimensions!
*
* @author Vortech
*
*/
public class RegionControl
{
static Logger logger = Logger.getLogger(RegionControl.class.getName());
/**
* <pre>
<SUF>*/
protected static void createRegions(int numRegions, HashMap<RegionName, OutputRow> ioRegions, ModelType iModel,
OutputRow iTemplateRow, String iScenario)
{
int i = 0;
for (RegionName r : RegionName.values())
{
OutputRow aRow = OutputRow.createOutputRow(iModel, iTemplateRow, iScenario, r);
ioRegions.put(r, aRow);
i++;
if (i == numRegions)
{
break;
}
}
}
/**
* This function uses a combination of the global/noglobal/regions and
* ModelType to determine how many outputrows need to be created for the
* current mapping.
*
* @param iModel The modeltype determines the amount of regions when worldtype is not 'global'
* @param iTemplateRow The template row is used to copy some relevant information to the output row, like the variable name and unit.
* @param iScenario The scenario is also part of the result row and is already copied into place here.
* @param iType If the WorldType is set to global then only a single output row is created.
* @return A map that maps regions to output rows, it can contain 1, 24, 25, 26 or 27 entries.
* @throws Exception If the ModelType is not recognized and the WorldType is not global.
*
*/
public static Map<RegionName, OutputRow> createOutputList(ModelType iModel, OutputRow iTemplateRow,
String iScenario, WorldType iType) throws Exception
{
HashMap<RegionName, OutputRow> aResult = new HashMap<RegionName, OutputRow>();
if (iType == WorldType.global)
{
OutputRow aRow = OutputRow.createOutputRow(iModel, iTemplateRow, iScenario, RegionName.World);
aResult.put(RegionName.World, aRow);
}
else
{
switch (iModel)
{
case Image:
createRegions(24, aResult, iModel, iTemplateRow, iScenario);
break;
case ImageWorld:
createRegions(24, aResult, iModel, iTemplateRow, iScenario);
aResult.put(RegionName.World,
OutputRow.createOutputRow(iModel, iTemplateRow, iScenario, RegionName.World));
break;
case TimerFair:
createRegions(26, aResult, iModel, iTemplateRow, iScenario);
break;
case TimerFairWorld:
createRegions(26, aResult, iModel, iTemplateRow, iScenario);
aResult.put(RegionName.World,
OutputRow.createOutputRow(iModel, iTemplateRow, iScenario, RegionName.World));
break;
case TimerFairEmptyWorld:
createRegions(26, aResult, iModel, iTemplateRow, iScenario);
aResult.put(RegionName.World,
OutputRow.createOutputRow(iModel, iTemplateRow, iScenario, RegionName.World));
break;
case TimerFairAggWorld:
createRegions(33, aResult, iModel, iTemplateRow, iScenario);
break;
case SingleValue:
aResult.put(RegionName.World,
OutputRow.createOutputRow(iModel, iTemplateRow, iScenario, RegionName.World));
break;
default:
throw new Exception("Model not supported");
}
}
return aResult;
}
}
| false | 1,379 | 476 | 1,425 | 458 | 1,508 | 472 | 1,425 | 458 | 1,587 | 496 | true | true | true | true | true | false |
778 | 169765_0 | package nl.hu.cisq1.lingo.trainer.domain;
import nl.hu.cisq1.lingo.trainer.domain.enumerations.Mark;
import nl.hu.cisq1.lingo.trainer.domain.enumerations.Round_States;
import nl.hu.cisq1.lingo.trainer.domain.exceptions.InvalidFeedbackException;
import javax.persistence.*;
import java.util.ArrayList;
import java.util.List;
import static nl.hu.cisq1.lingo.trainer.domain.enumerations.Mark.ABSENT;
@Entity
public class Round {
public static final int max_attempts = 5;
@Id
@GeneratedValue
private Long id;
private String wordToGuess;
@Enumerated(EnumType.STRING)
private Round_States round_status = Round_States.PLAYING;
@OneToMany(cascade = CascadeType.ALL)
@JoinColumn
private final List<Feedback> feedbackHistory = new ArrayList<>();
public Round_States getRound_status() {
return round_status;
}
public void setRound_status(Round_States round_status) {
this.round_status = round_status;
}
public Round(String wordToGuess) {
this.wordToGuess = wordToGuess;
}
public Round() {
}
public String giveFirstHint(String wordToGuess) {
String firstHint = "";
if (wordToGuess.length() > 0) {
firstHint += wordToGuess.charAt(0);
for (int i = 1; i < wordToGuess.length(); i++) {
firstHint += ".";
}
}
return firstHint;
}
public void guess(String guess) {
if (guess.length() != this.wordToGuess.length()) {
throw new InvalidFeedbackException("Attempt is too long");
} else if(feedbackHistory.size() > 4) {
this.setRound_status(Round_States.ELIMINATED);
}
Feedback feedback = new Feedback(guess, this.generateMarks(guess));
feedbackHistory.add(feedback); // schrijf nog een test hiervoor + test dit
}
public List<Character> showFeedback(){
return feedbackHistory.get(feedbackHistory.size()-1).giveHint();
}
public List<Mark> generateMarks(String guess) {
List<Mark> marks = new ArrayList<>();
List<Character> presentList = new ArrayList<>();
int index = 0;
for (char character : wordToGuess.toCharArray()) {
if (guess.charAt(index) == character) {
marks.add(index, Mark.CORRECT);
index++;
continue;
} else if (!presentList.contains(guess.charAt(index))
&& wordToGuess.contains(Character.toString(guess.charAt(index)))) {
marks.add(index, Mark.PRESENT);
presentList.add(guess.charAt(index));
index++;
continue;
}
marks.add(index, ABSENT);
index++;
}
return marks;
}
public int calculateScore(){
return 5 * (5-feedbackHistory.size()) + 5;
}
}
| JBaltjes1997/HU_Lingo | cisq1-lingo-v2b-Lobohuargo822-main/src/main/java/nl/hu/cisq1/lingo/trainer/domain/Round.java | 906 | // schrijf nog een test hiervoor + test dit | line_comment | nl | package nl.hu.cisq1.lingo.trainer.domain;
import nl.hu.cisq1.lingo.trainer.domain.enumerations.Mark;
import nl.hu.cisq1.lingo.trainer.domain.enumerations.Round_States;
import nl.hu.cisq1.lingo.trainer.domain.exceptions.InvalidFeedbackException;
import javax.persistence.*;
import java.util.ArrayList;
import java.util.List;
import static nl.hu.cisq1.lingo.trainer.domain.enumerations.Mark.ABSENT;
@Entity
public class Round {
public static final int max_attempts = 5;
@Id
@GeneratedValue
private Long id;
private String wordToGuess;
@Enumerated(EnumType.STRING)
private Round_States round_status = Round_States.PLAYING;
@OneToMany(cascade = CascadeType.ALL)
@JoinColumn
private final List<Feedback> feedbackHistory = new ArrayList<>();
public Round_States getRound_status() {
return round_status;
}
public void setRound_status(Round_States round_status) {
this.round_status = round_status;
}
public Round(String wordToGuess) {
this.wordToGuess = wordToGuess;
}
public Round() {
}
public String giveFirstHint(String wordToGuess) {
String firstHint = "";
if (wordToGuess.length() > 0) {
firstHint += wordToGuess.charAt(0);
for (int i = 1; i < wordToGuess.length(); i++) {
firstHint += ".";
}
}
return firstHint;
}
public void guess(String guess) {
if (guess.length() != this.wordToGuess.length()) {
throw new InvalidFeedbackException("Attempt is too long");
} else if(feedbackHistory.size() > 4) {
this.setRound_status(Round_States.ELIMINATED);
}
Feedback feedback = new Feedback(guess, this.generateMarks(guess));
feedbackHistory.add(feedback); // schrijf nog<SUF>
}
public List<Character> showFeedback(){
return feedbackHistory.get(feedbackHistory.size()-1).giveHint();
}
public List<Mark> generateMarks(String guess) {
List<Mark> marks = new ArrayList<>();
List<Character> presentList = new ArrayList<>();
int index = 0;
for (char character : wordToGuess.toCharArray()) {
if (guess.charAt(index) == character) {
marks.add(index, Mark.CORRECT);
index++;
continue;
} else if (!presentList.contains(guess.charAt(index))
&& wordToGuess.contains(Character.toString(guess.charAt(index)))) {
marks.add(index, Mark.PRESENT);
presentList.add(guess.charAt(index));
index++;
continue;
}
marks.add(index, ABSENT);
index++;
}
return marks;
}
public int calculateScore(){
return 5 * (5-feedbackHistory.size()) + 5;
}
}
| false | 628 | 13 | 730 | 13 | 776 | 11 | 730 | 13 | 893 | 12 | false | false | false | false | false | true |
608 | 62412_6 | import be.gilles.Acteur;
import java.util.*;
import java.util.stream.Collectors;
public class Main {
private static final Acteur[] testdata = {
new Acteur("Cameron Diaz", 1972),
new Acteur("Anna Faris", 1976),
new Acteur("Angelina Jolie", 1975),
new Acteur("Jennifer Lopez", 1970),
new Acteur("Reese Witherspoon", 1976),
new Acteur("Neve Campbell", 1973),
new Acteur("Catherine Zeta-Jones", 1969),
new Acteur("Kirsten Dunst", 1982),
new Acteur("Kate Winslet", 1975),
new Acteur("Gina Philips", 1975),
new Acteur("Shannon Elisabeth", 1973),
new Acteur("Carmen Electra", 1972),
new Acteur("Drew Barrymore", 1975),
new Acteur("Elisabeth Hurley", 1965),
new Acteur("Tara Reid", 1975),
new Acteur("Katie Holmes", 1978),
new Acteur("Anna Faris", 1976)
};
public static void main(String[] args) {
Acteur reese = new Acteur("Reese Witherspoon", 1976);
Acteur drew = new Acteur("Drew Barrymore", 1975);
Acteur anna = new Acteur("Anna Faris", 1976);
Acteur thandie = new Acteur("Thandie Newton", 1972);
List<Acteur> acteurs = new ArrayList<Acteur>();
acteurs.addAll(Arrays.asList(testdata));
acteurs.add(reese);
acteurs.add(drew);
acteurs.add(anna);
acteurs.add(thandie);
// Toon de inhoud van de collection (zonder iterator)
Arrays.stream(testdata).forEach(System.out::println);
// Verwijder de objecten reese en thandie
acteurs.removeAll(Arrays.asList(reese, thandie));
// Verwijder alle acteurs geboren in 1975 (met iterator)
acteurs.removeIf(x -> x.getGeboortejaar() == 1975);
// Using an iterator (the less efficient way :x)
for (Iterator<Acteur> it = acteurs.iterator(); it.hasNext(); ) {
if (it.next().getGeboortejaar() == 1975) it.remove();
}
// Verwijder alle dubbele acteurs in de lijst (doe dit bijvoorbeeld door een
// nieuwe lijst te maken zonder dubbels. Je kan “contains” gebruiken om te
// kijken of een element al in de lijst zit.
//acteurs = acteurs.stream().distinct().collect(Collectors.toList()); -> Updating
// acteurs.stream().sorted(Acteur::compareTo).forEach(System.out::println);
System.out.println("Uiteindelijke inhoud: ");
acteurs.stream().distinct().sorted(Acteur::compareTo).forEach(System.out::println);
}
}
| GillesClsns/Programming-OO-Concepts | P2-2022/P2-W4/Acteurs/src/Main.java | 841 | // kijken of een element al in de lijst zit. | line_comment | nl | import be.gilles.Acteur;
import java.util.*;
import java.util.stream.Collectors;
public class Main {
private static final Acteur[] testdata = {
new Acteur("Cameron Diaz", 1972),
new Acteur("Anna Faris", 1976),
new Acteur("Angelina Jolie", 1975),
new Acteur("Jennifer Lopez", 1970),
new Acteur("Reese Witherspoon", 1976),
new Acteur("Neve Campbell", 1973),
new Acteur("Catherine Zeta-Jones", 1969),
new Acteur("Kirsten Dunst", 1982),
new Acteur("Kate Winslet", 1975),
new Acteur("Gina Philips", 1975),
new Acteur("Shannon Elisabeth", 1973),
new Acteur("Carmen Electra", 1972),
new Acteur("Drew Barrymore", 1975),
new Acteur("Elisabeth Hurley", 1965),
new Acteur("Tara Reid", 1975),
new Acteur("Katie Holmes", 1978),
new Acteur("Anna Faris", 1976)
};
public static void main(String[] args) {
Acteur reese = new Acteur("Reese Witherspoon", 1976);
Acteur drew = new Acteur("Drew Barrymore", 1975);
Acteur anna = new Acteur("Anna Faris", 1976);
Acteur thandie = new Acteur("Thandie Newton", 1972);
List<Acteur> acteurs = new ArrayList<Acteur>();
acteurs.addAll(Arrays.asList(testdata));
acteurs.add(reese);
acteurs.add(drew);
acteurs.add(anna);
acteurs.add(thandie);
// Toon de inhoud van de collection (zonder iterator)
Arrays.stream(testdata).forEach(System.out::println);
// Verwijder de objecten reese en thandie
acteurs.removeAll(Arrays.asList(reese, thandie));
// Verwijder alle acteurs geboren in 1975 (met iterator)
acteurs.removeIf(x -> x.getGeboortejaar() == 1975);
// Using an iterator (the less efficient way :x)
for (Iterator<Acteur> it = acteurs.iterator(); it.hasNext(); ) {
if (it.next().getGeboortejaar() == 1975) it.remove();
}
// Verwijder alle dubbele acteurs in de lijst (doe dit bijvoorbeeld door een
// nieuwe lijst te maken zonder dubbels. Je kan “contains” gebruiken om te
// kijken of<SUF>
//acteurs = acteurs.stream().distinct().collect(Collectors.toList()); -> Updating
// acteurs.stream().sorted(Acteur::compareTo).forEach(System.out::println);
System.out.println("Uiteindelijke inhoud: ");
acteurs.stream().distinct().sorted(Acteur::compareTo).forEach(System.out::println);
}
}
| false | 738 | 13 | 849 | 15 | 773 | 11 | 849 | 15 | 886 | 15 | false | false | false | false | false | true |
881 | 82291_32 | package nl.hva.ict.data.MySQL;
import nl.hva.ict.models.Accommodatie;
import nl.hva.ict.models.BoekingsOverzicht;
import nl.hva.ict.models.Reiziger;
import nl.hva.ict.models.Reservering;
import java.sql.Date;
import java.sql.PreparedStatement;
import java.sql.ResultSet;
import java.sql.SQLException;
import java.time.LocalDate;
import java.util.ArrayList;
import java.util.List;
/**
* DAO voor de accommodatie
*
* @author HBO-ICT
*/
public class MySQLBoekingsOverzicht extends MySQL<BoekingsOverzicht> {
private final List<BoekingsOverzicht> boekingsOverzicht;
/**
* Constructor
*/
public MySQLBoekingsOverzicht() {
// init arraylist
boekingsOverzicht = new ArrayList<>();
// Laad bij startup
load();
}
/**
* Doe dit bij het maken van dit object
*/
private void load() {
// Vul hier je SQL code in
String sql = "";
// Als je nog geen query hebt ingevuld breek dan af om een error te voorkomen.
if (sql.equals(""))
return;
try {
// Roep de methode aan in de parent class en geen je SQL door
PreparedStatement ps = getStatement(sql);
//Voer je query uit en stop het antwoord in een result set
ResultSet rs = executeSelectPreparedStatement(ps);
// Loop net zolang als er records zijn
while (rs.next()) {
int idReservering = 0;
Date aankomstDatum = rs.getDate("aankomstDatum");
Date vertrekDatum = rs.getDate("vertrekDatum");
boolean betaald = rs.getBoolean("betaald");
String accommodatieCode = rs.getString("accommodatieCode");
String reizerCode = rs.getString("reizigerCode");
String voornaam = ""; // not in use
String achternaam = rs.getString("reiziger"); // combine voor en achternaam
String adres = ""; // not in use
String postcode = "";
String plaats = "";
String land = "";
String hoofdreiziger = "";
String accommodatieNaam = rs.getString("naam");
String accommodatieStad = rs.getString("stad");
String accommodatieLand = rs.getString("land");
// Maak models aan
Reservering reservering = new Reservering(idReservering, aankomstDatum, vertrekDatum, betaald, accommodatieCode, reizerCode);
Reiziger reiziger = new Reiziger(reizerCode, voornaam, achternaam, adres, postcode, plaats, land, hoofdreiziger);
Accommodatie accommodatie = new Accommodatie();
accommodatie.setNaam(accommodatieNaam);
accommodatie.setStad(accommodatieStad);
accommodatie.setLand(accommodatieLand);
//voeg die toe aan de arraylist
boekingsOverzicht.add(new BoekingsOverzicht(accommodatie, reiziger, reservering));
}
} catch (SQLException e) {
e.printStackTrace();
}
}
/**
* Haal de boekingen op voor 1 reiziger
*
* @param reizigerscode Welke reiziger wil je de boekingen voor?
* @return Een list van boekingen
*/
public List<BoekingsOverzicht> getBoekingVoor(String reizigerscode) {
// Maak een arraylist
List<BoekingsOverzicht> reserveringVoor = new ArrayList<>();
// Voer hier je query in
String sql = """
SELECT
r.id,
r.aankomst_datum AS aankomstDatum,
r.vertrek_datum AS vertrekDatum,
r.betaald,
r.accommodatie_code AS accommodatieCode,
r.reiziger_code AS reizigerCode,
re.voornaam,
re.achternaam,
re.plaats,
a.naam,
a.stad,
a.land
FROM
`reservering` AS r
INNER JOIN reiziger AS re ON
r.reiziger_code = re.reiziger_code
INNER JOIN `accommodatie` AS a ON
r.accommodatie_code = a.accommodatie_code
WHERE
r.reiziger_code = ?
""";
try {
// Maak je statement
PreparedStatement ps = getStatement(sql);
// Vervang het eerste vraagteken met de reizigerscode. Pas dit eventueel aan voor jou eigen query
ps.setString(1, reizigerscode);
// Voer het uit
ResultSet rs = executeSelectPreparedStatement(ps);
// Loop net zolang als er records zijn
while (rs.next()) {
int idReservering = 0;
Date aankomstDatum = rs.getDate("aankomstDatum");
Date vertrekDatum = rs.getDate("vertrekDatum");
boolean betaald = rs.getBoolean("betaald");
String accommodatieCode = rs.getString("accommodatieCode");
String reizigerVoornaam = rs.getString("voornaam");
String reizigerAchternaam = rs.getString("achternaam");
String reizigerPlaats = rs.getString("plaats");
String accommodatieNaam = rs.getString("naam");
String accommodatieStad = rs.getString("stad");
String accommodatieLand = rs.getString("land");
// Maak model objecten
Reservering reservering = new Reservering(idReservering, aankomstDatum, vertrekDatum, betaald, accommodatieCode, reizigerscode);
Accommodatie accommodatie = new Accommodatie();
accommodatie.setNaam(accommodatieNaam);
accommodatie.setStad(accommodatieStad);
accommodatie.setLand(accommodatieLand);
Reiziger reiziger = new Reiziger();
reiziger.setVoornaam(reizigerVoornaam);
reiziger.setAchternaam(reizigerAchternaam);
reiziger.setPlaats(reizigerPlaats);
// Voeg de reservering toe aan de arraylist
reserveringVoor.add(new BoekingsOverzicht(accommodatie, reiziger, reservering));
}
} catch (SQLException throwables) {
// Oeps probleem
throwables.printStackTrace();
}
// Geef de arrayList terug met de juiste reserveringen
return reserveringVoor;
}
/**
* Haal de reizigerscode op voor een bepaalde boeking per accommodate en datum
*
* @param pCode de accommodatecode
* @param pDatum de datum van verblijf
* @return De reizigerscode
*/
private String getReizigerscode(String pCode, LocalDate pDatum) {
String sql = """
SELECT GeboektOp(?, ?) AS reizigerCode;
""";
// default waarde
String reizigerCode = "";
// convert datum naar ander formaat
Date date = Date.valueOf(pDatum);
try {
// query voorbereiden
PreparedStatement ps = getStatement(sql);
// Vervang de vraagtekens met de juiste waarde. Pas eventueel aan je eigen query
ps.setString(1, pCode);
ps.setDate(2, date);
// Voer het uit
ResultSet rs = executeSelectPreparedStatement(ps);
// Loop net zolang als er records zijn
while (rs.next()) {
reizigerCode = rs.getString("reizigerCode");
}
} catch (SQLException throwables) {
throwables.printStackTrace();
}
// Geef de reizigercode terug
return reizigerCode;
}
/**
* Haal een lijst met reserveringen op voor een bepaalde boeking per accommodate en datum
*
* @param pCode de accommodate code
* @param pDatum de datum van verblijf
* @return Lijst met reserveringen
*/
public List<Reiziger> GeboektOp(String pCode, LocalDate pDatum) {
// Init arraylist
List<Reiziger> geboektOp = new ArrayList<>();
//Stop null pointer error als datum nog niet is ingevuld.
if (pDatum == null)
return geboektOp;
// Spring naar de methode hierboven om de reizigerscode op te halen voor deze boeking
String reizigerscode = getReizigerscode(pCode, pDatum);
if (reizigerscode != null) {
// Haal alle reserveringen op
String sql = """
SELECT reiziger.voornaam,
reiziger.achternaam,
reiziger.adres,
reiziger.postcode,
reiziger.plaats,
reiziger.land,
CONCAT(reiziger.voornaam, ' ', reiziger.achternaam) AS hoofdreiziger
FROM `reiziger`
WHERE reiziger.reiziger_code = ?
""";
// Als je nog geen query hebt ingevuld breek dan af om een error te voorkomen.
if (sql.equals(""))
return geboektOp;
try {
// Roep de methode aan in de parent class en geef je SQL door
PreparedStatement ps = getStatement(sql);
// vervang de eerste vraagteken met de reizigerscode
ps.setString(1, reizigerscode);
// Voer je query uit
ResultSet rs = executeSelectPreparedStatement(ps);
// Loop net zolang als er records zijn
while (rs.next()) {
String voornaam = rs.getString("voornaam");
String achternaam = rs.getString("achternaam");
String adres = rs.getString("adres");
String postcode = rs.getString("postcode");
String plaats = rs.getString("plaats");
String land = rs.getString("land");
String hoofdreiziger = rs.getString("hoofdreiziger");
// Maak reserveringsobject en voeg direct toe aan arraylist
geboektOp.add(new Reiziger(reizigerscode, voornaam, achternaam, adres, postcode, plaats, land, hoofdreiziger));
}
} catch (SQLException throwables) {
throwables.printStackTrace();
}
}
// Geef de array terug met reserveringen
return geboektOp;
}
/**
* Haal alle boekingen op door de gehele arraylist terug te geven
*
* @return Een arraylist van accommodaties
*/
@Override
public List<BoekingsOverzicht> getAll() {
return boekingsOverzicht;
}
/**
* Haal 1 boeking op
*
* @return Een arraylist van accommodaties
*/
@Override
public BoekingsOverzicht get() {
// nog niet uitgewerkt geeft nu even null terug
return null;
}
/**
* Voeg een boeking toe
*
* @param boekingsOverzicht de boeking
*/
@Override
public void add(BoekingsOverzicht boekingsOverzicht) {
// nog niet uitgewerkt
}
/**
* Update de boeking
*
* @param boekingsOverzicht de boeking
*/
@Override
public void update(BoekingsOverzicht boekingsOverzicht) {
// nog niet uitgewerkt
}
/**
* Verwijder een boeking
*
* @param object de boeking
*/
@Override
public void remove(BoekingsOverzicht object) {
// nog niet uitgewerkt
}
}
| JuniorBrPr/DB2 | src/nl/hva/ict/data/MySQL/MySQLBoekingsOverzicht.java | 3,300 | // Spring naar de methode hierboven om de reizigerscode op te halen voor deze boeking | line_comment | nl | package nl.hva.ict.data.MySQL;
import nl.hva.ict.models.Accommodatie;
import nl.hva.ict.models.BoekingsOverzicht;
import nl.hva.ict.models.Reiziger;
import nl.hva.ict.models.Reservering;
import java.sql.Date;
import java.sql.PreparedStatement;
import java.sql.ResultSet;
import java.sql.SQLException;
import java.time.LocalDate;
import java.util.ArrayList;
import java.util.List;
/**
* DAO voor de accommodatie
*
* @author HBO-ICT
*/
public class MySQLBoekingsOverzicht extends MySQL<BoekingsOverzicht> {
private final List<BoekingsOverzicht> boekingsOverzicht;
/**
* Constructor
*/
public MySQLBoekingsOverzicht() {
// init arraylist
boekingsOverzicht = new ArrayList<>();
// Laad bij startup
load();
}
/**
* Doe dit bij het maken van dit object
*/
private void load() {
// Vul hier je SQL code in
String sql = "";
// Als je nog geen query hebt ingevuld breek dan af om een error te voorkomen.
if (sql.equals(""))
return;
try {
// Roep de methode aan in de parent class en geen je SQL door
PreparedStatement ps = getStatement(sql);
//Voer je query uit en stop het antwoord in een result set
ResultSet rs = executeSelectPreparedStatement(ps);
// Loop net zolang als er records zijn
while (rs.next()) {
int idReservering = 0;
Date aankomstDatum = rs.getDate("aankomstDatum");
Date vertrekDatum = rs.getDate("vertrekDatum");
boolean betaald = rs.getBoolean("betaald");
String accommodatieCode = rs.getString("accommodatieCode");
String reizerCode = rs.getString("reizigerCode");
String voornaam = ""; // not in use
String achternaam = rs.getString("reiziger"); // combine voor en achternaam
String adres = ""; // not in use
String postcode = "";
String plaats = "";
String land = "";
String hoofdreiziger = "";
String accommodatieNaam = rs.getString("naam");
String accommodatieStad = rs.getString("stad");
String accommodatieLand = rs.getString("land");
// Maak models aan
Reservering reservering = new Reservering(idReservering, aankomstDatum, vertrekDatum, betaald, accommodatieCode, reizerCode);
Reiziger reiziger = new Reiziger(reizerCode, voornaam, achternaam, adres, postcode, plaats, land, hoofdreiziger);
Accommodatie accommodatie = new Accommodatie();
accommodatie.setNaam(accommodatieNaam);
accommodatie.setStad(accommodatieStad);
accommodatie.setLand(accommodatieLand);
//voeg die toe aan de arraylist
boekingsOverzicht.add(new BoekingsOverzicht(accommodatie, reiziger, reservering));
}
} catch (SQLException e) {
e.printStackTrace();
}
}
/**
* Haal de boekingen op voor 1 reiziger
*
* @param reizigerscode Welke reiziger wil je de boekingen voor?
* @return Een list van boekingen
*/
public List<BoekingsOverzicht> getBoekingVoor(String reizigerscode) {
// Maak een arraylist
List<BoekingsOverzicht> reserveringVoor = new ArrayList<>();
// Voer hier je query in
String sql = """
SELECT
r.id,
r.aankomst_datum AS aankomstDatum,
r.vertrek_datum AS vertrekDatum,
r.betaald,
r.accommodatie_code AS accommodatieCode,
r.reiziger_code AS reizigerCode,
re.voornaam,
re.achternaam,
re.plaats,
a.naam,
a.stad,
a.land
FROM
`reservering` AS r
INNER JOIN reiziger AS re ON
r.reiziger_code = re.reiziger_code
INNER JOIN `accommodatie` AS a ON
r.accommodatie_code = a.accommodatie_code
WHERE
r.reiziger_code = ?
""";
try {
// Maak je statement
PreparedStatement ps = getStatement(sql);
// Vervang het eerste vraagteken met de reizigerscode. Pas dit eventueel aan voor jou eigen query
ps.setString(1, reizigerscode);
// Voer het uit
ResultSet rs = executeSelectPreparedStatement(ps);
// Loop net zolang als er records zijn
while (rs.next()) {
int idReservering = 0;
Date aankomstDatum = rs.getDate("aankomstDatum");
Date vertrekDatum = rs.getDate("vertrekDatum");
boolean betaald = rs.getBoolean("betaald");
String accommodatieCode = rs.getString("accommodatieCode");
String reizigerVoornaam = rs.getString("voornaam");
String reizigerAchternaam = rs.getString("achternaam");
String reizigerPlaats = rs.getString("plaats");
String accommodatieNaam = rs.getString("naam");
String accommodatieStad = rs.getString("stad");
String accommodatieLand = rs.getString("land");
// Maak model objecten
Reservering reservering = new Reservering(idReservering, aankomstDatum, vertrekDatum, betaald, accommodatieCode, reizigerscode);
Accommodatie accommodatie = new Accommodatie();
accommodatie.setNaam(accommodatieNaam);
accommodatie.setStad(accommodatieStad);
accommodatie.setLand(accommodatieLand);
Reiziger reiziger = new Reiziger();
reiziger.setVoornaam(reizigerVoornaam);
reiziger.setAchternaam(reizigerAchternaam);
reiziger.setPlaats(reizigerPlaats);
// Voeg de reservering toe aan de arraylist
reserveringVoor.add(new BoekingsOverzicht(accommodatie, reiziger, reservering));
}
} catch (SQLException throwables) {
// Oeps probleem
throwables.printStackTrace();
}
// Geef de arrayList terug met de juiste reserveringen
return reserveringVoor;
}
/**
* Haal de reizigerscode op voor een bepaalde boeking per accommodate en datum
*
* @param pCode de accommodatecode
* @param pDatum de datum van verblijf
* @return De reizigerscode
*/
private String getReizigerscode(String pCode, LocalDate pDatum) {
String sql = """
SELECT GeboektOp(?, ?) AS reizigerCode;
""";
// default waarde
String reizigerCode = "";
// convert datum naar ander formaat
Date date = Date.valueOf(pDatum);
try {
// query voorbereiden
PreparedStatement ps = getStatement(sql);
// Vervang de vraagtekens met de juiste waarde. Pas eventueel aan je eigen query
ps.setString(1, pCode);
ps.setDate(2, date);
// Voer het uit
ResultSet rs = executeSelectPreparedStatement(ps);
// Loop net zolang als er records zijn
while (rs.next()) {
reizigerCode = rs.getString("reizigerCode");
}
} catch (SQLException throwables) {
throwables.printStackTrace();
}
// Geef de reizigercode terug
return reizigerCode;
}
/**
* Haal een lijst met reserveringen op voor een bepaalde boeking per accommodate en datum
*
* @param pCode de accommodate code
* @param pDatum de datum van verblijf
* @return Lijst met reserveringen
*/
public List<Reiziger> GeboektOp(String pCode, LocalDate pDatum) {
// Init arraylist
List<Reiziger> geboektOp = new ArrayList<>();
//Stop null pointer error als datum nog niet is ingevuld.
if (pDatum == null)
return geboektOp;
// Spring naar<SUF>
String reizigerscode = getReizigerscode(pCode, pDatum);
if (reizigerscode != null) {
// Haal alle reserveringen op
String sql = """
SELECT reiziger.voornaam,
reiziger.achternaam,
reiziger.adres,
reiziger.postcode,
reiziger.plaats,
reiziger.land,
CONCAT(reiziger.voornaam, ' ', reiziger.achternaam) AS hoofdreiziger
FROM `reiziger`
WHERE reiziger.reiziger_code = ?
""";
// Als je nog geen query hebt ingevuld breek dan af om een error te voorkomen.
if (sql.equals(""))
return geboektOp;
try {
// Roep de methode aan in de parent class en geef je SQL door
PreparedStatement ps = getStatement(sql);
// vervang de eerste vraagteken met de reizigerscode
ps.setString(1, reizigerscode);
// Voer je query uit
ResultSet rs = executeSelectPreparedStatement(ps);
// Loop net zolang als er records zijn
while (rs.next()) {
String voornaam = rs.getString("voornaam");
String achternaam = rs.getString("achternaam");
String adres = rs.getString("adres");
String postcode = rs.getString("postcode");
String plaats = rs.getString("plaats");
String land = rs.getString("land");
String hoofdreiziger = rs.getString("hoofdreiziger");
// Maak reserveringsobject en voeg direct toe aan arraylist
geboektOp.add(new Reiziger(reizigerscode, voornaam, achternaam, adres, postcode, plaats, land, hoofdreiziger));
}
} catch (SQLException throwables) {
throwables.printStackTrace();
}
}
// Geef de array terug met reserveringen
return geboektOp;
}
/**
* Haal alle boekingen op door de gehele arraylist terug te geven
*
* @return Een arraylist van accommodaties
*/
@Override
public List<BoekingsOverzicht> getAll() {
return boekingsOverzicht;
}
/**
* Haal 1 boeking op
*
* @return Een arraylist van accommodaties
*/
@Override
public BoekingsOverzicht get() {
// nog niet uitgewerkt geeft nu even null terug
return null;
}
/**
* Voeg een boeking toe
*
* @param boekingsOverzicht de boeking
*/
@Override
public void add(BoekingsOverzicht boekingsOverzicht) {
// nog niet uitgewerkt
}
/**
* Update de boeking
*
* @param boekingsOverzicht de boeking
*/
@Override
public void update(BoekingsOverzicht boekingsOverzicht) {
// nog niet uitgewerkt
}
/**
* Verwijder een boeking
*
* @param object de boeking
*/
@Override
public void remove(BoekingsOverzicht object) {
// nog niet uitgewerkt
}
}
| false | 2,686 | 23 | 2,887 | 25 | 2,815 | 19 | 2,887 | 25 | 3,300 | 26 | false | false | false | false | false | true |
4,450 | 14078_1 | package domein;
import java.io.FileInputStream;
import java.time.LocalDate;
import java.util.ArrayList;
import java.util.Collection;
import java.util.List;
import java.util.Properties;
import dto.SpelerDTO;
public class DomeinController{
private SpelerRepository spelerrepo;
private KaartRepository kaartrepo;
private EdeleRepository edelerepo;
private Speler speler;
private List<Speler> spelers;
private Spel spel = new Spel();
private static String padTaal ="src/talen/taal.properties";
static final Properties taal = new Properties();
static {
try {
taal.load(new FileInputStream(padTaal));
} catch (Exception e) {
e.printStackTrace();
}
};
//Dit is de constructor voor de klasse DomeinController.
public DomeinController(){
this.spelerrepo = new SpelerRepository();
this.kaartrepo = new KaartRepository();
this.edelerepo = new EdeleRepository();
}
//Deze methode start een spel
public void startSpel() {
this.spel = new Spel();
}
public void voegSpeler(String username, int geboortejaar)
{
spel.voegSpelerToe(spelerrepo.geefSpeler(username, geboortejaar));
}
//Deze methode registreert een nieuwe speler
public void registreer(String username, String voornaam, String achternaam, int geboortejaar) {
spelerrepo.voegToe(new Speler(geboortejaar, voornaam, achternaam, username, false));
}
//Deze methode geeft alle info van de speler terug.
public SpelerDTO geefSpeler() {
if(speler != null) {
return new SpelerDTO(speler.getGeboortejaar(), speler.getVoornaam(), speler.getAchternaam(), speler.getUsername(), speler.getScore(), speler.getEdelstenen(), speler.getKaarten());
}
return null;
}
//Deze methode geeft de score van de speler terug
public int geefScore() {
return speler.getScore();
}
//Deze methode controleert of het spel gedaan is.
public boolean isEindeSpel() {
return spel.isEindeSpel();
}
//Meld een speler aan, aan de hand van zijn username en geboortejaar.
public void meldAan(String username, int geboortejaar) {
speler = spelerrepo.geefSpeler(username, geboortejaar);
}
public boolean controleerSpeler(String username)
{
boolean antwoord =false;
if(spelerrepo.bestaatSpeler(username))
{
antwoord =true;
}
return antwoord;
}
public void infoSpeler(String taalKeuze)
{
spel.infoSpeler(taalKeuze);
}
public List geefKaartNiveau1(String taalkeuze)
{
List<Kaart> pick3 = kaartrepo.geefKaartNiveau1();
return pick3;
}
public List<Kaart> geefKaartNiveau2(String taalKeuze)
{
List<Kaart> pick3 = kaartrepo.geefKaartNiveau2();
return pick3;
}
public List<Kaart> geefKaartNiveau3(String taalKeuze)
{
List<Kaart> pick3 = kaartrepo.geefKaartNiveau3();
return pick3;
}
public List<Kaart> toonKaartenVanSpeler(Speler speler2) {
return speler2.getKaarten();
}
public List<Edele> geefEdelen(String taalkeuze)
{
List<Edele> pick4 = edelerepo.geefEdelen();
return pick4;
/*for (Edele edele : pick4) {
System.out.printf("%s %s", edele.getPrijs(), edele.getWaarde());
}*/
}
} | taylon-vandenbroecke/splendor | src/domein/DomeinController.java | 1,203 | //Deze methode start een spel | line_comment | nl | package domein;
import java.io.FileInputStream;
import java.time.LocalDate;
import java.util.ArrayList;
import java.util.Collection;
import java.util.List;
import java.util.Properties;
import dto.SpelerDTO;
public class DomeinController{
private SpelerRepository spelerrepo;
private KaartRepository kaartrepo;
private EdeleRepository edelerepo;
private Speler speler;
private List<Speler> spelers;
private Spel spel = new Spel();
private static String padTaal ="src/talen/taal.properties";
static final Properties taal = new Properties();
static {
try {
taal.load(new FileInputStream(padTaal));
} catch (Exception e) {
e.printStackTrace();
}
};
//Dit is de constructor voor de klasse DomeinController.
public DomeinController(){
this.spelerrepo = new SpelerRepository();
this.kaartrepo = new KaartRepository();
this.edelerepo = new EdeleRepository();
}
//Deze methode<SUF>
public void startSpel() {
this.spel = new Spel();
}
public void voegSpeler(String username, int geboortejaar)
{
spel.voegSpelerToe(spelerrepo.geefSpeler(username, geboortejaar));
}
//Deze methode registreert een nieuwe speler
public void registreer(String username, String voornaam, String achternaam, int geboortejaar) {
spelerrepo.voegToe(new Speler(geboortejaar, voornaam, achternaam, username, false));
}
//Deze methode geeft alle info van de speler terug.
public SpelerDTO geefSpeler() {
if(speler != null) {
return new SpelerDTO(speler.getGeboortejaar(), speler.getVoornaam(), speler.getAchternaam(), speler.getUsername(), speler.getScore(), speler.getEdelstenen(), speler.getKaarten());
}
return null;
}
//Deze methode geeft de score van de speler terug
public int geefScore() {
return speler.getScore();
}
//Deze methode controleert of het spel gedaan is.
public boolean isEindeSpel() {
return spel.isEindeSpel();
}
//Meld een speler aan, aan de hand van zijn username en geboortejaar.
public void meldAan(String username, int geboortejaar) {
speler = spelerrepo.geefSpeler(username, geboortejaar);
}
public boolean controleerSpeler(String username)
{
boolean antwoord =false;
if(spelerrepo.bestaatSpeler(username))
{
antwoord =true;
}
return antwoord;
}
public void infoSpeler(String taalKeuze)
{
spel.infoSpeler(taalKeuze);
}
public List geefKaartNiveau1(String taalkeuze)
{
List<Kaart> pick3 = kaartrepo.geefKaartNiveau1();
return pick3;
}
public List<Kaart> geefKaartNiveau2(String taalKeuze)
{
List<Kaart> pick3 = kaartrepo.geefKaartNiveau2();
return pick3;
}
public List<Kaart> geefKaartNiveau3(String taalKeuze)
{
List<Kaart> pick3 = kaartrepo.geefKaartNiveau3();
return pick3;
}
public List<Kaart> toonKaartenVanSpeler(Speler speler2) {
return speler2.getKaarten();
}
public List<Edele> geefEdelen(String taalkeuze)
{
List<Edele> pick4 = edelerepo.geefEdelen();
return pick4;
/*for (Edele edele : pick4) {
System.out.printf("%s %s", edele.getPrijs(), edele.getWaarde());
}*/
}
} | false | 939 | 8 | 1,106 | 9 | 1,056 | 6 | 1,106 | 9 | 1,243 | 9 | false | false | false | false | false | true |
2,223 | 189608_0 | package nl.schutrup.cerina.service;
import nl.schutrup.cerina.irma.client.IrmaServerClient;
import nl.schutrup.cerina.irma.client.disclosure.DisclosureRequest;
import nl.schutrup.cerina.irma.client.disclosure.Request;
import nl.schutrup.cerina.irma.client.disclosure.SpRequest;
import nl.schutrup.cerina.irma.client.issuance.CoronaIssuanceRequest;
import nl.schutrup.cerina.irma.client.issuance.IssuanceRequest;
import nl.schutrup.cerina.irma.client.session.result.ServerResult;
import nl.schutrup.cerina.irma.client.session.start.response.ServerResponse;
import org.irmacard.api.common.AttributeDisjunction;
import org.irmacard.api.common.AttributeDisjunctionList;
import org.irmacard.credentials.info.AttributeIdentifier;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Component;
import java.util.ArrayList;
import java.util.List;
import static nl.schutrup.cerina.config.IrmaUserAttributeNames.*;
@Component
public class IrmaClientService {
private static final Logger LOGGER = LoggerFactory.getLogger(IrmaClientService.class);
@Autowired
private IrmaServerClient irmaServerClient;
public ServerResponse retrieveNewSessionJWT(String scenario) throws Exception {
AttributeDisjunctionList attributeDisjunctions;
DisclosureRequest disclosureRequest;
switch (scenario) {
case "scenario-1-jwt":
case "scenario-5-jwt":
case "scenario-16-jwt":
attributeDisjunctions = buildList(IRMA_DEMO_MIJNOVERHEID_ADDRESS_CITY); // Request only woonplaats
return irmaServerClient.retrieveNewSessionWithJWT(attributeDisjunctions);
case "scenario-4-jwt":
disclosureRequest = buildRequest(CERINA_DEMO_CERINA_ISSUER_CERINA_CREDENTIAL_NAAM, CERINA_DEMO_CERINA_ISSUER_CERINA_CREDENTIAL_STAD, CERINA_DEMO_CERINA_ISSUER_CERINA_CREDENTIAL_LEEFTIJD);
return irmaServerClient.retrieveNewSessionWithJWT(disclosureRequest);
case "scenario-6-jwt":
attributeDisjunctions = buildList(IRMA_DEMO_MIJNOVERHEID_ADDRESS_CITY, IRMA_DEMO_MIJNOVERHEID_FULLNAME_FIRSTNAME); // Now disjunction
return irmaServerClient.retrieveNewSessionWithJWT(attributeDisjunctions);
case "scenario-2-jwt": // Conjunction
case "scenario-7-jwt":
case "scenario-8-jwt":
case "scenario-9-jwt":
case "scenario-10-jwt":
case "scenario-11-jwt":
disclosureRequest = buildRequest(IRMA_DEMO_MIJNOVERHEID_ADDRESS_CITY, IRMA_DEMO_MIJNOVERHEID_FULLNAME_FIRSTNAME);
return irmaServerClient.retrieveNewSessionWithJWT(disclosureRequest);
case "scenario-12-jwt":
disclosureRequest = buildRequest(IRMA_DEMO_MIJNOVERHEID_ADDRESS_ZIPCODE);
return irmaServerClient.retrieveNewSessionWithJWT(disclosureRequest);
case "scenario-13-jwt":
disclosureRequest = buildRequest(IRMA_DEMO_MIJNOVERHEID_FULLNAME_FIRSTNAME);
return irmaServerClient.retrieveNewSessionWithJWT(disclosureRequest);
case "scenario-15-jwt":
List<String> a = new ArrayList<>();
a.add(CERINA_DEMO_CERINA_ISSUER_CERINA_CORONA_CREDENTIAL_GEVACCINEERD);
a.add(CERINA_DEMO_CERINA_ISSUER_CERINA_CORONA_CREDENTIAL_AANTAL_VACCINATIES);
List<String> b = new ArrayList<>();
b.add(CERINA_DEMO_CERINA_ISSUER_CERINA_CORONA_CREDENTIAL_VACCINATIEPASPOORT);
b.add(CERINA_DEMO_CERINA_ISSUER_CERINA_CORONA_CREDENTIAL_SNELTEST);
List<String> c = new ArrayList<>();
c.add(CERINA_DEMO_CERINA_ISSUER_CERINA_CORONA_CREDENTIAL_ANTILICHAMEN);
c.add(CERINA_DEMO_CERINA_ISSUER_CERINA_CORONA_CREDENTIAL_ANTILICHAMEN_DATUM);
List<String> d = new ArrayList<>();
d.add(CERINA_DEMO_CERINA_ISSUER_CERINA_CORONA_CREDENTIAL_SNELTEST);
d.add(CERINA_DEMO_CERINA_ISSUER_CERINA_CORONA_CREDENTIAL_SNELTESTDATUM);
List<List<String>> partialList = new ArrayList<>();
// builds an OR statement
partialList.add(a);
partialList.add(b);
partialList.add(c);
partialList.add(d);
DisclosureRequest disclosureRequest1 = buildDisjunctionConjunctionRequest(partialList);
return irmaServerClient.retrieveNewSessionWithJWT(disclosureRequest1);
default:
throw new RuntimeException("Unsupported request: " + scenario);
}
}
public AttributeDisjunctionList buildList(String... fields) {
AttributeDisjunctionList attributeDisjunctions = new AttributeDisjunctionList();
AttributeDisjunction attributeDisjunction = new AttributeDisjunction("");
for (String field : fields) {
AttributeIdentifier attributeIdentifier = new AttributeIdentifier(field);
attributeDisjunction.add(attributeIdentifier);
}
attributeDisjunctions.add(attributeDisjunction);
return attributeDisjunctions;
}
public DisclosureRequest buildDisjunctionConjunctionRequest(List<List<String>> partialList) {
List<List<List<String>>> disclosureList = new ArrayList<>();
disclosureList.add(partialList);
return build(disclosureList);
}
public DisclosureRequest buildRequest(String... fields) {
List<String> discloses = new ArrayList<>();
for (String field : fields) {
discloses.add(field);
}
List<List<List<String>>> disclosureList = new ArrayList<>();
List<List<String>> partialList = new ArrayList<>();
partialList.add(discloses);
disclosureList.add(partialList);
return build(disclosureList);
}
public DisclosureRequest build(List<List<List<String>>> disclosureList) {
DisclosureRequest disclosureRequest = new DisclosureRequest();
Request request = new Request();
request.setContext("https://irma.app/ld/request/disclosure/v2");
request.setDisclose(disclosureList);
SpRequest spRequest = new SpRequest();
spRequest.setRequest(request);
disclosureRequest.setIat(System.currentTimeMillis() / 1000L);
disclosureRequest.setSub("verification_request");
disclosureRequest.setSprequest(spRequest);
return disclosureRequest;
}
public ServerResponse getIssuanceSession(IssuanceRequest issuanceRequest) throws Exception {
try {
return irmaServerClient.getIssuanceSession(issuanceRequest);
} catch (Exception e) {
throw new IllegalStateException(e);
}
}
public ServerResponse getIssuanceSession(CoronaIssuanceRequest issuanceRequest) throws Exception {
try {
return irmaServerClient.getIssuanceSession(issuanceRequest);
} catch (Exception e) {
throw new IllegalStateException(e);
}
}
public ServerResult retrieveSessionResult(String token) throws Exception {
try {
return irmaServerClient.retrieveSessionResult(token);
} catch (Exception e) {
throw e;
}
}
public ServerResult retrieveSessionResultJWT(String token) throws Exception {
return irmaServerClient.retrieveSessionResultJWT(token);
}
/**
public ServerResponse retrieveNewSessionScenario1() throws Exception {
return irmaServerClient.retrieveNewSessionScenario1();
}
// OLD
public ServerResponse retrieveNewSessionScenario2() throws Exception {
return irmaServerClient.retrieveNewSessionScenario2();
}
**/
}
| bellmit/Cerina | src/main/java/nl/schutrup/cerina/service/IrmaClientService.java | 2,412 | // Request only woonplaats | line_comment | nl | package nl.schutrup.cerina.service;
import nl.schutrup.cerina.irma.client.IrmaServerClient;
import nl.schutrup.cerina.irma.client.disclosure.DisclosureRequest;
import nl.schutrup.cerina.irma.client.disclosure.Request;
import nl.schutrup.cerina.irma.client.disclosure.SpRequest;
import nl.schutrup.cerina.irma.client.issuance.CoronaIssuanceRequest;
import nl.schutrup.cerina.irma.client.issuance.IssuanceRequest;
import nl.schutrup.cerina.irma.client.session.result.ServerResult;
import nl.schutrup.cerina.irma.client.session.start.response.ServerResponse;
import org.irmacard.api.common.AttributeDisjunction;
import org.irmacard.api.common.AttributeDisjunctionList;
import org.irmacard.credentials.info.AttributeIdentifier;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Component;
import java.util.ArrayList;
import java.util.List;
import static nl.schutrup.cerina.config.IrmaUserAttributeNames.*;
@Component
public class IrmaClientService {
private static final Logger LOGGER = LoggerFactory.getLogger(IrmaClientService.class);
@Autowired
private IrmaServerClient irmaServerClient;
public ServerResponse retrieveNewSessionJWT(String scenario) throws Exception {
AttributeDisjunctionList attributeDisjunctions;
DisclosureRequest disclosureRequest;
switch (scenario) {
case "scenario-1-jwt":
case "scenario-5-jwt":
case "scenario-16-jwt":
attributeDisjunctions = buildList(IRMA_DEMO_MIJNOVERHEID_ADDRESS_CITY); // Request only<SUF>
return irmaServerClient.retrieveNewSessionWithJWT(attributeDisjunctions);
case "scenario-4-jwt":
disclosureRequest = buildRequest(CERINA_DEMO_CERINA_ISSUER_CERINA_CREDENTIAL_NAAM, CERINA_DEMO_CERINA_ISSUER_CERINA_CREDENTIAL_STAD, CERINA_DEMO_CERINA_ISSUER_CERINA_CREDENTIAL_LEEFTIJD);
return irmaServerClient.retrieveNewSessionWithJWT(disclosureRequest);
case "scenario-6-jwt":
attributeDisjunctions = buildList(IRMA_DEMO_MIJNOVERHEID_ADDRESS_CITY, IRMA_DEMO_MIJNOVERHEID_FULLNAME_FIRSTNAME); // Now disjunction
return irmaServerClient.retrieveNewSessionWithJWT(attributeDisjunctions);
case "scenario-2-jwt": // Conjunction
case "scenario-7-jwt":
case "scenario-8-jwt":
case "scenario-9-jwt":
case "scenario-10-jwt":
case "scenario-11-jwt":
disclosureRequest = buildRequest(IRMA_DEMO_MIJNOVERHEID_ADDRESS_CITY, IRMA_DEMO_MIJNOVERHEID_FULLNAME_FIRSTNAME);
return irmaServerClient.retrieveNewSessionWithJWT(disclosureRequest);
case "scenario-12-jwt":
disclosureRequest = buildRequest(IRMA_DEMO_MIJNOVERHEID_ADDRESS_ZIPCODE);
return irmaServerClient.retrieveNewSessionWithJWT(disclosureRequest);
case "scenario-13-jwt":
disclosureRequest = buildRequest(IRMA_DEMO_MIJNOVERHEID_FULLNAME_FIRSTNAME);
return irmaServerClient.retrieveNewSessionWithJWT(disclosureRequest);
case "scenario-15-jwt":
List<String> a = new ArrayList<>();
a.add(CERINA_DEMO_CERINA_ISSUER_CERINA_CORONA_CREDENTIAL_GEVACCINEERD);
a.add(CERINA_DEMO_CERINA_ISSUER_CERINA_CORONA_CREDENTIAL_AANTAL_VACCINATIES);
List<String> b = new ArrayList<>();
b.add(CERINA_DEMO_CERINA_ISSUER_CERINA_CORONA_CREDENTIAL_VACCINATIEPASPOORT);
b.add(CERINA_DEMO_CERINA_ISSUER_CERINA_CORONA_CREDENTIAL_SNELTEST);
List<String> c = new ArrayList<>();
c.add(CERINA_DEMO_CERINA_ISSUER_CERINA_CORONA_CREDENTIAL_ANTILICHAMEN);
c.add(CERINA_DEMO_CERINA_ISSUER_CERINA_CORONA_CREDENTIAL_ANTILICHAMEN_DATUM);
List<String> d = new ArrayList<>();
d.add(CERINA_DEMO_CERINA_ISSUER_CERINA_CORONA_CREDENTIAL_SNELTEST);
d.add(CERINA_DEMO_CERINA_ISSUER_CERINA_CORONA_CREDENTIAL_SNELTESTDATUM);
List<List<String>> partialList = new ArrayList<>();
// builds an OR statement
partialList.add(a);
partialList.add(b);
partialList.add(c);
partialList.add(d);
DisclosureRequest disclosureRequest1 = buildDisjunctionConjunctionRequest(partialList);
return irmaServerClient.retrieveNewSessionWithJWT(disclosureRequest1);
default:
throw new RuntimeException("Unsupported request: " + scenario);
}
}
public AttributeDisjunctionList buildList(String... fields) {
AttributeDisjunctionList attributeDisjunctions = new AttributeDisjunctionList();
AttributeDisjunction attributeDisjunction = new AttributeDisjunction("");
for (String field : fields) {
AttributeIdentifier attributeIdentifier = new AttributeIdentifier(field);
attributeDisjunction.add(attributeIdentifier);
}
attributeDisjunctions.add(attributeDisjunction);
return attributeDisjunctions;
}
public DisclosureRequest buildDisjunctionConjunctionRequest(List<List<String>> partialList) {
List<List<List<String>>> disclosureList = new ArrayList<>();
disclosureList.add(partialList);
return build(disclosureList);
}
public DisclosureRequest buildRequest(String... fields) {
List<String> discloses = new ArrayList<>();
for (String field : fields) {
discloses.add(field);
}
List<List<List<String>>> disclosureList = new ArrayList<>();
List<List<String>> partialList = new ArrayList<>();
partialList.add(discloses);
disclosureList.add(partialList);
return build(disclosureList);
}
public DisclosureRequest build(List<List<List<String>>> disclosureList) {
DisclosureRequest disclosureRequest = new DisclosureRequest();
Request request = new Request();
request.setContext("https://irma.app/ld/request/disclosure/v2");
request.setDisclose(disclosureList);
SpRequest spRequest = new SpRequest();
spRequest.setRequest(request);
disclosureRequest.setIat(System.currentTimeMillis() / 1000L);
disclosureRequest.setSub("verification_request");
disclosureRequest.setSprequest(spRequest);
return disclosureRequest;
}
public ServerResponse getIssuanceSession(IssuanceRequest issuanceRequest) throws Exception {
try {
return irmaServerClient.getIssuanceSession(issuanceRequest);
} catch (Exception e) {
throw new IllegalStateException(e);
}
}
public ServerResponse getIssuanceSession(CoronaIssuanceRequest issuanceRequest) throws Exception {
try {
return irmaServerClient.getIssuanceSession(issuanceRequest);
} catch (Exception e) {
throw new IllegalStateException(e);
}
}
public ServerResult retrieveSessionResult(String token) throws Exception {
try {
return irmaServerClient.retrieveSessionResult(token);
} catch (Exception e) {
throw e;
}
}
public ServerResult retrieveSessionResultJWT(String token) throws Exception {
return irmaServerClient.retrieveSessionResultJWT(token);
}
/**
public ServerResponse retrieveNewSessionScenario1() throws Exception {
return irmaServerClient.retrieveNewSessionScenario1();
}
// OLD
public ServerResponse retrieveNewSessionScenario2() throws Exception {
return irmaServerClient.retrieveNewSessionScenario2();
}
**/
}
| false | 1,720 | 7 | 1,996 | 8 | 2,010 | 5 | 1,996 | 8 | 2,440 | 7 | false | false | false | false | false | true |
486 | 23306_1 | package nl.tudelft.jpacman.level;
import nl.tudelft.jpacman.board.Unit;
/**
* Een tabel met alle (relevante) botsingen tussen verschillende typen
* eenheden.
*
* @auteur Jeroen Roosen
*/
public interface CollisionMap {
/**
* Laat de twee eenheden in botsing komen en handelt het resultaat van de botsing af, wat mogelijk is
* helemaal niets zijn.
*
* @param <C1> Het botstype.
* @param <C2> Het botsende type (eenheid waarin is verplaatst).
* @param botser De eenheid die de botsing veroorzaakt door een veld te bezetten
* er staat al een ander apparaat op.
* @param botst De eenheid die zich al op het veld bevindt dat wordt binnengevallen.
*/
<C1 extends Unit, C2 extends Unit> void collide(C1 botser, C2 botst);
}
| Eragon6080/examVVPackman | src/main/java/nl/tudelft/jpacman/level/CollisionMap.java | 277 | /**
* Laat de twee eenheden in botsing komen en handelt het resultaat van de botsing af, wat mogelijk is
* helemaal niets zijn.
*
* @param <C1> Het botstype.
* @param <C2> Het botsende type (eenheid waarin is verplaatst).
* @param botser De eenheid die de botsing veroorzaakt door een veld te bezetten
* er staat al een ander apparaat op.
* @param botst De eenheid die zich al op het veld bevindt dat wordt binnengevallen.
*/ | block_comment | nl | package nl.tudelft.jpacman.level;
import nl.tudelft.jpacman.board.Unit;
/**
* Een tabel met alle (relevante) botsingen tussen verschillende typen
* eenheden.
*
* @auteur Jeroen Roosen
*/
public interface CollisionMap {
/**
* Laat de twee<SUF>*/
<C1 extends Unit, C2 extends Unit> void collide(C1 botser, C2 botst);
}
| false | 233 | 145 | 279 | 163 | 236 | 135 | 279 | 163 | 281 | 163 | false | false | false | false | false | true |
119 | 125583_11 | // Pets
// Dog
// Cat
// Specific:
// Lion int numberOfChildren;
// Tiger int numberOfStripes;
// Hond nameOfOwner, favoriteFoodBrand, species
// Kat nameOfOwner, favoriteFoodBrand, species, indoorOutdoor
// Wolf. packName
// Zoo animals: // extends ZooAnimal
// String nameOfPaddock; // Lion, tiger, Wolf - Vind ik een Zoo eigenschap
// String dayLastFed; // Lion, tiger, Wolf
// String landOfOrigin; // Lion, tiger, Wolf
package nl.novi.javaprogrammeren.overerving;
public abstract class Animal {
private String name; // Lion, tiger, Dog, Cat, Wolf
private final String gender; // Lion, tiger, Dog, Cat, Wolf
// Protected: An access modifier used for attributes, methods and constructors, making them accessible in the same package and subclasses. (Not in superclass!)
protected Animal(String name, String gender) {
this.name = name;
this.gender = gender;
}
public String getName() {
return this.name;
}
public String getGender() {
return this.gender;
}
public void setName(String name) {
this.name = name;
}
public void move() {
System.out.println(this.name + " has moved 0.25 meters.");
}
public void sleep() {
System.out.println("The animal is going to sleep for 8 hours.");
}
public void eat(String food) {
System.out.println(this.getName() + " is eating " + food);
}
// Dog of Cat moet een specifiek eigen geluid hebben. Vandaar @Overrule in de subclass
public abstract void makeSound();
}
| Aphelion-im/SD-BE-JP-Overerving-02-opdracht | src/nl/novi/javaprogrammeren/overerving/Animal.java | 455 | // Dog of Cat moet een specifiek eigen geluid hebben. Vandaar @Overrule in de subclass | line_comment | nl | // Pets
// Dog
// Cat
// Specific:
// Lion int numberOfChildren;
// Tiger int numberOfStripes;
// Hond nameOfOwner, favoriteFoodBrand, species
// Kat nameOfOwner, favoriteFoodBrand, species, indoorOutdoor
// Wolf. packName
// Zoo animals: // extends ZooAnimal
// String nameOfPaddock; // Lion, tiger, Wolf - Vind ik een Zoo eigenschap
// String dayLastFed; // Lion, tiger, Wolf
// String landOfOrigin; // Lion, tiger, Wolf
package nl.novi.javaprogrammeren.overerving;
public abstract class Animal {
private String name; // Lion, tiger, Dog, Cat, Wolf
private final String gender; // Lion, tiger, Dog, Cat, Wolf
// Protected: An access modifier used for attributes, methods and constructors, making them accessible in the same package and subclasses. (Not in superclass!)
protected Animal(String name, String gender) {
this.name = name;
this.gender = gender;
}
public String getName() {
return this.name;
}
public String getGender() {
return this.gender;
}
public void setName(String name) {
this.name = name;
}
public void move() {
System.out.println(this.name + " has moved 0.25 meters.");
}
public void sleep() {
System.out.println("The animal is going to sleep for 8 hours.");
}
public void eat(String food) {
System.out.println(this.getName() + " is eating " + food);
}
// Dog of<SUF>
public abstract void makeSound();
}
| false | 372 | 23 | 434 | 26 | 418 | 21 | 434 | 26 | 475 | 24 | false | false | false | false | false | true |
1,213 | 79474_1 | package nl.han.ica.icss.checker;
import nl.han.ica.datastructures.HANLinkedList;
import nl.han.ica.datastructures.IHANLinkedList;
import nl.han.ica.icss.ast.*;
import nl.han.ica.icss.ast.literals.*;
import nl.han.ica.icss.ast.types.ExpressionType;
import java.util.HashMap;
public class Checker {
private IHANLinkedList<HashMap<String, ExpressionType>> variableTypes;
public void check(AST ast) {
//ALL CODE Checker
variableTypes = new HANLinkedList<>();
checkStyleSheet(ast.root);
}
private void checkStyleSheet(Stylesheet stylesheet){
variableTypes.addFirst(new HashMap<>());
for(ASTNode child: stylesheet.getChildren()){
String childLabel = child.getNodeLabel();
if(childLabel.equals("Stylerule")){
checkStylerule((Stylerule) child);
}
if(childLabel.contains("VariableAssignment")){
checkVariableAssignment((VariableAssignment) child);
}
}
variableTypes.removeFirst();
}
private void checkStylerule(Stylerule stylerule){
variableTypes.addFirst(new HashMap<>());
checkBody(stylerule);
variableTypes.removeFirst();
}
private void checkBody(ASTNode astNode){
for(ASTNode child: astNode.getChildren()){
String childLabel = child.getNodeLabel();
if(childLabel.equals("Declaration")){
checkDeclaration((Declaration) child);
}
if(childLabel.contains("VariableAssignment")){
checkVariableAssignment((VariableAssignment) child);
}
if(childLabel.equals("If_Clause")){
checkIfClause((IfClause) child);
}
}
}
private void checkDeclaration(Declaration declaration) {
variableTypes.addFirst(new HashMap<>());
Expression expression = declaration.expression;
ExpressionType expressionType = checkExpressionType(expression);
//CH04 kijkt of literal past bij de naam
if (expressionType == ExpressionType.UNDEFINED) {
declaration.setError("ERROR_CODE 1: INVALID");
}
if (declaration.property.name.equals("color") || declaration.property.name.equals("background-color")){
if (expressionType != ExpressionType.COLOR){
declaration.setError("ERROR_CODE 4:" + declaration.property.name+" "+declaration.expression.getNodeLabel() + " IS NOT VALID FOR PROPERTY");
}
}
if(declaration.property.name.equals("width") || declaration.property.name.equals("height")){
if(expressionType != ExpressionType.PIXEL && expressionType != ExpressionType.PERCENTAGE){
declaration.setError("ERROR_CODE 4:" + declaration.property.name+" "+declaration.expression.getNodeLabel() + " IS NOT VALID FOR PROPERTY");
}
}
variableTypes.removeFirst();
}
private void checkVariableAssignment(VariableAssignment variableAssignment){
Expression expression = variableAssignment.expression;
VariableReference variableReference = variableAssignment.name;
ExpressionType expressionType = checkExpressionType(expression);
if (expressionType == ExpressionType.UNDEFINED) {
//check of variable een waarde heeft, DOET DE PARSER OOK AL
variableAssignment.setError("ERROR_CODE 1: VARIABLE HAS NO VALUE");
}
variableTypes.getFirst().put(variableReference.name,expressionType);
}
private void checkIfClause(IfClause ifClause) {
variableTypes.addFirst(new HashMap<>());
ExpressionType expressionType = checkExpressionType(ifClause.conditionalExpression);
if (expressionType != ExpressionType.BOOL) {
//CH05 if clause moet een boolean zijn
ifClause.setError("ERROR_CODE 3: CONDITIONAL EXPRESSION IS NOT A BOOLEAN");
}
checkBody(ifClause);
for (ASTNode node: ifClause.getChildren()) {
if (node instanceof ElseClause) {
checkElseClause((ElseClause) node);
}
}
variableTypes.removeFirst();
}
private void checkElseClause(ElseClause elseClause){
variableTypes.addFirst(new HashMap<>());
checkBody(elseClause);
variableTypes.removeFirst();
}
private ExpressionType checkExpressionType(Expression expression) {
ExpressionType expressionType;
if (expression instanceof Operation) {
expressionType = this.checkOperation((Operation) expression);
}
else if (expression instanceof VariableReference) {
expressionType = this.checkVariableReference((VariableReference) expression);
}
else if (expression instanceof Literal) {
expressionType = this.checkLiteral((Literal) expression);
}
else {
expressionType = ExpressionType.UNDEFINED;
}
return expressionType;
}
private ExpressionType checkLiteral(Literal expressionType){
if(expressionType instanceof PixelLiteral){
return ExpressionType.PIXEL;
}
if(expressionType instanceof PercentageLiteral){
return ExpressionType.PERCENTAGE;
}
if(expressionType instanceof ScalarLiteral){
return ExpressionType.SCALAR;
}
if(expressionType instanceof ColorLiteral){
return ExpressionType.COLOR;
}
if(expressionType instanceof BoolLiteral){
return ExpressionType.BOOL;
}
else{
return ExpressionType.UNDEFINED;
}
}
private ExpressionType checkOperation(Operation operation) {
ExpressionType lhs = checkExpressionType(operation.lhs);
ExpressionType rhs = checkExpressionType(operation.rhs);
//CH03 kleuren mogen niet gebruikt worden in operatoren
if(lhs == ExpressionType.BOOL || rhs == ExpressionType.BOOL || lhs == ExpressionType.COLOR || rhs == ExpressionType.COLOR){
operation.setError("ERROR_CODE 7: BOOL/COLOR CAN NOT BE USED IN OPERATION");
return ExpressionType.UNDEFINED;
}
return lhs;
}
private ExpressionType checkVariableReference(VariableReference variableReference) {
ExpressionType expressionType = ExpressionType.UNDEFINED;
for (int i = 0; i < variableTypes.getSize(); i++) {
if (variableTypes.get(i) != null && variableTypes.get(i).containsKey(variableReference.name)) {
expressionType = variableTypes.get(i).get(variableReference.name);
}
}
if (expressionType == ExpressionType.UNDEFINED) {
//CH01 && CH06 Variabelen moeten een waarde hebben en mogen niet gebruikt worden als ze niet bestaan/buiten de scope vallen
variableReference.setError("ERROR_CODE 2: VARIABLE NOT FOUND OR NOT USED IN SCOPE");
return null;
}
return expressionType;
}
} | NityeSkyRodin/CSS-Parser | icss2022-sep-main/icss2022-sep-main/icss2022-sep-main/startcode/src/main/java/nl/han/ica/icss/checker/Checker.java | 1,835 | //CH04 kijkt of literal past bij de naam | line_comment | nl | package nl.han.ica.icss.checker;
import nl.han.ica.datastructures.HANLinkedList;
import nl.han.ica.datastructures.IHANLinkedList;
import nl.han.ica.icss.ast.*;
import nl.han.ica.icss.ast.literals.*;
import nl.han.ica.icss.ast.types.ExpressionType;
import java.util.HashMap;
public class Checker {
private IHANLinkedList<HashMap<String, ExpressionType>> variableTypes;
public void check(AST ast) {
//ALL CODE Checker
variableTypes = new HANLinkedList<>();
checkStyleSheet(ast.root);
}
private void checkStyleSheet(Stylesheet stylesheet){
variableTypes.addFirst(new HashMap<>());
for(ASTNode child: stylesheet.getChildren()){
String childLabel = child.getNodeLabel();
if(childLabel.equals("Stylerule")){
checkStylerule((Stylerule) child);
}
if(childLabel.contains("VariableAssignment")){
checkVariableAssignment((VariableAssignment) child);
}
}
variableTypes.removeFirst();
}
private void checkStylerule(Stylerule stylerule){
variableTypes.addFirst(new HashMap<>());
checkBody(stylerule);
variableTypes.removeFirst();
}
private void checkBody(ASTNode astNode){
for(ASTNode child: astNode.getChildren()){
String childLabel = child.getNodeLabel();
if(childLabel.equals("Declaration")){
checkDeclaration((Declaration) child);
}
if(childLabel.contains("VariableAssignment")){
checkVariableAssignment((VariableAssignment) child);
}
if(childLabel.equals("If_Clause")){
checkIfClause((IfClause) child);
}
}
}
private void checkDeclaration(Declaration declaration) {
variableTypes.addFirst(new HashMap<>());
Expression expression = declaration.expression;
ExpressionType expressionType = checkExpressionType(expression);
//CH04 kijkt<SUF>
if (expressionType == ExpressionType.UNDEFINED) {
declaration.setError("ERROR_CODE 1: INVALID");
}
if (declaration.property.name.equals("color") || declaration.property.name.equals("background-color")){
if (expressionType != ExpressionType.COLOR){
declaration.setError("ERROR_CODE 4:" + declaration.property.name+" "+declaration.expression.getNodeLabel() + " IS NOT VALID FOR PROPERTY");
}
}
if(declaration.property.name.equals("width") || declaration.property.name.equals("height")){
if(expressionType != ExpressionType.PIXEL && expressionType != ExpressionType.PERCENTAGE){
declaration.setError("ERROR_CODE 4:" + declaration.property.name+" "+declaration.expression.getNodeLabel() + " IS NOT VALID FOR PROPERTY");
}
}
variableTypes.removeFirst();
}
private void checkVariableAssignment(VariableAssignment variableAssignment){
Expression expression = variableAssignment.expression;
VariableReference variableReference = variableAssignment.name;
ExpressionType expressionType = checkExpressionType(expression);
if (expressionType == ExpressionType.UNDEFINED) {
//check of variable een waarde heeft, DOET DE PARSER OOK AL
variableAssignment.setError("ERROR_CODE 1: VARIABLE HAS NO VALUE");
}
variableTypes.getFirst().put(variableReference.name,expressionType);
}
private void checkIfClause(IfClause ifClause) {
variableTypes.addFirst(new HashMap<>());
ExpressionType expressionType = checkExpressionType(ifClause.conditionalExpression);
if (expressionType != ExpressionType.BOOL) {
//CH05 if clause moet een boolean zijn
ifClause.setError("ERROR_CODE 3: CONDITIONAL EXPRESSION IS NOT A BOOLEAN");
}
checkBody(ifClause);
for (ASTNode node: ifClause.getChildren()) {
if (node instanceof ElseClause) {
checkElseClause((ElseClause) node);
}
}
variableTypes.removeFirst();
}
private void checkElseClause(ElseClause elseClause){
variableTypes.addFirst(new HashMap<>());
checkBody(elseClause);
variableTypes.removeFirst();
}
private ExpressionType checkExpressionType(Expression expression) {
ExpressionType expressionType;
if (expression instanceof Operation) {
expressionType = this.checkOperation((Operation) expression);
}
else if (expression instanceof VariableReference) {
expressionType = this.checkVariableReference((VariableReference) expression);
}
else if (expression instanceof Literal) {
expressionType = this.checkLiteral((Literal) expression);
}
else {
expressionType = ExpressionType.UNDEFINED;
}
return expressionType;
}
private ExpressionType checkLiteral(Literal expressionType){
if(expressionType instanceof PixelLiteral){
return ExpressionType.PIXEL;
}
if(expressionType instanceof PercentageLiteral){
return ExpressionType.PERCENTAGE;
}
if(expressionType instanceof ScalarLiteral){
return ExpressionType.SCALAR;
}
if(expressionType instanceof ColorLiteral){
return ExpressionType.COLOR;
}
if(expressionType instanceof BoolLiteral){
return ExpressionType.BOOL;
}
else{
return ExpressionType.UNDEFINED;
}
}
private ExpressionType checkOperation(Operation operation) {
ExpressionType lhs = checkExpressionType(operation.lhs);
ExpressionType rhs = checkExpressionType(operation.rhs);
//CH03 kleuren mogen niet gebruikt worden in operatoren
if(lhs == ExpressionType.BOOL || rhs == ExpressionType.BOOL || lhs == ExpressionType.COLOR || rhs == ExpressionType.COLOR){
operation.setError("ERROR_CODE 7: BOOL/COLOR CAN NOT BE USED IN OPERATION");
return ExpressionType.UNDEFINED;
}
return lhs;
}
private ExpressionType checkVariableReference(VariableReference variableReference) {
ExpressionType expressionType = ExpressionType.UNDEFINED;
for (int i = 0; i < variableTypes.getSize(); i++) {
if (variableTypes.get(i) != null && variableTypes.get(i).containsKey(variableReference.name)) {
expressionType = variableTypes.get(i).get(variableReference.name);
}
}
if (expressionType == ExpressionType.UNDEFINED) {
//CH01 && CH06 Variabelen moeten een waarde hebben en mogen niet gebruikt worden als ze niet bestaan/buiten de scope vallen
variableReference.setError("ERROR_CODE 2: VARIABLE NOT FOUND OR NOT USED IN SCOPE");
return null;
}
return expressionType;
}
} | false | 1,349 | 13 | 1,483 | 14 | 1,591 | 12 | 1,483 | 14 | 1,841 | 13 | false | false | false | false | false | true |
3,178 | 4334_3 | /* Model.java
* ============================================================
* Copyright (C) 2001-2009 Universiteit Gent
*
* Bijlage bij de cursus 'Programmeren 2'.
*
* Auteur: Kris Coolsaet
*/
package ch9k.core;
import java.awt.EventQueue;
import javax.swing.event.ChangeEvent;
import javax.swing.event.ChangeListener;
import javax.swing.event.EventListenerList;
/**
* Gemeenschappelijke bovenklasse van alle modellen die gebruik maken van
* luisteraars van het type {@link ChangeListener}.
*/
public class Model {
/**
* Lijst van geregistreerde luisteraars.
*/
private EventListenerList listenerList = new EventListenerList();
/**
* Registreer een luisteraar.
*/
public void addChangeListener(ChangeListener l) {
listenerList.add(ChangeListener.class, l);
}
/**
* Maak registratie ongedaan.
*/
public void removeChangeListener(ChangeListener l) {
listenerList.remove(ChangeListener.class, l);
}
/**
* Uniek gebeurtenisobject met dit model als bron.
*/
private final ChangeEvent changeEvent = new ChangeEvent(this);
/**
* Behandel een ChangeEvent-gebeurtenis die van het model
* afkomstig is door een nieuwe gebeurtenis aan alle luisteraars
* door te geven. De nieuwe gebeurtenis heeft dit model als bron.
*/
protected void fireStateChanged() {
if(EventQueue.isDispatchThread()) {
stateChange();
} else {
EventQueue.invokeLater(new Runnable() {
public void run() {
stateChange();
}
});
}
}
private void stateChange() {
Object[] listeners = listenerList.getListenerList();
for (int i = listeners.length - 2; i >= 0; i -= 2) {
if (listeners[i] == ChangeListener.class) {
((ChangeListener) listeners[i + 1]).stateChanged(changeEvent);
}
}
}
}
| javache/ChatHammer-9000 | src/ch9k/core/Model.java | 574 | /**
* Registreer een luisteraar.
*/ | block_comment | nl | /* Model.java
* ============================================================
* Copyright (C) 2001-2009 Universiteit Gent
*
* Bijlage bij de cursus 'Programmeren 2'.
*
* Auteur: Kris Coolsaet
*/
package ch9k.core;
import java.awt.EventQueue;
import javax.swing.event.ChangeEvent;
import javax.swing.event.ChangeListener;
import javax.swing.event.EventListenerList;
/**
* Gemeenschappelijke bovenklasse van alle modellen die gebruik maken van
* luisteraars van het type {@link ChangeListener}.
*/
public class Model {
/**
* Lijst van geregistreerde luisteraars.
*/
private EventListenerList listenerList = new EventListenerList();
/**
* Registreer een luisteraar.<SUF>*/
public void addChangeListener(ChangeListener l) {
listenerList.add(ChangeListener.class, l);
}
/**
* Maak registratie ongedaan.
*/
public void removeChangeListener(ChangeListener l) {
listenerList.remove(ChangeListener.class, l);
}
/**
* Uniek gebeurtenisobject met dit model als bron.
*/
private final ChangeEvent changeEvent = new ChangeEvent(this);
/**
* Behandel een ChangeEvent-gebeurtenis die van het model
* afkomstig is door een nieuwe gebeurtenis aan alle luisteraars
* door te geven. De nieuwe gebeurtenis heeft dit model als bron.
*/
protected void fireStateChanged() {
if(EventQueue.isDispatchThread()) {
stateChange();
} else {
EventQueue.invokeLater(new Runnable() {
public void run() {
stateChange();
}
});
}
}
private void stateChange() {
Object[] listeners = listenerList.getListenerList();
for (int i = listeners.length - 2; i >= 0; i -= 2) {
if (listeners[i] == ChangeListener.class) {
((ChangeListener) listeners[i + 1]).stateChanged(changeEvent);
}
}
}
}
| false | 453 | 14 | 510 | 14 | 512 | 16 | 510 | 14 | 565 | 15 | false | false | false | false | false | true |
200 | 52553_2 |
/**
* Abstract class Figuur - write a description of the class here
*
* @author (your name here)
* @version (version number or date here)
*/
public abstract class Figuur
{
// instance variables - replace the example below with your own
private int xPosition;
private int yPosition;
private String color;
private boolean isVisible;
/**
* Maak een nieuw Figuur
*/
public Figuur(int xPosition, int yPosition, String color)
{
this.xPosition = xPosition;
this.yPosition = yPosition;
this.color = color;
}
/**
* Maak dit figuur zichtbaar
*/
public void maakZichtbaar()
{
isVisible = true;
teken();
}
/**
* Maak dit figuur onzichtbaar
*/
public void maakOnzichtbaar()
{
wis();
isVisible = false;
}
/**
* Beweeg dit figuur 20 pixels naar rechts
*/
public void beweegRechts()
{
beweegHorizontaal(20);
}
/**
* Beweeg dit figuur 20 pixels naar links
*/
public void beweegLinks()
{
beweegHorizontaal(-20);
}
/**
* Beweeg dit figuur 20 pixels naar boven
*/
public void beweegBoven()
{
beweegVertikaal(-20);
}
/**
* Beweeg dit figuur 20 pixels naar beneden
*/
public void beweegBeneden()
{
beweegVertikaal(20);
}
/**
* Beweeg dit figuur horizontaal adhv het aantal gegeven pixels
*/
public void beweegHorizontaal(int distance)
{
wis();
xPosition += distance;
teken();
}
/**
* Beweeg dit figuur vertikaal adhv het aantal gegeven pixels
*/
public void beweegVertikaal(int distance)
{
wis();
yPosition += distance;
teken();
}
/**
* Beweeg langzaam dit figuur horizontaal adhv het aantal gegeven pixels
*/
public void traagBeweegHorizontaal(int distance)
{
int delta;
if(distance < 0)
{
delta = -1;
distance = -distance;
}
else
{
delta = 1;
}
for(int i = 0; i < distance; i++)
{
xPosition += delta;
teken();
}
}
/**
* Beweeg langzaam dit figuur verticaal adhv het aantal gegeven pixels
*/
public void traagBeweegVertikaal(int distance)
{
int delta;
if(distance < 0)
{
delta = -1;
distance = -distance;
}
else
{
delta = 1;
}
for(int i = 0; i < distance; i++)
{
yPosition += delta;
teken();
}
}
/**
* Pas de kleur aan, mogelijke kleuren zijn "red", "yellow", "blue", "green", "magenta" and "black".
*/
public void veranderKleur(String newColor)
{
color = newColor;
teken();
}
/**
* Wis het figuur van het scherm
*/
public void wis()
{
if(isVisible) {
Canvas canvas = Canvas.getCanvas();
canvas.erase(this);
}
}
/**
* Bepaal of het figuur zichtbaar is
*/
public boolean isZichtbaar()
{
return isVisible;
}
/**
* Geef de kleur van het figuur
*/
public String getKleur()
{
return color;
}
/**
* Geef de positie op de x-as
*/
public int getXPositie()
{
return xPosition;
}
/**
* Geef de positie op de y-as
*/
public int getYPositie()
{
return yPosition;
}
/**
* Teken dit figuur op het scherm.
* Dit is een abstracte method, het moet in de subclasses gedefinieerd worden.
*/
public abstract void teken();
}
| BenVandenberk/vdab | 05 OOP/Voorbeelden/FigurenVoorbeeld04/Figuur.java | 1,207 | /**
* Maak een nieuw Figuur
*/ | block_comment | nl |
/**
* Abstract class Figuur - write a description of the class here
*
* @author (your name here)
* @version (version number or date here)
*/
public abstract class Figuur
{
// instance variables - replace the example below with your own
private int xPosition;
private int yPosition;
private String color;
private boolean isVisible;
/**
* Maak een nieuw<SUF>*/
public Figuur(int xPosition, int yPosition, String color)
{
this.xPosition = xPosition;
this.yPosition = yPosition;
this.color = color;
}
/**
* Maak dit figuur zichtbaar
*/
public void maakZichtbaar()
{
isVisible = true;
teken();
}
/**
* Maak dit figuur onzichtbaar
*/
public void maakOnzichtbaar()
{
wis();
isVisible = false;
}
/**
* Beweeg dit figuur 20 pixels naar rechts
*/
public void beweegRechts()
{
beweegHorizontaal(20);
}
/**
* Beweeg dit figuur 20 pixels naar links
*/
public void beweegLinks()
{
beweegHorizontaal(-20);
}
/**
* Beweeg dit figuur 20 pixels naar boven
*/
public void beweegBoven()
{
beweegVertikaal(-20);
}
/**
* Beweeg dit figuur 20 pixels naar beneden
*/
public void beweegBeneden()
{
beweegVertikaal(20);
}
/**
* Beweeg dit figuur horizontaal adhv het aantal gegeven pixels
*/
public void beweegHorizontaal(int distance)
{
wis();
xPosition += distance;
teken();
}
/**
* Beweeg dit figuur vertikaal adhv het aantal gegeven pixels
*/
public void beweegVertikaal(int distance)
{
wis();
yPosition += distance;
teken();
}
/**
* Beweeg langzaam dit figuur horizontaal adhv het aantal gegeven pixels
*/
public void traagBeweegHorizontaal(int distance)
{
int delta;
if(distance < 0)
{
delta = -1;
distance = -distance;
}
else
{
delta = 1;
}
for(int i = 0; i < distance; i++)
{
xPosition += delta;
teken();
}
}
/**
* Beweeg langzaam dit figuur verticaal adhv het aantal gegeven pixels
*/
public void traagBeweegVertikaal(int distance)
{
int delta;
if(distance < 0)
{
delta = -1;
distance = -distance;
}
else
{
delta = 1;
}
for(int i = 0; i < distance; i++)
{
yPosition += delta;
teken();
}
}
/**
* Pas de kleur aan, mogelijke kleuren zijn "red", "yellow", "blue", "green", "magenta" and "black".
*/
public void veranderKleur(String newColor)
{
color = newColor;
teken();
}
/**
* Wis het figuur van het scherm
*/
public void wis()
{
if(isVisible) {
Canvas canvas = Canvas.getCanvas();
canvas.erase(this);
}
}
/**
* Bepaal of het figuur zichtbaar is
*/
public boolean isZichtbaar()
{
return isVisible;
}
/**
* Geef de kleur van het figuur
*/
public String getKleur()
{
return color;
}
/**
* Geef de positie op de x-as
*/
public int getXPositie()
{
return xPosition;
}
/**
* Geef de positie op de y-as
*/
public int getYPositie()
{
return yPosition;
}
/**
* Teken dit figuur op het scherm.
* Dit is een abstracte method, het moet in de subclasses gedefinieerd worden.
*/
public abstract void teken();
}
| false | 1,008 | 13 | 1,068 | 13 | 1,138 | 12 | 1,068 | 13 | 1,220 | 14 | false | false | false | false | false | true |
3,147 | 33023_0 | package be.pxl.h9.oef2;
import java.time.LocalDate;
public class VerkoopApp {
public static void main(String[] args) {
TeVerkopenBouwGrond bouw = new TeVerkopenBouwGrond("12ER", 12.4, "Open Bebouwing");
bouw.doeEenBod(10000, LocalDate.of(2021, 12, 7)); //nog geen notaris ==> bod wordt niet geregistreerd
bouw.wijsEenNotarisToe("Dirk Peeters", LocalDate.of(2021, 12, 7));
bouw.doeEenBod(100000, LocalDate.of(2021, 12, 10)); // bod te vroeg
bouw.doeEenBod(150000, LocalDate.of(2021, 12, 23));
bouw.doeEenBod(120000, LocalDate.of(2021, 12, 27)); // bod is lager ==> bod wordt niet geregistreerd
bouw.doeEenBod(175000, LocalDate.of(2022, 1, 4));
System.out.println("Het hoogste bod is " + bouw.getHoogsteBod());
System.out.println("De notaris is " + bouw.getNotaris());
bouw.wijsEenNotarisToe("Ken Jans", LocalDate.now());
}
}
| jacymeertPXL/ComputerScience | Computer_Science/Batcholer/2022-2023/Herexams/Java/Oefeningen/H8/H8/extraoef1/VerkoopApp.java | 381 | //nog geen notaris ==> bod wordt niet geregistreerd | line_comment | nl | package be.pxl.h9.oef2;
import java.time.LocalDate;
public class VerkoopApp {
public static void main(String[] args) {
TeVerkopenBouwGrond bouw = new TeVerkopenBouwGrond("12ER", 12.4, "Open Bebouwing");
bouw.doeEenBod(10000, LocalDate.of(2021, 12, 7)); //nog geen<SUF>
bouw.wijsEenNotarisToe("Dirk Peeters", LocalDate.of(2021, 12, 7));
bouw.doeEenBod(100000, LocalDate.of(2021, 12, 10)); // bod te vroeg
bouw.doeEenBod(150000, LocalDate.of(2021, 12, 23));
bouw.doeEenBod(120000, LocalDate.of(2021, 12, 27)); // bod is lager ==> bod wordt niet geregistreerd
bouw.doeEenBod(175000, LocalDate.of(2022, 1, 4));
System.out.println("Het hoogste bod is " + bouw.getHoogsteBod());
System.out.println("De notaris is " + bouw.getNotaris());
bouw.wijsEenNotarisToe("Ken Jans", LocalDate.now());
}
}
| false | 367 | 15 | 411 | 16 | 361 | 13 | 411 | 16 | 417 | 13 | false | false | false | false | false | true |
1,147 | 190865_4 | package LES1.P5;
import java.sql.*;
import java.time.LocalDate;
import java.util.ArrayList;
import java.util.List;
public class ProductDAOPsql implements ProductDAO {
private Connection conn;
private OVChipkaartDAOPsql ovcdao;
public ProductDAOPsql(Connection conn) {
this.conn = conn;
}
public ProductDAOPsql(Connection conn, OVChipkaartDAOPsql ovcdao) {
this.conn = conn;
this.ovcdao = ovcdao;
}
public void setOvcdao(OVChipkaartDAOPsql ovcdao) {
this.ovcdao = ovcdao;
}
@Override
public boolean save(Product product) {
String SQL = "INSERT INTO product VALUES (?, ?, ?, ?)";
String SQL2 = "INSERT INTO ov_chipkaart_product VALUES (?, ?, ?, ?)";
try {
PreparedStatement prestat = conn.prepareStatement(SQL);
prestat.setInt(1, product.getProduct_nummer());
prestat.setString(2, product.getNaam());
prestat.setString(3, product.getBeschrijving());
prestat.setFloat(4, product.getPrijs());
prestat.executeUpdate();
for (OVChipkaart o : product.getOVChipkaarten()) {
PreparedStatement prestat2 = conn.prepareStatement(SQL2);
prestat2.setInt(1, o.getKaart_nummer());
prestat2.setInt(2, product.getProduct_nummer());
prestat2.setString(3, "actief");
prestat2.setDate(4, Date.valueOf(LocalDate.now()));
prestat2.executeUpdate();
}
return true;
} catch (SQLException throwables) {
throwables.printStackTrace();
}
return false;
}
@Override
public boolean update(Product product) {
// De update functie is niet heel erg uitgebreid of complex, maar als standaard heb ik genomen dat de prijs van het product met 5 word verhoogd
String SQL = "UPDATE product SET prijs = prijs + 5 WHERE product_nummer = ?";
// Ik nam aan dat "last update" in de koppel tabel stond voor wanneer een product of ovchipkaart voor het laatst is veranderd/geupdate
// En ik verander de prijs van een product, dus dan moet in de koppel tabel de "last update" upgedate worden op de plekken met dat zelfde product nummer
String SQL2 = "DELETE FROM ov_chipkaart_product WHERE product_nummer = ?";
String SQL3 = "INSERT INTO ov_chipkaart_product VALUES (?, ?, ?, ?)";
try {
PreparedStatement prestat = conn.prepareStatement(SQL);
PreparedStatement prestat2 = conn.prepareStatement(SQL2);
prestat.setInt(1, product.getProduct_nummer());
prestat2.setInt(1, product.getProduct_nummer());
prestat.executeUpdate();
prestat2.executeUpdate();
for (OVChipkaart o : product.getOVChipkaarten()) {
PreparedStatement prestat3 = conn.prepareStatement(SQL3);
prestat3.setInt(1, o.getKaart_nummer());
prestat3.setInt(2, product.getProduct_nummer());
prestat3.setString(3, "actief");
prestat3.setDate(4, Date.valueOf(LocalDate.now()));
prestat3.executeUpdate();
}
return true;
} catch (SQLException throwables) {
throwables.printStackTrace();
}
return false;
}
@Override
public boolean delete(Product product) {
String SQL = "DELETE FROM product WHERE product_nummer = ?";
String SQL2 = "DELETE FROM ov_chipkaart_product WHERE product_nummer = ?";
try {
PreparedStatement prestat = conn.prepareStatement(SQL);
PreparedStatement prestat2 = conn.prepareStatement(SQL2);
prestat.setInt(1, product.getProduct_nummer());
prestat2.setInt(1, product.getProduct_nummer());
prestat2.executeUpdate();
prestat.executeUpdate();
return true;
} catch (SQLException throwables) {
throwables.printStackTrace();
}
return false;
}
public List<Product> findByOVChipkaart(OVChipkaart ovChipkaart) {
String SQL = "SELECT ov_chipkaart_product.kaart_nummer, product.product_nummer, product.naam, product.beschrijving, product.prijs " +
"FROM product " +
"JOIN ov_chipkaart_product " +
"ON ov_chipkaart_product.product_nummer = product.product_nummer " +
"WHERE ov_chipkaart_product.kaart_nummer = ? " +
"ORDER BY kaart_nummer, product_nummer";
try {
PreparedStatement prestat = conn.prepareStatement(SQL);
prestat.setInt(1, ovChipkaart.getKaart_nummer());
ResultSet rs = prestat.executeQuery();
List<Product> producten = new ArrayList<>();
while (rs.next()) {
int prnr = rs.getInt("product_nummer");
String nm = rs.getString("naam");
String besch = rs.getString("beschrijving");
Float prijs = rs.getFloat("prijs");
Product pr = new Product(prnr, nm, besch, prijs);
pr.addOVChipkaart(ovChipkaart);
producten.add(pr);
}
return producten;
} catch (SQLException throwables) {
throwables.printStackTrace();
}
return null;
}
public List<Product> findAll(){
// Hier veranderd van "SELECT * FROM product;" naar deze query met JOIN zodat je ook de ovchipkaarten ook op haalt en toevoegd aan de producten
// Hetzelfde in OVChipkaartDAOPsql
String SQL = "SELECT ov_chipkaart_product.kaart_nummer, ov_chipkaart.geldig_tot, ov_chipkaart.klasse, ov_chipkaart.saldo, ov_chipkaart.reiziger_id, product.product_nummer, product.naam, product.beschrijving, product.prijs " +
"FROM product " +
"JOIN ov_chipkaart_product " +
"ON ov_chipkaart_product.product_nummer = product.product_nummer " +
"JOIN ov_chipkaart " +
"ON ov_chipkaart_product.kaart_nummer = ov_chipkaart.kaart_nummer " +
"ORDER BY kaart_nummer, product_nummer;";
try {
PreparedStatement prestat = conn.prepareStatement(SQL);
ResultSet rs = prestat.executeQuery();
List<Product> producten = new ArrayList<>();
while(rs.next()) {
int prnr = rs.getInt("product_nummer");
String nm = rs.getString("naam");
String besch = rs.getString("beschrijving");
Float prijs = rs.getFloat("prijs");
int knm = rs.getInt("kaart_nummer");
Date geldigTot = rs.getDate("geldig_tot");
int klasse = rs.getInt("klasse");
float saldo = rs.getFloat("saldo");
int rid = rs.getInt("reiziger_id");
OVChipkaart ov = new OVChipkaart(knm, geldigTot, klasse, saldo, rid);
Product pr = new Product(prnr, nm, besch, prijs);
for(Product p : producten){
if(p.getProduct_nummer() == pr.getProduct_nummer()){
p.addOVChipkaart(ov);
break;
}
}
pr.addOVChipkaart(ov);
producten.add(pr);
}
return producten;
} catch (SQLException throwables) {
throwables.printStackTrace();
}
return null;
}
}
| MorrisT011/DP_OV-Chipkaart2 | src/LES1/P5/ProductDAOPsql.java | 2,247 | // Hetzelfde in OVChipkaartDAOPsql | line_comment | nl | package LES1.P5;
import java.sql.*;
import java.time.LocalDate;
import java.util.ArrayList;
import java.util.List;
public class ProductDAOPsql implements ProductDAO {
private Connection conn;
private OVChipkaartDAOPsql ovcdao;
public ProductDAOPsql(Connection conn) {
this.conn = conn;
}
public ProductDAOPsql(Connection conn, OVChipkaartDAOPsql ovcdao) {
this.conn = conn;
this.ovcdao = ovcdao;
}
public void setOvcdao(OVChipkaartDAOPsql ovcdao) {
this.ovcdao = ovcdao;
}
@Override
public boolean save(Product product) {
String SQL = "INSERT INTO product VALUES (?, ?, ?, ?)";
String SQL2 = "INSERT INTO ov_chipkaart_product VALUES (?, ?, ?, ?)";
try {
PreparedStatement prestat = conn.prepareStatement(SQL);
prestat.setInt(1, product.getProduct_nummer());
prestat.setString(2, product.getNaam());
prestat.setString(3, product.getBeschrijving());
prestat.setFloat(4, product.getPrijs());
prestat.executeUpdate();
for (OVChipkaart o : product.getOVChipkaarten()) {
PreparedStatement prestat2 = conn.prepareStatement(SQL2);
prestat2.setInt(1, o.getKaart_nummer());
prestat2.setInt(2, product.getProduct_nummer());
prestat2.setString(3, "actief");
prestat2.setDate(4, Date.valueOf(LocalDate.now()));
prestat2.executeUpdate();
}
return true;
} catch (SQLException throwables) {
throwables.printStackTrace();
}
return false;
}
@Override
public boolean update(Product product) {
// De update functie is niet heel erg uitgebreid of complex, maar als standaard heb ik genomen dat de prijs van het product met 5 word verhoogd
String SQL = "UPDATE product SET prijs = prijs + 5 WHERE product_nummer = ?";
// Ik nam aan dat "last update" in de koppel tabel stond voor wanneer een product of ovchipkaart voor het laatst is veranderd/geupdate
// En ik verander de prijs van een product, dus dan moet in de koppel tabel de "last update" upgedate worden op de plekken met dat zelfde product nummer
String SQL2 = "DELETE FROM ov_chipkaart_product WHERE product_nummer = ?";
String SQL3 = "INSERT INTO ov_chipkaart_product VALUES (?, ?, ?, ?)";
try {
PreparedStatement prestat = conn.prepareStatement(SQL);
PreparedStatement prestat2 = conn.prepareStatement(SQL2);
prestat.setInt(1, product.getProduct_nummer());
prestat2.setInt(1, product.getProduct_nummer());
prestat.executeUpdate();
prestat2.executeUpdate();
for (OVChipkaart o : product.getOVChipkaarten()) {
PreparedStatement prestat3 = conn.prepareStatement(SQL3);
prestat3.setInt(1, o.getKaart_nummer());
prestat3.setInt(2, product.getProduct_nummer());
prestat3.setString(3, "actief");
prestat3.setDate(4, Date.valueOf(LocalDate.now()));
prestat3.executeUpdate();
}
return true;
} catch (SQLException throwables) {
throwables.printStackTrace();
}
return false;
}
@Override
public boolean delete(Product product) {
String SQL = "DELETE FROM product WHERE product_nummer = ?";
String SQL2 = "DELETE FROM ov_chipkaart_product WHERE product_nummer = ?";
try {
PreparedStatement prestat = conn.prepareStatement(SQL);
PreparedStatement prestat2 = conn.prepareStatement(SQL2);
prestat.setInt(1, product.getProduct_nummer());
prestat2.setInt(1, product.getProduct_nummer());
prestat2.executeUpdate();
prestat.executeUpdate();
return true;
} catch (SQLException throwables) {
throwables.printStackTrace();
}
return false;
}
public List<Product> findByOVChipkaart(OVChipkaart ovChipkaart) {
String SQL = "SELECT ov_chipkaart_product.kaart_nummer, product.product_nummer, product.naam, product.beschrijving, product.prijs " +
"FROM product " +
"JOIN ov_chipkaart_product " +
"ON ov_chipkaart_product.product_nummer = product.product_nummer " +
"WHERE ov_chipkaart_product.kaart_nummer = ? " +
"ORDER BY kaart_nummer, product_nummer";
try {
PreparedStatement prestat = conn.prepareStatement(SQL);
prestat.setInt(1, ovChipkaart.getKaart_nummer());
ResultSet rs = prestat.executeQuery();
List<Product> producten = new ArrayList<>();
while (rs.next()) {
int prnr = rs.getInt("product_nummer");
String nm = rs.getString("naam");
String besch = rs.getString("beschrijving");
Float prijs = rs.getFloat("prijs");
Product pr = new Product(prnr, nm, besch, prijs);
pr.addOVChipkaart(ovChipkaart);
producten.add(pr);
}
return producten;
} catch (SQLException throwables) {
throwables.printStackTrace();
}
return null;
}
public List<Product> findAll(){
// Hier veranderd van "SELECT * FROM product;" naar deze query met JOIN zodat je ook de ovchipkaarten ook op haalt en toevoegd aan de producten
// Hetzelfde in<SUF>
String SQL = "SELECT ov_chipkaart_product.kaart_nummer, ov_chipkaart.geldig_tot, ov_chipkaart.klasse, ov_chipkaart.saldo, ov_chipkaart.reiziger_id, product.product_nummer, product.naam, product.beschrijving, product.prijs " +
"FROM product " +
"JOIN ov_chipkaart_product " +
"ON ov_chipkaart_product.product_nummer = product.product_nummer " +
"JOIN ov_chipkaart " +
"ON ov_chipkaart_product.kaart_nummer = ov_chipkaart.kaart_nummer " +
"ORDER BY kaart_nummer, product_nummer;";
try {
PreparedStatement prestat = conn.prepareStatement(SQL);
ResultSet rs = prestat.executeQuery();
List<Product> producten = new ArrayList<>();
while(rs.next()) {
int prnr = rs.getInt("product_nummer");
String nm = rs.getString("naam");
String besch = rs.getString("beschrijving");
Float prijs = rs.getFloat("prijs");
int knm = rs.getInt("kaart_nummer");
Date geldigTot = rs.getDate("geldig_tot");
int klasse = rs.getInt("klasse");
float saldo = rs.getFloat("saldo");
int rid = rs.getInt("reiziger_id");
OVChipkaart ov = new OVChipkaart(knm, geldigTot, klasse, saldo, rid);
Product pr = new Product(prnr, nm, besch, prijs);
for(Product p : producten){
if(p.getProduct_nummer() == pr.getProduct_nummer()){
p.addOVChipkaart(ov);
break;
}
}
pr.addOVChipkaart(ov);
producten.add(pr);
}
return producten;
} catch (SQLException throwables) {
throwables.printStackTrace();
}
return null;
}
}
| false | 1,639 | 13 | 1,857 | 16 | 1,862 | 13 | 1,857 | 16 | 2,255 | 16 | false | false | false | false | false | true |
3,384 | 23946_11 | package entity;
import java.io.Serializable;
import java.io.UnsupportedEncodingException;
import java.math.BigInteger;
import java.security.MessageDigest;
import java.security.NoSuchAlgorithmException;
import java.util.ArrayList;
import java.util.List;
import java.util.Objects;
import java.util.logging.Level;
import java.util.logging.Logger;
import javax.persistence.CollectionTable;
import javax.persistence.Column;
import javax.persistence.ElementCollection;
import javax.persistence.Entity;
import javax.persistence.FetchType;
import javax.persistence.Id;
import javax.persistence.JoinColumn;
import javax.persistence.JoinTable;
import javax.persistence.ManyToMany;
import javax.persistence.NamedQueries;
import javax.persistence.NamedQuery;
import javax.persistence.SecondaryTable;
import javax.persistence.Table;
import javax.persistence.Transient;
import javax.validation.constraints.NotNull;
import javax.validation.constraints.Pattern;
import validation.OnPasswordUpdate;
import validation.ValidPassword;
import validation.ValidUsername;
@Entity
@Table(name = "TBL_USER")
// We gaan de paswoorden opslaan in een aparte tabel,
//dit is een goede gewoonte.
@SecondaryTable(name = "USER_PASSWORD")
@NamedQueries({
@NamedQuery(name = "User.findAll", query = "SELECT u FROM User u"),
@NamedQuery(name = "User.findById", query = "SELECT u FROM User u WHERE UPPER(u.username) LIKE UPPER(:username)"),
})
public class User implements Serializable
{
@Id
@ValidUsername
private String username;
public String getUsername()
{
return username;
}
public void setUsername(String username)
{
this.username = username;
}
private String fullName;
public String getFullName()
{
return fullName;
}
public void setFullName(String fullName)
{
this.fullName = fullName;
}
@Transient // Het plain text paswoord mag nooit opgeslagen worden.
// En het moet enkel worden gevalideerd wanneer het is gewijzigd.
@ValidPassword(groups = OnPasswordUpdate.class)
private String plainPassword;
@NotNull // Dit zou nooit mogen gebeuren.
// Dit zou eveneens nooit mogen gebeuren (wijst op fout bij encryptie).
@Pattern(regexp = "[A-Fa-f0-9]{64}+")
@Column(name = "PASSWORD", table = "USER_PASSWORD")
private String encryptedPassword;
/*
* Geef het geëncrypteerde paswoord terug,
* of null indien er nog geen paswoord ingesteld is.
*/
public String getPassword()
{
return encryptedPassword;
}
/*
* Verandert het paswoord en encrypteert het meteen.
*/
public void setPassword(String plainPassword)
{
this.plainPassword = plainPassword != null ?
plainPassword.trim() : "";
// De onderstaande code zal het paswoord hashen met
//SHA-256 en de hexadecimale hashcode opslaan.
try {
BigInteger hash = new BigInteger(1,
MessageDigest.getInstance("SHA-256")
.digest(this.plainPassword.getBytes("UTF-8")));
encryptedPassword = hash.toString(16);
} catch (NoSuchAlgorithmException |
UnsupportedEncodingException ex) {
Logger.getLogger(User.class.getName())
.log(Level.SEVERE, null, ex);
}
}
@ElementCollection
// We kiezen hier zelf de naam voor de tabel en de
//kolommen omdat we deze nodig hebben voor het
// instellen van de security realm.
@CollectionTable(name = "USER_ROLES",
joinColumns = @JoinColumn(name = "USERNAME"))
@Column(name = "ROLES")
private final List<String> roles = new ArrayList<>();
public List<String> getRoles()
{
return roles;
}
@ManyToMany(fetch = FetchType.EAGER)
private final List<Anime> animes = new ArrayList<>();
public List<Anime> getAnimes() {
return animes;
}
public void addAnime(Anime a) {
animes.add(a);
}
public void RemoveAnime(Anime a) {
animes.remove(a);
}
@Override
public int hashCode()
{
int hash = 7;
hash = 13 * hash + Objects.hashCode(this.username);
return hash;
}
@Override
public boolean equals(Object obj)
{
if (obj == null) {
return false;
}
if (getClass() != obj.getClass()) {
return false;
}
final User other = (User) obj;
return Objects.equals(this.username, other.username);
}
@Override
public String toString()
{
return username;
}
}
| ko-htut/AnimeList | src/java/entity/User.java | 1,378 | //kolommen omdat we deze nodig hebben voor het | line_comment | nl | package entity;
import java.io.Serializable;
import java.io.UnsupportedEncodingException;
import java.math.BigInteger;
import java.security.MessageDigest;
import java.security.NoSuchAlgorithmException;
import java.util.ArrayList;
import java.util.List;
import java.util.Objects;
import java.util.logging.Level;
import java.util.logging.Logger;
import javax.persistence.CollectionTable;
import javax.persistence.Column;
import javax.persistence.ElementCollection;
import javax.persistence.Entity;
import javax.persistence.FetchType;
import javax.persistence.Id;
import javax.persistence.JoinColumn;
import javax.persistence.JoinTable;
import javax.persistence.ManyToMany;
import javax.persistence.NamedQueries;
import javax.persistence.NamedQuery;
import javax.persistence.SecondaryTable;
import javax.persistence.Table;
import javax.persistence.Transient;
import javax.validation.constraints.NotNull;
import javax.validation.constraints.Pattern;
import validation.OnPasswordUpdate;
import validation.ValidPassword;
import validation.ValidUsername;
@Entity
@Table(name = "TBL_USER")
// We gaan de paswoorden opslaan in een aparte tabel,
//dit is een goede gewoonte.
@SecondaryTable(name = "USER_PASSWORD")
@NamedQueries({
@NamedQuery(name = "User.findAll", query = "SELECT u FROM User u"),
@NamedQuery(name = "User.findById", query = "SELECT u FROM User u WHERE UPPER(u.username) LIKE UPPER(:username)"),
})
public class User implements Serializable
{
@Id
@ValidUsername
private String username;
public String getUsername()
{
return username;
}
public void setUsername(String username)
{
this.username = username;
}
private String fullName;
public String getFullName()
{
return fullName;
}
public void setFullName(String fullName)
{
this.fullName = fullName;
}
@Transient // Het plain text paswoord mag nooit opgeslagen worden.
// En het moet enkel worden gevalideerd wanneer het is gewijzigd.
@ValidPassword(groups = OnPasswordUpdate.class)
private String plainPassword;
@NotNull // Dit zou nooit mogen gebeuren.
// Dit zou eveneens nooit mogen gebeuren (wijst op fout bij encryptie).
@Pattern(regexp = "[A-Fa-f0-9]{64}+")
@Column(name = "PASSWORD", table = "USER_PASSWORD")
private String encryptedPassword;
/*
* Geef het geëncrypteerde paswoord terug,
* of null indien er nog geen paswoord ingesteld is.
*/
public String getPassword()
{
return encryptedPassword;
}
/*
* Verandert het paswoord en encrypteert het meteen.
*/
public void setPassword(String plainPassword)
{
this.plainPassword = plainPassword != null ?
plainPassword.trim() : "";
// De onderstaande code zal het paswoord hashen met
//SHA-256 en de hexadecimale hashcode opslaan.
try {
BigInteger hash = new BigInteger(1,
MessageDigest.getInstance("SHA-256")
.digest(this.plainPassword.getBytes("UTF-8")));
encryptedPassword = hash.toString(16);
} catch (NoSuchAlgorithmException |
UnsupportedEncodingException ex) {
Logger.getLogger(User.class.getName())
.log(Level.SEVERE, null, ex);
}
}
@ElementCollection
// We kiezen hier zelf de naam voor de tabel en de
//kolommen omdat<SUF>
// instellen van de security realm.
@CollectionTable(name = "USER_ROLES",
joinColumns = @JoinColumn(name = "USERNAME"))
@Column(name = "ROLES")
private final List<String> roles = new ArrayList<>();
public List<String> getRoles()
{
return roles;
}
@ManyToMany(fetch = FetchType.EAGER)
private final List<Anime> animes = new ArrayList<>();
public List<Anime> getAnimes() {
return animes;
}
public void addAnime(Anime a) {
animes.add(a);
}
public void RemoveAnime(Anime a) {
animes.remove(a);
}
@Override
public int hashCode()
{
int hash = 7;
hash = 13 * hash + Objects.hashCode(this.username);
return hash;
}
@Override
public boolean equals(Object obj)
{
if (obj == null) {
return false;
}
if (getClass() != obj.getClass()) {
return false;
}
final User other = (User) obj;
return Objects.equals(this.username, other.username);
}
@Override
public String toString()
{
return username;
}
}
| false | 1,005 | 11 | 1,174 | 17 | 1,226 | 10 | 1,174 | 17 | 1,372 | 12 | false | false | false | false | false | true |
273 | 44897_0 | package model;
/**
* @author Vincent Velthuizen <[email protected]>
* Eigenschappen van die personen die in vaste dienst zijn bij mijn bedrijf
*/
public class Werknemer extends Persoon {
private static final double GRENSWAARDE_BONUS = 4500;
private static final double DEFAULT_MAAND_SALARIS = 0.0;
private static final int MAANDEN_PER_JAAR = 12;
private double maandSalaris;
public Werknemer(String naam, String woonplaats, Afdeling afdeling, double maandSalaris) {
super(naam, woonplaats, afdeling);
setMaandsalaris(maandSalaris);
}
public Werknemer(String naam) {
super(naam);
setMaandsalaris(DEFAULT_MAAND_SALARIS);
}
public Werknemer() {
super();
setMaandsalaris(DEFAULT_MAAND_SALARIS);
}
public boolean heeftRechtOpBonus() {
return maandSalaris >= GRENSWAARDE_BONUS;
}
@Override
public double berekenJaarinkomen() {
double jaarinkomen = MAANDEN_PER_JAAR * maandSalaris;
if (heeftRechtOpBonus()) {
jaarinkomen += maandSalaris;
}
return jaarinkomen;
}
@Override
public String toString() {
return String.format("%s en is een werknemer %s recht op bonus",
super.toString(), heeftRechtOpBonus() ? "met" : "zonder");
}
public double getMaandSalaris() {
return maandSalaris;
}
private void setMaandsalaris(double maandSalaris) {
if (maandSalaris < 0) {
throw new IllegalArgumentException("Het maandsalaris mag niet negatief zijn.");
}
this.maandSalaris = maandSalaris;
}
}
| C12-MIWNN/Bedrijf | src/model/Werknemer.java | 530 | /**
* @author Vincent Velthuizen <[email protected]>
* Eigenschappen van die personen die in vaste dienst zijn bij mijn bedrijf
*/ | block_comment | nl | package model;
/**
* @author Vincent Velthuizen<SUF>*/
public class Werknemer extends Persoon {
private static final double GRENSWAARDE_BONUS = 4500;
private static final double DEFAULT_MAAND_SALARIS = 0.0;
private static final int MAANDEN_PER_JAAR = 12;
private double maandSalaris;
public Werknemer(String naam, String woonplaats, Afdeling afdeling, double maandSalaris) {
super(naam, woonplaats, afdeling);
setMaandsalaris(maandSalaris);
}
public Werknemer(String naam) {
super(naam);
setMaandsalaris(DEFAULT_MAAND_SALARIS);
}
public Werknemer() {
super();
setMaandsalaris(DEFAULT_MAAND_SALARIS);
}
public boolean heeftRechtOpBonus() {
return maandSalaris >= GRENSWAARDE_BONUS;
}
@Override
public double berekenJaarinkomen() {
double jaarinkomen = MAANDEN_PER_JAAR * maandSalaris;
if (heeftRechtOpBonus()) {
jaarinkomen += maandSalaris;
}
return jaarinkomen;
}
@Override
public String toString() {
return String.format("%s en is een werknemer %s recht op bonus",
super.toString(), heeftRechtOpBonus() ? "met" : "zonder");
}
public double getMaandSalaris() {
return maandSalaris;
}
private void setMaandsalaris(double maandSalaris) {
if (maandSalaris < 0) {
throw new IllegalArgumentException("Het maandsalaris mag niet negatief zijn.");
}
this.maandSalaris = maandSalaris;
}
}
| false | 464 | 46 | 506 | 55 | 478 | 42 | 506 | 55 | 552 | 52 | false | false | false | false | false | true |
4,181 | 129160_6 | /*_x000D_
* Framework code written for the Multimedia course taught in the first year_x000D_
* of the UvA Informatica bachelor._x000D_
*_x000D_
* Nardi Lam, 2015 (based on code by I.M.J. Kamps, S.J.R. van Schaik, R. de Vries, 2013)_x000D_
*/_x000D_
_x000D_
package comthedudifulmoneymoneymoney.httpsgithub.coincounter;_x000D_
_x000D_
import android.content.Context;_x000D_
import android.graphics.Canvas;_x000D_
import android.graphics.Matrix;_x000D_
import android.util.AttributeSet;_x000D_
import android.util.DisplayMetrics;_x000D_
import android.util.Log;_x000D_
import android.view.View;_x000D_
import android.graphics.Bitmap;_x000D_
_x000D_
_x000D_
/*_x000D_
* This is a View that displays incoming images._x000D_
*/_x000D_
public class ImageDisplayView extends View implements ImageListener {_x000D_
_x000D_
CircleDetection CD_cur = new CircleDetection();_x000D_
CircleDetection CD_done = new CircleDetection();_x000D_
_x000D_
// Canvas matrix om image te roteren en schalen_x000D_
Matrix matrix = new Matrix();_x000D_
// Thread om cirkeldetectie in te draaien_x000D_
Thread t = null;_x000D_
_x000D_
_x000D_
/*** Constructors ***/_x000D_
_x000D_
public ImageDisplayView(Context context) {_x000D_
super(context);_x000D_
}_x000D_
_x000D_
public ImageDisplayView(Context context, AttributeSet attrs) {_x000D_
super(context, attrs);_x000D_
}_x000D_
_x000D_
public ImageDisplayView(Context context, AttributeSet attrs, int defStyle) {_x000D_
super(context, attrs, defStyle);_x000D_
}_x000D_
_x000D_
public int dpToPx(int dp) {_x000D_
DisplayMetrics displayMetrics = getContext().getResources().getDisplayMetrics();_x000D_
int px = Math.round(dp * (displayMetrics.xdpi / DisplayMetrics.DENSITY_DEFAULT));_x000D_
return px;_x000D_
}_x000D_
_x000D_
/*** Image drawing ***/_x000D_
_x000D_
private Bitmap currentImage = null;_x000D_
_x000D_
_x000D_
@Override_x000D_
public void onImage(Bitmap argb) {_x000D_
_x000D_
// Voeg schaling toe aan canvas matrix_x000D_
matrix.reset();_x000D_
matrix.postScale(((float) this.getHeight()) / argb.getWidth(), ((float) this.getWidth()) / argb.getHeight());_x000D_
_x000D_
// Laad nieuwe frame_x000D_
CD_done.LoadImage(argb);_x000D_
_x000D_
// Alleen eerste frame (bij opstarten camera)_x000D_
if (t == null) {_x000D_
Log.i("Thread", "Threading begonnen");_x000D_
_x000D_
// Doe eerste berekening in Main thread_x000D_
CD_done.run();_x000D_
_x000D_
// Start nieuwe Thread_x000D_
CD_cur = new CircleDetection(argb);_x000D_
t = new Thread(CD_cur);_x000D_
t.start();_x000D_
}_x000D_
_x000D_
// Als de Thread klaar is met rekenen_x000D_
if (!this.t.isAlive()) {_x000D_
_x000D_
// Einde Thread afhandelen_x000D_
CD_done = CD_cur;_x000D_
CD_done.LoadImage(argb);_x000D_
_x000D_
// Nieuwe Thread beginnen_x000D_
CD_cur = new CircleDetection(argb);_x000D_
t = new Thread(CD_cur);_x000D_
t.start();_x000D_
}_x000D_
_x000D_
// Geef frame door_x000D_
this.currentImage = CD_done.image;_x000D_
this.invalidate();_x000D_
_x000D_
}_x000D_
_x000D_
@Override_x000D_
protected void onDraw(Canvas canvas) {_x000D_
super.onDraw(canvas);_x000D_
_x000D_
/* If there is an image to be drawn: */_x000D_
if (this.currentImage != null) {_x000D_
_x000D_
// Teken meest recente cirkels + totaal op frame_x000D_
CD_done.DrawCircles();_x000D_
MainActivity.text.setText("Totaal: \u20ac" + String.format("%.2f", CD_done.totaal));_x000D_
_x000D_
// Pas canvas matrix aan_x000D_
matrix.postRotate(90);_x000D_
matrix.postTranslate(canvas.getWidth(), dpToPx(30));_x000D_
_x000D_
canvas.setMatrix(matrix);_x000D_
canvas.drawBitmap(CD_done.image, 0, 0, null);_x000D_
}_x000D_
}_x000D_
_x000D_
/*** Source selection ***/_x000D_
private ImageSource source = null;_x000D_
_x000D_
public void setImageSource(ImageSource source) {_x000D_
if (this.source != null) {_x000D_
this.source.setOnImageListener(null);_x000D_
}_x000D_
source.setOnImageListener(this);_x000D_
this.source = source;_x000D_
}_x000D_
_x000D_
public ImageSource getImageSource() {_x000D_
return this.source;_x000D_
}_x000D_
_x000D_
} | rkalis/uva-multimedia | app/src/main/java/comthedudifulmoneymoneymoney/httpsgithub/coincounter/ImageDisplayView.java | 1,158 | // Alleen eerste frame (bij opstarten camera)_x000D_ | line_comment | nl | /*_x000D_
* Framework code written for the Multimedia course taught in the first year_x000D_
* of the UvA Informatica bachelor._x000D_
*_x000D_
* Nardi Lam, 2015 (based on code by I.M.J. Kamps, S.J.R. van Schaik, R. de Vries, 2013)_x000D_
*/_x000D_
_x000D_
package comthedudifulmoneymoneymoney.httpsgithub.coincounter;_x000D_
_x000D_
import android.content.Context;_x000D_
import android.graphics.Canvas;_x000D_
import android.graphics.Matrix;_x000D_
import android.util.AttributeSet;_x000D_
import android.util.DisplayMetrics;_x000D_
import android.util.Log;_x000D_
import android.view.View;_x000D_
import android.graphics.Bitmap;_x000D_
_x000D_
_x000D_
/*_x000D_
* This is a View that displays incoming images._x000D_
*/_x000D_
public class ImageDisplayView extends View implements ImageListener {_x000D_
_x000D_
CircleDetection CD_cur = new CircleDetection();_x000D_
CircleDetection CD_done = new CircleDetection();_x000D_
_x000D_
// Canvas matrix om image te roteren en schalen_x000D_
Matrix matrix = new Matrix();_x000D_
// Thread om cirkeldetectie in te draaien_x000D_
Thread t = null;_x000D_
_x000D_
_x000D_
/*** Constructors ***/_x000D_
_x000D_
public ImageDisplayView(Context context) {_x000D_
super(context);_x000D_
}_x000D_
_x000D_
public ImageDisplayView(Context context, AttributeSet attrs) {_x000D_
super(context, attrs);_x000D_
}_x000D_
_x000D_
public ImageDisplayView(Context context, AttributeSet attrs, int defStyle) {_x000D_
super(context, attrs, defStyle);_x000D_
}_x000D_
_x000D_
public int dpToPx(int dp) {_x000D_
DisplayMetrics displayMetrics = getContext().getResources().getDisplayMetrics();_x000D_
int px = Math.round(dp * (displayMetrics.xdpi / DisplayMetrics.DENSITY_DEFAULT));_x000D_
return px;_x000D_
}_x000D_
_x000D_
/*** Image drawing ***/_x000D_
_x000D_
private Bitmap currentImage = null;_x000D_
_x000D_
_x000D_
@Override_x000D_
public void onImage(Bitmap argb) {_x000D_
_x000D_
// Voeg schaling toe aan canvas matrix_x000D_
matrix.reset();_x000D_
matrix.postScale(((float) this.getHeight()) / argb.getWidth(), ((float) this.getWidth()) / argb.getHeight());_x000D_
_x000D_
// Laad nieuwe frame_x000D_
CD_done.LoadImage(argb);_x000D_
_x000D_
// Alleen eerste<SUF>
if (t == null) {_x000D_
Log.i("Thread", "Threading begonnen");_x000D_
_x000D_
// Doe eerste berekening in Main thread_x000D_
CD_done.run();_x000D_
_x000D_
// Start nieuwe Thread_x000D_
CD_cur = new CircleDetection(argb);_x000D_
t = new Thread(CD_cur);_x000D_
t.start();_x000D_
}_x000D_
_x000D_
// Als de Thread klaar is met rekenen_x000D_
if (!this.t.isAlive()) {_x000D_
_x000D_
// Einde Thread afhandelen_x000D_
CD_done = CD_cur;_x000D_
CD_done.LoadImage(argb);_x000D_
_x000D_
// Nieuwe Thread beginnen_x000D_
CD_cur = new CircleDetection(argb);_x000D_
t = new Thread(CD_cur);_x000D_
t.start();_x000D_
}_x000D_
_x000D_
// Geef frame door_x000D_
this.currentImage = CD_done.image;_x000D_
this.invalidate();_x000D_
_x000D_
}_x000D_
_x000D_
@Override_x000D_
protected void onDraw(Canvas canvas) {_x000D_
super.onDraw(canvas);_x000D_
_x000D_
/* If there is an image to be drawn: */_x000D_
if (this.currentImage != null) {_x000D_
_x000D_
// Teken meest recente cirkels + totaal op frame_x000D_
CD_done.DrawCircles();_x000D_
MainActivity.text.setText("Totaal: \u20ac" + String.format("%.2f", CD_done.totaal));_x000D_
_x000D_
// Pas canvas matrix aan_x000D_
matrix.postRotate(90);_x000D_
matrix.postTranslate(canvas.getWidth(), dpToPx(30));_x000D_
_x000D_
canvas.setMatrix(matrix);_x000D_
canvas.drawBitmap(CD_done.image, 0, 0, null);_x000D_
}_x000D_
}_x000D_
_x000D_
/*** Source selection ***/_x000D_
private ImageSource source = null;_x000D_
_x000D_
public void setImageSource(ImageSource source) {_x000D_
if (this.source != null) {_x000D_
this.source.setOnImageListener(null);_x000D_
}_x000D_
source.setOnImageListener(this);_x000D_
this.source = source;_x000D_
}_x000D_
_x000D_
public ImageSource getImageSource() {_x000D_
return this.source;_x000D_
}_x000D_
_x000D_
} | false | 1,680 | 18 | 1,889 | 21 | 1,915 | 18 | 1,889 | 21 | 2,041 | 18 | false | false | false | false | false | true |
40 | 53192_4 | package com.amaze.quit.app;
import android.app.ActionBar;
import android.app.Activity;
import android.content.Intent;
import android.content.res.Resources;
import android.graphics.drawable.ColorDrawable;
import android.os.Handler;
import android.os.Message;
import android.support.v4.app.Fragment;
import android.os.Bundle;
import android.view.LayoutInflater;
import android.view.View;
import android.view.ViewGroup;
import android.widget.ProgressBar;
import android.widget.TextView;
import com.viewpagerindicator.LinePageIndicator;
import java.util.Calendar;
import java.util.Date;
import java.util.GregorianCalendar;
public class HealthProgress extends Fragment {
static int position;
private static final int UpdateProgress = 0;
private UserVisibilityEvent uservisibilityevent;
Handler handler;
//teken vooruitgang progressbars met cijfers
protected void drawElements(int id) {
Activity a = getActivity();
int progress = getProgress(id);
int barId = getResources().getIdentifier("progressBar_gezondheid_" + id, "id", a.getPackageName());
ProgressBar gezondheidBar = (ProgressBar) a.findViewById(barId);
gezondheidBar.setProgress(progress);
int tId = getResources().getIdentifier("health_procent" + id, "id", a.getPackageName());
TextView t = (TextView) a.findViewById(tId);
t.setText(progress + "%");
long tijd = getRemainingTime(id);
//draw days, hours, minutes
long dagen = tijd / 1440;
long uren = (tijd - dagen * 1440) / 60;
long minuten = tijd - dagen * 1440 - uren * 60;
int timerId = getResources().getIdentifier("health_timer" + id, "id", a.getPackageName());
TextView timer = (TextView) a.findViewById(timerId);
String timerText = "";
if (dagen > 0) {
if (dagen == 1) {
timerText += dagen + " dag ";
} else {
timerText += dagen + " dagen ";
}
}
if (uren > 0) {
timerText += uren + " uur ";
}
timerText += minuten;
if(minuten == 1) {
timerText += " minuut";
}
else {
timerText += " minuten";
}
timer.setText(timerText);
}
//tekent algemene gezonheid
protected void drawAverage() {
//teken de progress van de algemene gezondheid bar (gemiddelde van alle andere)
int totalProgress = 0;
for (int i = 1; i <= 9; i++) {
totalProgress += getProgress(i);
}
int average = totalProgress / 9;
ProgressBar totaalGezondheidBar = (ProgressBar) getActivity().findViewById(R.id.progressBar_algemeenGezondheid);
totaalGezondheidBar.setProgress(average);
//totaalGezondheidBar.getProgressDrawable().
}
//tekent vooruitgang
protected void drawProgress() {
Activity a = getActivity();
Date today = new Date();
//teken de progress van elke individuele bar + procenten
for (int i = 1; i <= 9; i++) {
drawElements(i);
}
drawAverage();
}
//geeft progress terug
public int getProgress(int id) {
double progress;
double max;
double current;
DatabaseHandler db = new DatabaseHandler(getActivity());
Calendar stopDate = DateUtils.calendarFor(db.getUser(1).getQuitYear(), db.getUser(1).getQuitMonth(), db.getUser(1).getQuitDay(), db.getUser(1).getQuitHour(), db.getUser(1).getQuitMinute());
long stoppedMinutes = DateUtils.GetMinutesSince(stopDate);
//close the database
db.close();
switch (id) {
case 1:
current = stoppedMinutes;
max = 1 * 24 * 60;
break; // max in days
case 2:
current = stoppedMinutes;
max = 365 * 24 * 60;
break;
case 3:
current = stoppedMinutes;
max = 2 * 24 * 60;
break;
case 4:
current = stoppedMinutes;
max = 4 * 24 * 60;
break;
case 5:
current = stoppedMinutes;
max = 2 * 24 * 60;
break;
case 6:
current = stoppedMinutes;
max = 40 * 24 * 60;
break;
case 7:
current = stoppedMinutes;
max = 14 * 24 * 60;
break;
case 8:
current = stoppedMinutes;
max = 3 * 365 * 24 * 60;
break;
case 9:
current = stoppedMinutes;
max = 10 * 365 * 24 * 60;
break;
default:
current = 100;
max = 100;
break;
}
progress = (current / max) * 100;
if (progress > 100) {
progress = 100;
}
return (int) progress;
}
//geeft tijd over terug
protected int getRemainingTime(int id) {
long tijd = 0;
DatabaseHandler db = new DatabaseHandler(getActivity());
Calendar today = Calendar.getInstance();
Calendar stopDate = DateUtils.calendarFor(db.getUser(1).getQuitYear(), db.getUser(1).getQuitMonth(), db.getUser(1).getQuitDay(), db.getUser(1).getQuitHour(), db.getUser(1).getQuitMinute());
Calendar maxDate = stopDate;
//close the database
db.close();
switch (id) {
case 1:
maxDate.add(Calendar.DAY_OF_MONTH, 1);
break; // STOPDATUM + HOEVEEL DAGEN HET DUURT
case 2:
maxDate.add(Calendar.YEAR, 1);
break;
case 3:
maxDate.add(Calendar.DAY_OF_MONTH, 2);
break;
case 4:
maxDate.add(Calendar.DAY_OF_MONTH, 4);
break;
case 5:
maxDate.add(Calendar.DAY_OF_MONTH, 2);
break;
case 6:
maxDate.add(Calendar.DAY_OF_MONTH, 40);
break;
case 7:
maxDate.add(Calendar.DAY_OF_MONTH, 14);
break;
case 8:
maxDate.add(Calendar.YEAR, 3);
break;
case 9:
maxDate.add(Calendar.YEAR, 10);
break;
default:
break;
}
tijd = DateUtils.GetMinutesBetween(today, maxDate);
if (tijd < 0) {
tijd = 0;
}
return (int) tijd;
}
public static final HealthProgress newInstance(int i) {
HealthProgress f = new HealthProgress();
Bundle bdl = new Bundle(1);
f.setArguments(bdl);
position = i;
return f;
}
@Override
public View onCreateView(LayoutInflater inflater, ViewGroup container, Bundle savedInstanceState) {
View v = inflater.inflate(R.layout.activity_health_progress, container, false);
handler = new Handler() {
@Override
public void handleMessage(Message msg) {
if (msg.what == UpdateProgress) {
if (getActivity() != null) {
Activity a = getActivity();
TextView t1 = (TextView) a.findViewById(R.id.health_procent1);
if (t1 != null) {
drawProgress();
}
}
}
super.handleMessage(msg);
}
};
//timer
Thread updateProcess = new Thread() {
public void run() {
while (1 == 1) {
try {
sleep(10000);
Message msg = new Message();
msg.what = UpdateProgress;
handler.sendMessage(msg);
} catch (InterruptedException e) {
e.printStackTrace();
} finally {
}
}
}
};
updateProcess.start();
//update on startup
Message msg = new Message();
msg.what = UpdateProgress;
handler.sendMessage(msg);
return v;
}
@Override
public void setUserVisibleHint(boolean isVisibleToUser) {
super.setUserVisibleHint(isVisibleToUser);
if (isVisibleToUser) {
//implements the main method what every fragment should do when it's visible
uservisibilityevent.viewIsVisible(getActivity(), position, "green", "title_activity_health_progress");
}
}
}
| A-Maze/Quit | app/src/main/java/com/amaze/quit/app/HealthProgress.java | 2,524 | //teken de progress van elke individuele bar + procenten | line_comment | nl | package com.amaze.quit.app;
import android.app.ActionBar;
import android.app.Activity;
import android.content.Intent;
import android.content.res.Resources;
import android.graphics.drawable.ColorDrawable;
import android.os.Handler;
import android.os.Message;
import android.support.v4.app.Fragment;
import android.os.Bundle;
import android.view.LayoutInflater;
import android.view.View;
import android.view.ViewGroup;
import android.widget.ProgressBar;
import android.widget.TextView;
import com.viewpagerindicator.LinePageIndicator;
import java.util.Calendar;
import java.util.Date;
import java.util.GregorianCalendar;
public class HealthProgress extends Fragment {
static int position;
private static final int UpdateProgress = 0;
private UserVisibilityEvent uservisibilityevent;
Handler handler;
//teken vooruitgang progressbars met cijfers
protected void drawElements(int id) {
Activity a = getActivity();
int progress = getProgress(id);
int barId = getResources().getIdentifier("progressBar_gezondheid_" + id, "id", a.getPackageName());
ProgressBar gezondheidBar = (ProgressBar) a.findViewById(barId);
gezondheidBar.setProgress(progress);
int tId = getResources().getIdentifier("health_procent" + id, "id", a.getPackageName());
TextView t = (TextView) a.findViewById(tId);
t.setText(progress + "%");
long tijd = getRemainingTime(id);
//draw days, hours, minutes
long dagen = tijd / 1440;
long uren = (tijd - dagen * 1440) / 60;
long minuten = tijd - dagen * 1440 - uren * 60;
int timerId = getResources().getIdentifier("health_timer" + id, "id", a.getPackageName());
TextView timer = (TextView) a.findViewById(timerId);
String timerText = "";
if (dagen > 0) {
if (dagen == 1) {
timerText += dagen + " dag ";
} else {
timerText += dagen + " dagen ";
}
}
if (uren > 0) {
timerText += uren + " uur ";
}
timerText += minuten;
if(minuten == 1) {
timerText += " minuut";
}
else {
timerText += " minuten";
}
timer.setText(timerText);
}
//tekent algemene gezonheid
protected void drawAverage() {
//teken de progress van de algemene gezondheid bar (gemiddelde van alle andere)
int totalProgress = 0;
for (int i = 1; i <= 9; i++) {
totalProgress += getProgress(i);
}
int average = totalProgress / 9;
ProgressBar totaalGezondheidBar = (ProgressBar) getActivity().findViewById(R.id.progressBar_algemeenGezondheid);
totaalGezondheidBar.setProgress(average);
//totaalGezondheidBar.getProgressDrawable().
}
//tekent vooruitgang
protected void drawProgress() {
Activity a = getActivity();
Date today = new Date();
//teken de<SUF>
for (int i = 1; i <= 9; i++) {
drawElements(i);
}
drawAverage();
}
//geeft progress terug
public int getProgress(int id) {
double progress;
double max;
double current;
DatabaseHandler db = new DatabaseHandler(getActivity());
Calendar stopDate = DateUtils.calendarFor(db.getUser(1).getQuitYear(), db.getUser(1).getQuitMonth(), db.getUser(1).getQuitDay(), db.getUser(1).getQuitHour(), db.getUser(1).getQuitMinute());
long stoppedMinutes = DateUtils.GetMinutesSince(stopDate);
//close the database
db.close();
switch (id) {
case 1:
current = stoppedMinutes;
max = 1 * 24 * 60;
break; // max in days
case 2:
current = stoppedMinutes;
max = 365 * 24 * 60;
break;
case 3:
current = stoppedMinutes;
max = 2 * 24 * 60;
break;
case 4:
current = stoppedMinutes;
max = 4 * 24 * 60;
break;
case 5:
current = stoppedMinutes;
max = 2 * 24 * 60;
break;
case 6:
current = stoppedMinutes;
max = 40 * 24 * 60;
break;
case 7:
current = stoppedMinutes;
max = 14 * 24 * 60;
break;
case 8:
current = stoppedMinutes;
max = 3 * 365 * 24 * 60;
break;
case 9:
current = stoppedMinutes;
max = 10 * 365 * 24 * 60;
break;
default:
current = 100;
max = 100;
break;
}
progress = (current / max) * 100;
if (progress > 100) {
progress = 100;
}
return (int) progress;
}
//geeft tijd over terug
protected int getRemainingTime(int id) {
long tijd = 0;
DatabaseHandler db = new DatabaseHandler(getActivity());
Calendar today = Calendar.getInstance();
Calendar stopDate = DateUtils.calendarFor(db.getUser(1).getQuitYear(), db.getUser(1).getQuitMonth(), db.getUser(1).getQuitDay(), db.getUser(1).getQuitHour(), db.getUser(1).getQuitMinute());
Calendar maxDate = stopDate;
//close the database
db.close();
switch (id) {
case 1:
maxDate.add(Calendar.DAY_OF_MONTH, 1);
break; // STOPDATUM + HOEVEEL DAGEN HET DUURT
case 2:
maxDate.add(Calendar.YEAR, 1);
break;
case 3:
maxDate.add(Calendar.DAY_OF_MONTH, 2);
break;
case 4:
maxDate.add(Calendar.DAY_OF_MONTH, 4);
break;
case 5:
maxDate.add(Calendar.DAY_OF_MONTH, 2);
break;
case 6:
maxDate.add(Calendar.DAY_OF_MONTH, 40);
break;
case 7:
maxDate.add(Calendar.DAY_OF_MONTH, 14);
break;
case 8:
maxDate.add(Calendar.YEAR, 3);
break;
case 9:
maxDate.add(Calendar.YEAR, 10);
break;
default:
break;
}
tijd = DateUtils.GetMinutesBetween(today, maxDate);
if (tijd < 0) {
tijd = 0;
}
return (int) tijd;
}
public static final HealthProgress newInstance(int i) {
HealthProgress f = new HealthProgress();
Bundle bdl = new Bundle(1);
f.setArguments(bdl);
position = i;
return f;
}
@Override
public View onCreateView(LayoutInflater inflater, ViewGroup container, Bundle savedInstanceState) {
View v = inflater.inflate(R.layout.activity_health_progress, container, false);
handler = new Handler() {
@Override
public void handleMessage(Message msg) {
if (msg.what == UpdateProgress) {
if (getActivity() != null) {
Activity a = getActivity();
TextView t1 = (TextView) a.findViewById(R.id.health_procent1);
if (t1 != null) {
drawProgress();
}
}
}
super.handleMessage(msg);
}
};
//timer
Thread updateProcess = new Thread() {
public void run() {
while (1 == 1) {
try {
sleep(10000);
Message msg = new Message();
msg.what = UpdateProgress;
handler.sendMessage(msg);
} catch (InterruptedException e) {
e.printStackTrace();
} finally {
}
}
}
};
updateProcess.start();
//update on startup
Message msg = new Message();
msg.what = UpdateProgress;
handler.sendMessage(msg);
return v;
}
@Override
public void setUserVisibleHint(boolean isVisibleToUser) {
super.setUserVisibleHint(isVisibleToUser);
if (isVisibleToUser) {
//implements the main method what every fragment should do when it's visible
uservisibilityevent.viewIsVisible(getActivity(), position, "green", "title_activity_health_progress");
}
}
}
| false | 1,916 | 15 | 2,140 | 16 | 2,273 | 12 | 2,140 | 16 | 2,503 | 16 | false | false | false | false | false | true |
1,561 | 20477_1 | package nl.enterbv.easion.View;
import android.content.Context;
import android.graphics.Color;
import android.view.LayoutInflater;
import android.view.View;
import android.view.ViewGroup;
import android.widget.ArrayAdapter;
import android.widget.TextView;
import java.util.List;
import nl.enterbv.easion.Model.Enquete;
import nl.enterbv.easion.R;
/**
* Created by joepv on 15.jun.2016.
*/
public class TaskListAdapter extends ArrayAdapter<Enquete> {
public TaskListAdapter(Context context, List<Enquete> objects) {
super(context, -1, objects);
}
@Override
public View getView(int position, View convertView, ViewGroup parent) {
if (convertView == null) {
convertView = LayoutInflater.from(getContext()).inflate(R.layout.item_task_list, parent, false);
}
TextView title = (TextView) convertView.findViewById(R.id.tv_item_title);
title.setText(getItem(position).getLabel());
TextView organization = (TextView) convertView.findViewById(R.id.tv_item_organization);
organization.setText(getItem(position).getSender());
TextView date = (TextView) convertView.findViewById(R.id.tv_item_date);
date.setText(getItem(position).getCreationDate());
View progress = convertView.findViewById(R.id.item_progress);
//Progress of task: 0 = Nieuw, 1 = Bezig, 2 = Klaar
switch (getItem(position).getProgress()) {
case 0:
progress.setBackgroundResource(R.drawable.nieuw);
break;
case 1:
progress.setBackgroundResource(R.drawable.bezig);
break;
case 2:
progress.setBackgroundResource(R.drawable.klaar);
break;
default:
break;
}
return convertView;
}
}
| SaxionHBO-ICT/parantion-enterbv | Easion/app/src/main/java/nl/enterbv/easion/View/TaskListAdapter.java | 553 | //Progress of task: 0 = Nieuw, 1 = Bezig, 2 = Klaar | line_comment | nl | package nl.enterbv.easion.View;
import android.content.Context;
import android.graphics.Color;
import android.view.LayoutInflater;
import android.view.View;
import android.view.ViewGroup;
import android.widget.ArrayAdapter;
import android.widget.TextView;
import java.util.List;
import nl.enterbv.easion.Model.Enquete;
import nl.enterbv.easion.R;
/**
* Created by joepv on 15.jun.2016.
*/
public class TaskListAdapter extends ArrayAdapter<Enquete> {
public TaskListAdapter(Context context, List<Enquete> objects) {
super(context, -1, objects);
}
@Override
public View getView(int position, View convertView, ViewGroup parent) {
if (convertView == null) {
convertView = LayoutInflater.from(getContext()).inflate(R.layout.item_task_list, parent, false);
}
TextView title = (TextView) convertView.findViewById(R.id.tv_item_title);
title.setText(getItem(position).getLabel());
TextView organization = (TextView) convertView.findViewById(R.id.tv_item_organization);
organization.setText(getItem(position).getSender());
TextView date = (TextView) convertView.findViewById(R.id.tv_item_date);
date.setText(getItem(position).getCreationDate());
View progress = convertView.findViewById(R.id.item_progress);
//Progress of<SUF>
switch (getItem(position).getProgress()) {
case 0:
progress.setBackgroundResource(R.drawable.nieuw);
break;
case 1:
progress.setBackgroundResource(R.drawable.bezig);
break;
case 2:
progress.setBackgroundResource(R.drawable.klaar);
break;
default:
break;
}
return convertView;
}
}
| false | 357 | 24 | 462 | 24 | 476 | 21 | 462 | 24 | 535 | 23 | false | false | false | false | false | true |
1,392 | 15367_11 | import greenfoot.*; // (World, Actor, GreenfootImage, Greenfoot and MouseInfo)
/**
* Write a description of class LevelExtra here.
*
* @author (your name)
* @version (a version number or a date)
*/
public class LevelExtra extends World
{
private CollisionEngine ce;
private TileEngine te;
/**
* Constructor for objects of class LevelExtra.
*
*/
public LevelExtra()
{
super(1000, 800, 1,false);
this.setBackground("4_Bg.png");
int[][] map = {
{151,101,101,101,101,101,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,13,151,-1,-1,-1,-1,-1,-1},
{151,95,95,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,151,6,6,6,6,6,6},
{6,94,94,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,106,-1,-1,106,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,6,-1,-1,-1,-1,-1,6},
{6,94,94,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,108,-1,-1,108,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,6,-1,-1,-1,-1,-1,6},
{6,94,94,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,108,-1,-1,108,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,6},
{6,94,94,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,108,-1,-1,108,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,6},
{6,94,94,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,84,95,-1,-1,-1,-1,-1,-1,-1,-1,81,82,82,83,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,6},
{6,94,94,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,84,85,94,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,127,-1,-1,6,-1,-1,-1,-1,68,6},
{6,94,94,71,71,71,71,71,71,71,71,71,71,71,84,85,6,94,71,71,71,71,71,71,71,71,71,71,71,71,71,71,71,71,71,127,127,127,6,71,71,6,-1,6,6,6,67,6},
{6,8,8,8,8,8,8,8,8,8,8,8,8,8,6,6,6,8,8,8,8,8,8,8,8,8,8,8,8,8,8,8,8,8,8,6,6,6,6,8,8,6,8,8,8,8,8,6},
};
TileEngine te = new TileEngine(this, 60, 60, map);
te.setTileFactory(new TileFactory());
te.setMap(map);
// Declarenre en initialiseren van de camera klasse met de TileEngine klasse
// zodat de camera weet welke tiles allemaal moeten meebewegen met de camera
Camera camera = new Camera(te);
ce = new CollisionEngine(te, camera);
// Declareren en initialiseren van een main karakter van het spel mijne heet Hero. Deze klasse
// moet de klasse Mover extenden voor de camera om te werken
Hero hero = new Hero(ce, te);
//Declareren en initialiseren van de dia klassen
Dia dia = new Dia();
//Declareren en initialiseren van de leven klassen
Leven up1 = new Leven();
// Creeer een scoreboard
Punten pu = new Punten();
// Laat de camera een object volgen. Die moet een Mover instatie zijn of een extentie hiervan.
camera.follow(hero);
// Alle objecten toevoegen aan de wereld: camera, main karakter en mogelijke enemies
addObject(camera, 0, 0);
addObject(hero, 2040, 495);
addObject(dia, 1675, 315);
addObject(up1, 2785, 435);
addObject(pu, 830, 45);
addObject(new Hart(), 170, 45);
addObject(new Sorry(), 2665, 200);
// Force act zodat de camera op de juist plek staat.
camera.act();
hero.act();
// Initialiseren van de CollisionEngine zodat de speler niet door de tile heen kan lopen.
// De collision engine kijkt alleen naar de tiles die de variabele solid op true hebben staan.
ce = new CollisionEngine(te, camera);
// Toevoegen van de mover instantie of een extentie hiervan
ce.addCollidingMover(hero);
}
@Override
public void act() {
ce.update();
}
}
| ROCMondriaanTIN/project-greenfoot-game-SebastiaanBroeckaert | LevelExtra.java | 1,696 | // Alle objecten toevoegen aan de wereld: camera, main karakter en mogelijke enemies | line_comment | nl | import greenfoot.*; // (World, Actor, GreenfootImage, Greenfoot and MouseInfo)
/**
* Write a description of class LevelExtra here.
*
* @author (your name)
* @version (a version number or a date)
*/
public class LevelExtra extends World
{
private CollisionEngine ce;
private TileEngine te;
/**
* Constructor for objects of class LevelExtra.
*
*/
public LevelExtra()
{
super(1000, 800, 1,false);
this.setBackground("4_Bg.png");
int[][] map = {
{151,101,101,101,101,101,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,13,151,-1,-1,-1,-1,-1,-1},
{151,95,95,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,166,151,6,6,6,6,6,6},
{6,94,94,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,106,-1,-1,106,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,6,-1,-1,-1,-1,-1,6},
{6,94,94,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,108,-1,-1,108,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,6,-1,-1,-1,-1,-1,6},
{6,94,94,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,108,-1,-1,108,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,6},
{6,94,94,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,108,-1,-1,108,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,6},
{6,94,94,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,84,95,-1,-1,-1,-1,-1,-1,-1,-1,81,82,82,83,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,6},
{6,94,94,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,84,85,94,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,127,-1,-1,6,-1,-1,-1,-1,68,6},
{6,94,94,71,71,71,71,71,71,71,71,71,71,71,84,85,6,94,71,71,71,71,71,71,71,71,71,71,71,71,71,71,71,71,71,127,127,127,6,71,71,6,-1,6,6,6,67,6},
{6,8,8,8,8,8,8,8,8,8,8,8,8,8,6,6,6,8,8,8,8,8,8,8,8,8,8,8,8,8,8,8,8,8,8,6,6,6,6,8,8,6,8,8,8,8,8,6},
};
TileEngine te = new TileEngine(this, 60, 60, map);
te.setTileFactory(new TileFactory());
te.setMap(map);
// Declarenre en initialiseren van de camera klasse met de TileEngine klasse
// zodat de camera weet welke tiles allemaal moeten meebewegen met de camera
Camera camera = new Camera(te);
ce = new CollisionEngine(te, camera);
// Declareren en initialiseren van een main karakter van het spel mijne heet Hero. Deze klasse
// moet de klasse Mover extenden voor de camera om te werken
Hero hero = new Hero(ce, te);
//Declareren en initialiseren van de dia klassen
Dia dia = new Dia();
//Declareren en initialiseren van de leven klassen
Leven up1 = new Leven();
// Creeer een scoreboard
Punten pu = new Punten();
// Laat de camera een object volgen. Die moet een Mover instatie zijn of een extentie hiervan.
camera.follow(hero);
// Alle objecten<SUF>
addObject(camera, 0, 0);
addObject(hero, 2040, 495);
addObject(dia, 1675, 315);
addObject(up1, 2785, 435);
addObject(pu, 830, 45);
addObject(new Hart(), 170, 45);
addObject(new Sorry(), 2665, 200);
// Force act zodat de camera op de juist plek staat.
camera.act();
hero.act();
// Initialiseren van de CollisionEngine zodat de speler niet door de tile heen kan lopen.
// De collision engine kijkt alleen naar de tiles die de variabele solid op true hebben staan.
ce = new CollisionEngine(te, camera);
// Toevoegen van de mover instantie of een extentie hiervan
ce.addCollidingMover(hero);
}
@Override
public void act() {
ce.update();
}
}
| false | 1,787 | 19 | 1,844 | 25 | 1,838 | 18 | 1,844 | 25 | 1,917 | 20 | false | false | false | false | false | true |
4,271 | 160414_6 | package roborally.model;
import be.kuleuven.cs.som.annotate.Basic;
import roborally.property.Energy;
import roborally.property.Weight;
/**
* Deze klasse houdt een batterij bij. Deze heeft een positie, een gewicht en een hoeveelheid energie. Deze kan door een robot gedragen worden.
*
* @invar De hoeveelheid energie van een batterij moet altijd geldig zijn.
* |isValidBatteryEnergyAmount(getEnergy())
*
* @author Bavo Goosens (1e bachelor informatica, r0297884), Samuel Debruyn (1e bachelor informatica, r0305472)
*
* @version 2.1
*/
public class Battery extends Item{
/**
* Maakt een nieuwe batterij aan.
*
* @param energy
* Energie van de nieuwe batterij.
*
* @param weight
* Massa van de batterij.
*
* @post De energie van de nieuwe batterij is gelijk aan de gegeven energie.
* |new.getEnergy().equals(energy)
*
* @post Het gewicht van de nieuwe batterij is gelijk aan het gegeven gewicht.
* |new.getWeight().equals(weight)
*/
public Battery(Energy energy, Weight weight){
super(weight);
setEnergy(energy);
}
/**
* Deze methode wijzigt de energie van de batterij.
*
* @param energy
* De nieuwe energie van het item.
*
* @pre Energie moet geldige hoeveelheid zijn.
* |isValidBatteryEnergy(energy)
*
* @post De energie van het item is gelijk aan de gegeven energie.
* |new.getEnergy().equals(energy)
*/
public void setEnergy(Energy energy) {
this.energy = energy;
}
/**
* Geeft de energie van de batterij.
*
* @return Energie van de batterij.
* |energy
*/
@Basic
public Energy getEnergy() {
return energy;
}
/**
* Energie in de batterij.
*/
private Energy energy;
/**
* Deze methode kijkt na of de gegeven energie geldig is voor een batterij.
*
* @param energy
* De energie die nagekeken moet worden.
*
* @return Een boolean die true is als de energie geldig is.
* |if(!Energy.isValidEnergyAmount(energy.getEnergy()))
* | false
* |(energy.getEnergy() <= MAX_ENERGY.getEnergy())
*/
public static boolean isValidBatteryEnergy(Energy energy){
if(!Energy.isValidEnergyAmount(energy.getEnergy()))
return false;
return (energy.getEnergy() <= MAX_ENERGY.getEnergy());
}
/**
* De maximale energie van een batterij.
*/
public final static Energy MAX_ENERGY = new Energy(5000);
/**
* Deze methode wordt opgeroepen wanneer de batterij geraakt wordt door een laser of een surprise box.
*
* @post De nieuwe energie van de batterij is gelijk aan het maximum of aan 500 meer dan wat hij ervoor had.
* |new.getEnergy().equals(MAX_ENERGY) || new.getEnergy().equals(Energy.energySum(getEnergy(), HIT_ENERGY))
*/
@Override
protected void damage(){
Energy newEnergy = Energy.energySum(getEnergy(), HIT_ENERGY);
if (newEnergy.getEnergy() > MAX_ENERGY.getEnergy())
setEnergy(MAX_ENERGY);
setEnergy(newEnergy);
}
/**
* De hoeveelheid energie die een battery bij krijgt wanneer hij geraakt wordt.
*/
private final static Energy HIT_ENERGY = new Energy(500);
/*
* Deze methode zet het object om naar een String.
*
* @return Een textuele representatie van dit object waarbij duidelijk wordt wat de eigenschappen van dit object zijn.
* |super.toString() + ", energie: " + getEnergy().toString()
*
* @see roborally.model.Item#toString()
*/
@Override
public String toString() {
return super.toString() + ", energie: " + getEnergy().toString();
}
} | sdebruyn/student-Java-game-Roborally | src/roborally/model/Battery.java | 1,279 | /**
* De maximale energie van een batterij.
*/ | block_comment | nl | package roborally.model;
import be.kuleuven.cs.som.annotate.Basic;
import roborally.property.Energy;
import roborally.property.Weight;
/**
* Deze klasse houdt een batterij bij. Deze heeft een positie, een gewicht en een hoeveelheid energie. Deze kan door een robot gedragen worden.
*
* @invar De hoeveelheid energie van een batterij moet altijd geldig zijn.
* |isValidBatteryEnergyAmount(getEnergy())
*
* @author Bavo Goosens (1e bachelor informatica, r0297884), Samuel Debruyn (1e bachelor informatica, r0305472)
*
* @version 2.1
*/
public class Battery extends Item{
/**
* Maakt een nieuwe batterij aan.
*
* @param energy
* Energie van de nieuwe batterij.
*
* @param weight
* Massa van de batterij.
*
* @post De energie van de nieuwe batterij is gelijk aan de gegeven energie.
* |new.getEnergy().equals(energy)
*
* @post Het gewicht van de nieuwe batterij is gelijk aan het gegeven gewicht.
* |new.getWeight().equals(weight)
*/
public Battery(Energy energy, Weight weight){
super(weight);
setEnergy(energy);
}
/**
* Deze methode wijzigt de energie van de batterij.
*
* @param energy
* De nieuwe energie van het item.
*
* @pre Energie moet geldige hoeveelheid zijn.
* |isValidBatteryEnergy(energy)
*
* @post De energie van het item is gelijk aan de gegeven energie.
* |new.getEnergy().equals(energy)
*/
public void setEnergy(Energy energy) {
this.energy = energy;
}
/**
* Geeft de energie van de batterij.
*
* @return Energie van de batterij.
* |energy
*/
@Basic
public Energy getEnergy() {
return energy;
}
/**
* Energie in de batterij.
*/
private Energy energy;
/**
* Deze methode kijkt na of de gegeven energie geldig is voor een batterij.
*
* @param energy
* De energie die nagekeken moet worden.
*
* @return Een boolean die true is als de energie geldig is.
* |if(!Energy.isValidEnergyAmount(energy.getEnergy()))
* | false
* |(energy.getEnergy() <= MAX_ENERGY.getEnergy())
*/
public static boolean isValidBatteryEnergy(Energy energy){
if(!Energy.isValidEnergyAmount(energy.getEnergy()))
return false;
return (energy.getEnergy() <= MAX_ENERGY.getEnergy());
}
/**
* De maximale energie<SUF>*/
public final static Energy MAX_ENERGY = new Energy(5000);
/**
* Deze methode wordt opgeroepen wanneer de batterij geraakt wordt door een laser of een surprise box.
*
* @post De nieuwe energie van de batterij is gelijk aan het maximum of aan 500 meer dan wat hij ervoor had.
* |new.getEnergy().equals(MAX_ENERGY) || new.getEnergy().equals(Energy.energySum(getEnergy(), HIT_ENERGY))
*/
@Override
protected void damage(){
Energy newEnergy = Energy.energySum(getEnergy(), HIT_ENERGY);
if (newEnergy.getEnergy() > MAX_ENERGY.getEnergy())
setEnergy(MAX_ENERGY);
setEnergy(newEnergy);
}
/**
* De hoeveelheid energie die een battery bij krijgt wanneer hij geraakt wordt.
*/
private final static Energy HIT_ENERGY = new Energy(500);
/*
* Deze methode zet het object om naar een String.
*
* @return Een textuele representatie van dit object waarbij duidelijk wordt wat de eigenschappen van dit object zijn.
* |super.toString() + ", energie: " + getEnergy().toString()
*
* @see roborally.model.Item#toString()
*/
@Override
public String toString() {
return super.toString() + ", energie: " + getEnergy().toString();
}
} | false | 1,030 | 15 | 1,213 | 17 | 1,121 | 15 | 1,213 | 17 | 1,388 | 17 | false | false | false | false | false | true |
17 | 18917_0 | package be.thomasmore.qrace.model;
// de mascottes zijn de verschillende characters binnen QRace
public class Mascot {
private String name;
private String description;
public Mascot(String name, String description) {
this.name = name;
this.description = description;
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
public String getDescription() {
return description;
}
public void setDescription(String description) {
this.description = description;
}
} | 22-project-programmeren-thomasmore/QRace | src/main/java/be/thomasmore/qrace/model/Mascot.java | 158 | // de mascottes zijn de verschillende characters binnen QRace | line_comment | nl | package be.thomasmore.qrace.model;
// de mascottes<SUF>
public class Mascot {
private String name;
private String description;
public Mascot(String name, String description) {
this.name = name;
this.description = description;
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
public String getDescription() {
return description;
}
public void setDescription(String description) {
this.description = description;
}
} | false | 119 | 12 | 136 | 15 | 146 | 12 | 136 | 15 | 164 | 15 | false | false | false | false | false | true |
188 | 25618_1 | package Machiavelli.Controllers;
import Machiavelli.Interfaces.Remotes.BeurtRemote;
import Machiavelli.Interfaces.Remotes.SpelRemote;
import Machiavelli.Interfaces.Remotes.SpelerRemote;
import java.rmi.RemoteException;
import java.rmi.server.UnicastRemoteObject;
/**
*
* Deze klasse bestuurt het model van het spel.
*
*/
public class SpelController extends UnicastRemoteObject {
private SpelerRemote speler;
private SpelRemote spel;
private BeurtRemote beurt;
private GebouwKaartController gebouwKaartController;
private SpeelveldController speelveldController;
public SpelController(SpelRemote spel) throws RemoteException {
// super(1099);
try {
this.spel = spel;
this.speler = this.spel.getSpelers().get(this.spel.getSpelers().size() - 1);
this.beurt = this.spel.getBeurt();
this.gebouwKaartController = new GebouwKaartController(this.spel, this.speler);
// Start nieuwe SpeelveldController
new SpeelveldController(this.spel, speler, this.gebouwKaartController, this.beurt);
} catch (Exception re) {
re.printStackTrace();
}
}
public GebouwKaartController getGebouwKaartController() {
return this.gebouwKaartController;
}
public SpeelveldController getSpeelveldController()
{
return this.speelveldController;
}
}
| Badmuts/Machiavelli | src/Machiavelli/Controllers/SpelController.java | 443 | // Start nieuwe SpeelveldController | line_comment | nl | package Machiavelli.Controllers;
import Machiavelli.Interfaces.Remotes.BeurtRemote;
import Machiavelli.Interfaces.Remotes.SpelRemote;
import Machiavelli.Interfaces.Remotes.SpelerRemote;
import java.rmi.RemoteException;
import java.rmi.server.UnicastRemoteObject;
/**
*
* Deze klasse bestuurt het model van het spel.
*
*/
public class SpelController extends UnicastRemoteObject {
private SpelerRemote speler;
private SpelRemote spel;
private BeurtRemote beurt;
private GebouwKaartController gebouwKaartController;
private SpeelveldController speelveldController;
public SpelController(SpelRemote spel) throws RemoteException {
// super(1099);
try {
this.spel = spel;
this.speler = this.spel.getSpelers().get(this.spel.getSpelers().size() - 1);
this.beurt = this.spel.getBeurt();
this.gebouwKaartController = new GebouwKaartController(this.spel, this.speler);
// Start nieuwe<SUF>
new SpeelveldController(this.spel, speler, this.gebouwKaartController, this.beurt);
} catch (Exception re) {
re.printStackTrace();
}
}
public GebouwKaartController getGebouwKaartController() {
return this.gebouwKaartController;
}
public SpeelveldController getSpeelveldController()
{
return this.speelveldController;
}
}
| false | 347 | 8 | 405 | 10 | 371 | 7 | 409 | 10 | 437 | 8 | false | false | false | false | false | true |
1,034 | 11151_1 | import java.lang. *;
/**
* Deze klasse is een java programma
* @author Ruben Wouters
* @version 1,5
*/
public class EersteProg_4{
public static void main(String args[])
{
System.out.println(~10);
}
/* Verklaar het resultaat:
~ duidt op een NOT operator. Deze operator inverteert elke bit van het getal.
Om in 2's complement van 10 naar -10 te gaan, kan je alle bits inverteren en dan +1
Maar de +1 doe je niet hier, dus je komt op -11 uit
*/
} | MTA-Digital-Broadcast-2/Q-Van-Schevensteen-Dries-Wouters-Ruben-Project-MHP | Ruben Wouters/blz17/EersteProg.java | 169 | /* Verklaar het resultaat:
~ duidt op een NOT operator. Deze operator inverteert elke bit van het getal.
Om in 2's complement van 10 naar -10 te gaan, kan je alle bits inverteren en dan +1
Maar de +1 doe je niet hier, dus je komt op -11 uit
*/ | block_comment | nl | import java.lang. *;
/**
* Deze klasse is een java programma
* @author Ruben Wouters
* @version 1,5
*/
public class EersteProg_4{
public static void main(String args[])
{
System.out.println(~10);
}
/* Verklaar het resultaat:<SUF>*/
} | false | 148 | 83 | 175 | 92 | 157 | 80 | 175 | 92 | 180 | 92 | false | false | false | false | false | true |
2,155 | 106820_0 | package be.intecbrussel;
import java.util.Scanner;
public class MainApp {
public static void main(String[] args) {
// Lees een bedrag in van een factuur
Scanner myScan = new Scanner(System.in);
double amount = myScan.nextDouble();
Product product = new Product(amount);
double result = product.getTotalAmount();
if (result > product.minimumExpense) {
System.out.println("the original price was: " + amount + " ,and after discount it's: " + result +
" ,total discount: " + product.discount);
} else {
System.out.println("total price: " + amount);
}
// Indien het bedrag groter is dan 5000 euro, dan wordt er een korting van 5 % toegestaan
}
} | avifeld99/exercise-berlin | src/be/intecbrussel/MainApp.java | 218 | // Lees een bedrag in van een factuur | line_comment | nl | package be.intecbrussel;
import java.util.Scanner;
public class MainApp {
public static void main(String[] args) {
// Lees een<SUF>
Scanner myScan = new Scanner(System.in);
double amount = myScan.nextDouble();
Product product = new Product(amount);
double result = product.getTotalAmount();
if (result > product.minimumExpense) {
System.out.println("the original price was: " + amount + " ,and after discount it's: " + result +
" ,total discount: " + product.discount);
} else {
System.out.println("total price: " + amount);
}
// Indien het bedrag groter is dan 5000 euro, dan wordt er een korting van 5 % toegestaan
}
} | false | 176 | 11 | 198 | 12 | 200 | 9 | 198 | 12 | 226 | 11 | false | false | false | false | false | true |
2,478 | 180031_0 | package units;
import java.util.HashSet;
import java.util.Set;
import java.util.HashMap;
public class PowerProduct implements Unit {
private HashMap<Base,Integer> powers;
private Number factor;
public PowerProduct(){
powers = new HashMap<Base,Integer>();
factor = 1;
}
public PowerProduct(Base base){
powers = new HashMap<Base,Integer>();
powers.put(base, 1);
factor = 1;
}
private PowerProduct(HashMap<Base,Integer> map){
powers = map;
factor = 1;
}
public Set<Base> bases() {
Set<Base> bases = new HashSet<Base>();
for (Base base: powers.keySet()) {
if (power(base) != 0) {
bases.add(base);
}
}
return bases;
}
public int power(Base base) {
Integer value = powers.get(base);
return (value == null ? 0 : value);
}
public Number factor() {
return factor;
}
public static Unit normal(Unit unit) {
Set<Base> bases = unit.bases();
if (unit.factor().doubleValue() == 1 && bases.size() == 1) {
Base base = (Base) bases.toArray()[0];
if (unit.power(base) == 1) {
return base;
} else {
return unit;
}
} else {
return unit;
}
}
public int hashCode() {
return powers.hashCode();
}
public boolean equals(Object other) {
if (other == this) {
return true;
}
if (! (other instanceof Unit)) {
return false;
}
Unit otherUnit = (Unit) other;
if (factor.doubleValue() != otherUnit.factor().doubleValue()) {
return false;
}
for (Base base: bases()){
if (power(base) != otherUnit.power(base)) {
return false;
}
}
for (Base base: otherUnit.bases()){
if (power(base) != otherUnit.power(base)) {
return false;
}
}
return true;
}
public Unit multiply(Number factor){
HashMap<Base,Integer> hash = new HashMap<Base,Integer>();
for (Base base: bases()){
hash.put(base, power(base));
}
PowerProduct scaled = new PowerProduct(hash);
scaled.factor = this.factor.doubleValue() * factor.doubleValue();
return scaled;
}
public Unit multiply(Unit other){
HashMap<Base,Integer> hash = new HashMap<Base,Integer>();
for (Base base: bases()){
hash.put(base, power(base));
}
for (Base base: other.bases()){
hash.put(base, other.power(base) + power(base));
}
PowerProduct multiplied = new PowerProduct(hash);
multiplied.factor = other.factor().doubleValue() * factor.doubleValue();
return multiplied;
}
public Unit raise(int power) {
HashMap<Base,Integer> hash = new HashMap<Base,Integer>();
for (Base base: bases()){
hash.put(base, power(base) * power);
}
PowerProduct raised = new PowerProduct(hash);
raised.factor = Math.pow(factor.doubleValue(), power);
return raised;
}
public Unit flat() {
Unit newUnit = new PowerProduct().multiply(factor());
for (Base base: bases()){
Unit flattened = base.flat().raise(power(base));
newUnit = newUnit.multiply(flattened);
}
return newUnit;
}
public String pprint() {
// Geen schoonheidsprijs :)
String symbolic = factor().toString();
String sep = "·";
if (factor().doubleValue() == 1) {
symbolic = ""; // to avoid the annoying 1.0 of doubles. todo: reconsider numeric type
sep = "";
}
for (Base base: bases()){
int power = power(base);
if (0 < power) {
symbolic = symbolic.concat(sep);
sep = "·";
symbolic = symbolic.concat(base.pprint());
if (power != 1) {
symbolic = symbolic.concat("^");
symbolic = symbolic.concat(Integer.toString(power));
}
}
}
sep = "/";
for (Base base: bases()){
int power = power(base);
if (power < 0) {
power = -power;
symbolic = symbolic.concat(sep);
sep = "·";
symbolic = symbolic.concat(base.pprint());
if (power != 1) {
symbolic = symbolic.concat("^");
symbolic = symbolic.concat(Integer.toString(power));
}
}
}
if (symbolic == "") {
return "1";
}
return symbolic;
}
} | cwi-swat/pacioli | java/units/src/units/PowerProduct.java | 1,367 | // Geen schoonheidsprijs :) | line_comment | nl | package units;
import java.util.HashSet;
import java.util.Set;
import java.util.HashMap;
public class PowerProduct implements Unit {
private HashMap<Base,Integer> powers;
private Number factor;
public PowerProduct(){
powers = new HashMap<Base,Integer>();
factor = 1;
}
public PowerProduct(Base base){
powers = new HashMap<Base,Integer>();
powers.put(base, 1);
factor = 1;
}
private PowerProduct(HashMap<Base,Integer> map){
powers = map;
factor = 1;
}
public Set<Base> bases() {
Set<Base> bases = new HashSet<Base>();
for (Base base: powers.keySet()) {
if (power(base) != 0) {
bases.add(base);
}
}
return bases;
}
public int power(Base base) {
Integer value = powers.get(base);
return (value == null ? 0 : value);
}
public Number factor() {
return factor;
}
public static Unit normal(Unit unit) {
Set<Base> bases = unit.bases();
if (unit.factor().doubleValue() == 1 && bases.size() == 1) {
Base base = (Base) bases.toArray()[0];
if (unit.power(base) == 1) {
return base;
} else {
return unit;
}
} else {
return unit;
}
}
public int hashCode() {
return powers.hashCode();
}
public boolean equals(Object other) {
if (other == this) {
return true;
}
if (! (other instanceof Unit)) {
return false;
}
Unit otherUnit = (Unit) other;
if (factor.doubleValue() != otherUnit.factor().doubleValue()) {
return false;
}
for (Base base: bases()){
if (power(base) != otherUnit.power(base)) {
return false;
}
}
for (Base base: otherUnit.bases()){
if (power(base) != otherUnit.power(base)) {
return false;
}
}
return true;
}
public Unit multiply(Number factor){
HashMap<Base,Integer> hash = new HashMap<Base,Integer>();
for (Base base: bases()){
hash.put(base, power(base));
}
PowerProduct scaled = new PowerProduct(hash);
scaled.factor = this.factor.doubleValue() * factor.doubleValue();
return scaled;
}
public Unit multiply(Unit other){
HashMap<Base,Integer> hash = new HashMap<Base,Integer>();
for (Base base: bases()){
hash.put(base, power(base));
}
for (Base base: other.bases()){
hash.put(base, other.power(base) + power(base));
}
PowerProduct multiplied = new PowerProduct(hash);
multiplied.factor = other.factor().doubleValue() * factor.doubleValue();
return multiplied;
}
public Unit raise(int power) {
HashMap<Base,Integer> hash = new HashMap<Base,Integer>();
for (Base base: bases()){
hash.put(base, power(base) * power);
}
PowerProduct raised = new PowerProduct(hash);
raised.factor = Math.pow(factor.doubleValue(), power);
return raised;
}
public Unit flat() {
Unit newUnit = new PowerProduct().multiply(factor());
for (Base base: bases()){
Unit flattened = base.flat().raise(power(base));
newUnit = newUnit.multiply(flattened);
}
return newUnit;
}
public String pprint() {
// Geen schoonheidsprijs<SUF>
String symbolic = factor().toString();
String sep = "·";
if (factor().doubleValue() == 1) {
symbolic = ""; // to avoid the annoying 1.0 of doubles. todo: reconsider numeric type
sep = "";
}
for (Base base: bases()){
int power = power(base);
if (0 < power) {
symbolic = symbolic.concat(sep);
sep = "·";
symbolic = symbolic.concat(base.pprint());
if (power != 1) {
symbolic = symbolic.concat("^");
symbolic = symbolic.concat(Integer.toString(power));
}
}
}
sep = "/";
for (Base base: bases()){
int power = power(base);
if (power < 0) {
power = -power;
symbolic = symbolic.concat(sep);
sep = "·";
symbolic = symbolic.concat(base.pprint());
if (power != 1) {
symbolic = symbolic.concat("^");
symbolic = symbolic.concat(Integer.toString(power));
}
}
}
if (symbolic == "") {
return "1";
}
return symbolic;
}
} | false | 1,057 | 10 | 1,277 | 12 | 1,272 | 8 | 1,273 | 12 | 1,554 | 10 | false | false | false | false | false | true |
1,518 | 22110_3 | package fontys.observer;
import java.beans.*;
import java.rmi.RemoteException;
import java.util.*;
import java.util.logging.Level;
import java.util.logging.Logger;
/**
* <p>Title: </p>
*
* <p>Description: </p>
*
* <p>Copyright: Copyright (c) 2010</p>
*
* <p>Company: Fontys Hogeschool ICT</p>
*
* @author Frank Peeters
* @version 1.4 Usage of Publisher-interface is removed because this interface is
* Remote and objects of this class work locally within the same virtual
* machine;
*/
public class BasicPublisher implements RemotePublisher {
/**
* de listeners die onder de null-String staan geregistreerd zijn listeners
* die op alle properties zijn geabonneerd
*/
private HashMap<String, Set<RemotePropertyListener>> listenersTable;
/**
* als een listener zich bij een onbekende property registreert wordt de
* lijst met bekende properties in een RuntimeException meegegeven (zie
* codering checkInBehalfOfProgrammer)
*/
private String propertiesString;
/**
* er wordt een basicpublisher gecreeerd die voor de meegegeven properties
* remote propertylisteners kan registeren en hen op de hoogte zal houden in
* geval van wijziging; de basicpublisher houdt ook een lijstje met remote
* propertylisteners bij die zich op alle properties hebben geabonneerd.
*
* @param properties
*/
public BasicPublisher(String[] properties) {
listenersTable = new HashMap<>();
listenersTable.put(null, new HashSet<>());
for (String s : properties) {
listenersTable.put(s, new HashSet<>());
}
setPropertiesString();
}
/**
* listener abonneert zich op PropertyChangeEvent's zodra property is
* gewijzigd
*
* @param listener
* @param property mag null zijn, dan abonneert listener zich op alle
* properties; property moet wel een eigenschap zijn waarop je je kunt
* abonneren
*/
@Override
public void addListener(RemotePropertyListener listener, String property) {
checkInBehalfOfProgrammer(property);
listenersTable.get(property).add(listener);
}
/**
* het abonnement van listener voor PropertyChangeEvent's mbt property wordt
* opgezegd
*
* @param listener PropertyListener
* @param property mag null zijn, dan worden alle abonnementen van listener
* opgezegd
*/
@Override
public void removeListener(RemotePropertyListener listener, String property) {
if (property != null) {
Set<RemotePropertyListener> propertyListeners = listenersTable.get(property);
if (propertyListeners != null) {
propertyListeners.remove(listener);
listenersTable.get(null).remove(listener);
}
} else { //property == null, dus alle abonnementen van listener verwijderen
Set<String> keyset = listenersTable.keySet();
for (String key : keyset) {
listenersTable.get(key).remove(listener);
}
}
}
/**
* alle listeners voor property en de listeners met een algemeen abonnement
* krijgen een aanroep van propertyChange
*
* @param source de publisher
* @param property een geregistreerde eigenschap van de publisher (null is
* toegestaan, in dat geval krijgen alle listeners een aanroep van
* propertyChange)
* @param oldValue oorspronkelijke waarde van de property van de publisher
* (mag null zijn)
* @param newValue nieuwe waarde van de property van de publisher
*/
public void inform(Object source, String property, Object oldValue, Object newValue) {
checkInBehalfOfProgrammer(property);
Set<RemotePropertyListener> alertable;
alertable = listenersTable.get(property);
if (property != null) {
alertable.addAll(listenersTable.get(null));
} else {
Set<String> keyset = listenersTable.keySet();
for (String key : keyset) {
alertable.addAll(listenersTable.get(key));
}
}
for (RemotePropertyListener listener : alertable) {
PropertyChangeEvent evt = new PropertyChangeEvent(
source, property, oldValue, newValue);
try {
listener.propertyChange(evt);
} catch (RemoteException ex) {
removeListener(listener, null);
Logger.getLogger(BasicPublisher.class.getName()).log(Level.SEVERE, null, ex);
break;
}
}
}
/**
* property wordt alsnog bij publisher geregistreerd; voortaan kunnen alle
* propertylisteners zich op wijziging van deze property abonneren; als
* property al bij deze basicpublisher bekend is, verandert er niets
*
* @param property niet de lege string
*/
public void addProperty(String property) {
if (property.equals("")) {
throw new RuntimeException("a property cannot be an empty string");
}
if (listenersTable.containsKey(property)) {
return;
}
listenersTable.put(property, new HashSet<RemotePropertyListener>());
setPropertiesString();
}
/**
* property wordt bij publisher gederegistreerd; alle propertylisteners die
* zich op wijziging van deze property hadden geabonneerd worden voortaan
* niet meer op de hoogte gehouden; als property=null worden alle properties
* (ongelijk aan null) gederegistreerd;
*
* @param property is geregistreerde property bij deze basicpublisher
*/
public void removeProperty(String property) {
checkInBehalfOfProgrammer(property);
if (property != null) {
listenersTable.remove(property);
} else {
Set<String> keyset = listenersTable.keySet();
for (String key : keyset) {
if (key != null) {
listenersTable.remove(key);
}
}
}
setPropertiesString();
}
private void setPropertiesString() {
StringBuilder sb = new StringBuilder();
sb.append("{ ");
Iterator<String> it = listenersTable.keySet().iterator();
sb.append(it.next());
while (it.hasNext()) {
sb.append(", ").append(it.next());
}
sb.append(" }");
propertiesString = sb.toString();
}
private void checkInBehalfOfProgrammer(String property)
throws RuntimeException {
if (!listenersTable.containsKey(property)) {
throw new RuntimeException("property " + property + " is not a "
+ "published property, please make a choice out of: "
+ propertiesString);
}
}
/**
*
* @return alle properties inclusief de null-property
*/
public Iterator<String> getProperties() {
return listenersTable.keySet().iterator();
}
}
| SHEePYTaGGeRNeP/ProftaakS32B | BreakingPong/src/fontys/observer/BasicPublisher.java | 1,859 | /**
* er wordt een basicpublisher gecreeerd die voor de meegegeven properties
* remote propertylisteners kan registeren en hen op de hoogte zal houden in
* geval van wijziging; de basicpublisher houdt ook een lijstje met remote
* propertylisteners bij die zich op alle properties hebben geabonneerd.
*
* @param properties
*/ | block_comment | nl | package fontys.observer;
import java.beans.*;
import java.rmi.RemoteException;
import java.util.*;
import java.util.logging.Level;
import java.util.logging.Logger;
/**
* <p>Title: </p>
*
* <p>Description: </p>
*
* <p>Copyright: Copyright (c) 2010</p>
*
* <p>Company: Fontys Hogeschool ICT</p>
*
* @author Frank Peeters
* @version 1.4 Usage of Publisher-interface is removed because this interface is
* Remote and objects of this class work locally within the same virtual
* machine;
*/
public class BasicPublisher implements RemotePublisher {
/**
* de listeners die onder de null-String staan geregistreerd zijn listeners
* die op alle properties zijn geabonneerd
*/
private HashMap<String, Set<RemotePropertyListener>> listenersTable;
/**
* als een listener zich bij een onbekende property registreert wordt de
* lijst met bekende properties in een RuntimeException meegegeven (zie
* codering checkInBehalfOfProgrammer)
*/
private String propertiesString;
/**
* er wordt een<SUF>*/
public BasicPublisher(String[] properties) {
listenersTable = new HashMap<>();
listenersTable.put(null, new HashSet<>());
for (String s : properties) {
listenersTable.put(s, new HashSet<>());
}
setPropertiesString();
}
/**
* listener abonneert zich op PropertyChangeEvent's zodra property is
* gewijzigd
*
* @param listener
* @param property mag null zijn, dan abonneert listener zich op alle
* properties; property moet wel een eigenschap zijn waarop je je kunt
* abonneren
*/
@Override
public void addListener(RemotePropertyListener listener, String property) {
checkInBehalfOfProgrammer(property);
listenersTable.get(property).add(listener);
}
/**
* het abonnement van listener voor PropertyChangeEvent's mbt property wordt
* opgezegd
*
* @param listener PropertyListener
* @param property mag null zijn, dan worden alle abonnementen van listener
* opgezegd
*/
@Override
public void removeListener(RemotePropertyListener listener, String property) {
if (property != null) {
Set<RemotePropertyListener> propertyListeners = listenersTable.get(property);
if (propertyListeners != null) {
propertyListeners.remove(listener);
listenersTable.get(null).remove(listener);
}
} else { //property == null, dus alle abonnementen van listener verwijderen
Set<String> keyset = listenersTable.keySet();
for (String key : keyset) {
listenersTable.get(key).remove(listener);
}
}
}
/**
* alle listeners voor property en de listeners met een algemeen abonnement
* krijgen een aanroep van propertyChange
*
* @param source de publisher
* @param property een geregistreerde eigenschap van de publisher (null is
* toegestaan, in dat geval krijgen alle listeners een aanroep van
* propertyChange)
* @param oldValue oorspronkelijke waarde van de property van de publisher
* (mag null zijn)
* @param newValue nieuwe waarde van de property van de publisher
*/
public void inform(Object source, String property, Object oldValue, Object newValue) {
checkInBehalfOfProgrammer(property);
Set<RemotePropertyListener> alertable;
alertable = listenersTable.get(property);
if (property != null) {
alertable.addAll(listenersTable.get(null));
} else {
Set<String> keyset = listenersTable.keySet();
for (String key : keyset) {
alertable.addAll(listenersTable.get(key));
}
}
for (RemotePropertyListener listener : alertable) {
PropertyChangeEvent evt = new PropertyChangeEvent(
source, property, oldValue, newValue);
try {
listener.propertyChange(evt);
} catch (RemoteException ex) {
removeListener(listener, null);
Logger.getLogger(BasicPublisher.class.getName()).log(Level.SEVERE, null, ex);
break;
}
}
}
/**
* property wordt alsnog bij publisher geregistreerd; voortaan kunnen alle
* propertylisteners zich op wijziging van deze property abonneren; als
* property al bij deze basicpublisher bekend is, verandert er niets
*
* @param property niet de lege string
*/
public void addProperty(String property) {
if (property.equals("")) {
throw new RuntimeException("a property cannot be an empty string");
}
if (listenersTable.containsKey(property)) {
return;
}
listenersTable.put(property, new HashSet<RemotePropertyListener>());
setPropertiesString();
}
/**
* property wordt bij publisher gederegistreerd; alle propertylisteners die
* zich op wijziging van deze property hadden geabonneerd worden voortaan
* niet meer op de hoogte gehouden; als property=null worden alle properties
* (ongelijk aan null) gederegistreerd;
*
* @param property is geregistreerde property bij deze basicpublisher
*/
public void removeProperty(String property) {
checkInBehalfOfProgrammer(property);
if (property != null) {
listenersTable.remove(property);
} else {
Set<String> keyset = listenersTable.keySet();
for (String key : keyset) {
if (key != null) {
listenersTable.remove(key);
}
}
}
setPropertiesString();
}
private void setPropertiesString() {
StringBuilder sb = new StringBuilder();
sb.append("{ ");
Iterator<String> it = listenersTable.keySet().iterator();
sb.append(it.next());
while (it.hasNext()) {
sb.append(", ").append(it.next());
}
sb.append(" }");
propertiesString = sb.toString();
}
private void checkInBehalfOfProgrammer(String property)
throws RuntimeException {
if (!listenersTable.containsKey(property)) {
throw new RuntimeException("property " + property + " is not a "
+ "published property, please make a choice out of: "
+ propertiesString);
}
}
/**
*
* @return alle properties inclusief de null-property
*/
public Iterator<String> getProperties() {
return listenersTable.keySet().iterator();
}
}
| false | 1,506 | 89 | 1,608 | 95 | 1,671 | 82 | 1,608 | 95 | 1,869 | 97 | false | false | false | false | false | true |
2,896 | 25973_3 | package treeTraversal;_x000D_
_x000D_
// Klasse voor een knoop voor een binaire boom_x000D_
// Met boomwandelingen pre-order en level-order_x000D_
import java.util.*;_x000D_
_x000D_
public class BinNode<E> {_x000D_
_x000D_
private BinNode<E> parent, leftChild, rightChild;_x000D_
private E userObject;_x000D_
private static StringBuffer buffer;_x000D_
private Queue<BinNode<E>> q; // queue voor level-order wandeling_x000D_
_x000D_
public static final int LEFT = 0; // public constanten voor het _x000D_
public static final int RIGHT = 1; // toevoegen van linker- of rechterkind_x000D_
_x000D_
// Constructors_x000D_
public BinNode() {_x000D_
this(null);_x000D_
}_x000D_
_x000D_
public BinNode(E userObject) {_x000D_
parent = null;_x000D_
leftChild = null;_x000D_
rightChild = null;_x000D_
this.userObject = userObject;_x000D_
}_x000D_
_x000D_
public String preOrderToString() {_x000D_
buffer = new StringBuffer();_x000D_
preOrder(); // roep recursieve methode aan_x000D_
return buffer.toString();_x000D_
}_x000D_
_x000D_
private void preOrder() {_x000D_
buffer.append(userObject.toString()); //bezoek van de node_x000D_
if (leftChild != null) {_x000D_
leftChild.preOrder();_x000D_
}_x000D_
if (rightChild != null) {_x000D_
rightChild.preOrder();_x000D_
}_x000D_
}_x000D_
_x000D_
public String postOrderToString() {_x000D_
buffer = new StringBuffer();_x000D_
postOrder(); // roep recursieve methode aan_x000D_
return buffer.toString();_x000D_
}_x000D_
_x000D_
private void postOrder() {_x000D_
if (leftChild != null) {_x000D_
leftChild.postOrder();_x000D_
}_x000D_
if (rightChild != null) {_x000D_
rightChild.postOrder();_x000D_
}_x000D_
buffer.append(userObject.toString());_x000D_
}_x000D_
_x000D_
public String inOrderToString() {_x000D_
buffer = new StringBuffer();_x000D_
inOrder(); // roep recursieve methode aan_x000D_
return buffer.toString();_x000D_
}_x000D_
_x000D_
private void inOrder() {_x000D_
if (leftChild != null) {_x000D_
leftChild.inOrder();_x000D_
}_x000D_
buffer.append(userObject.toString());_x000D_
if (rightChild != null) {_x000D_
rightChild.inOrder();_x000D_
}_x000D_
}_x000D_
_x000D_
public String levelOrderToString() {_x000D_
buffer = new StringBuffer();_x000D_
q = new LinkedList<BinNode<E>>();_x000D_
q.add(this);_x000D_
levelOrder();_x000D_
return buffer.toString();_x000D_
}_x000D_
_x000D_
private void levelOrder() {_x000D_
while (!q.isEmpty()) {_x000D_
BinNode<E> knoop = q.remove();_x000D_
buffer.append(knoop.userObject.toString());_x000D_
if (knoop.leftChild != null) {_x000D_
q.add(knoop.leftChild);_x000D_
}_x000D_
if (knoop.rightChild != null) {_x000D_
q.add(knoop.rightChild);_x000D_
}_x000D_
}_x000D_
}_x000D_
_x000D_
public void add(BinNode<E> newChild) {_x000D_
if (leftChild == null) {_x000D_
insert(newChild, LEFT);_x000D_
} else if (rightChild == null) {_x000D_
insert(newChild, RIGHT);_x000D_
} else {_x000D_
throw new IllegalArgumentException(_x000D_
"Meer dan 2 kinderen");_x000D_
}_x000D_
}_x000D_
_x000D_
public E get() {_x000D_
return userObject;_x000D_
}_x000D_
_x000D_
public BinNode<E> getLeftChild() {_x000D_
return leftChild;_x000D_
}_x000D_
_x000D_
public BinNode<E> getRightChild() {_x000D_
return rightChild;_x000D_
}_x000D_
_x000D_
public BinNode<E> getParent() {_x000D_
return parent;_x000D_
}_x000D_
_x000D_
public void insert(BinNode<E> newChild, int childIndex) {_x000D_
if (isAncestor(newChild)) {_x000D_
throw new IllegalArgumentException(_x000D_
"Nieuw kind is voorouder");_x000D_
}_x000D_
if (childIndex != LEFT_x000D_
&& childIndex != RIGHT) {_x000D_
throw new IllegalArgumentException(_x000D_
"Index moet 0 of 1 zijn");_x000D_
}_x000D_
if (newChild != null) {_x000D_
BinNode<E> oldParent = newChild.getParent();_x000D_
if (oldParent != null) {_x000D_
oldParent.remove(newChild);_x000D_
}_x000D_
}_x000D_
newChild.parent = this;_x000D_
if (childIndex == LEFT) {_x000D_
leftChild = newChild;_x000D_
} else {_x000D_
rightChild = newChild;_x000D_
}_x000D_
}_x000D_
_x000D_
public boolean isChild(BinNode<E> aNode) {_x000D_
return aNode == null_x000D_
? false_x000D_
: aNode.getParent() == this;_x000D_
}_x000D_
_x000D_
public boolean isAncestor(BinNode<E> aNode) {_x000D_
BinNode<E> ancestor = this;_x000D_
while (ancestor != null && ancestor != aNode) {_x000D_
ancestor = ancestor.getParent();_x000D_
}_x000D_
return ancestor != null;_x000D_
}_x000D_
_x000D_
public void remove(BinNode<E> aChild) {_x000D_
if (aChild == null) {_x000D_
throw new IllegalArgumentException(_x000D_
"Argument is null");_x000D_
}_x000D_
_x000D_
if (!isChild(aChild)) {_x000D_
throw new IllegalArgumentException(_x000D_
"Argument is geen kind");_x000D_
}_x000D_
_x000D_
if (aChild == leftChild) {_x000D_
leftChild.parent = null;_x000D_
leftChild = null;_x000D_
} else {_x000D_
rightChild.parent = null;_x000D_
rightChild = null;_x000D_
}_x000D_
}_x000D_
_x000D_
public String toString() {_x000D_
return userObject.toString();_x000D_
}_x000D_
}_x000D_
| hanbioinformatica/owe6a | Week4_Trees/src/treeTraversal/BinNode.java | 1,407 | // public constanten voor het _x000D_ | line_comment | nl | package treeTraversal;_x000D_
_x000D_
// Klasse voor een knoop voor een binaire boom_x000D_
// Met boomwandelingen pre-order en level-order_x000D_
import java.util.*;_x000D_
_x000D_
public class BinNode<E> {_x000D_
_x000D_
private BinNode<E> parent, leftChild, rightChild;_x000D_
private E userObject;_x000D_
private static StringBuffer buffer;_x000D_
private Queue<BinNode<E>> q; // queue voor level-order wandeling_x000D_
_x000D_
public static final int LEFT = 0; // public constanten<SUF>
public static final int RIGHT = 1; // toevoegen van linker- of rechterkind_x000D_
_x000D_
// Constructors_x000D_
public BinNode() {_x000D_
this(null);_x000D_
}_x000D_
_x000D_
public BinNode(E userObject) {_x000D_
parent = null;_x000D_
leftChild = null;_x000D_
rightChild = null;_x000D_
this.userObject = userObject;_x000D_
}_x000D_
_x000D_
public String preOrderToString() {_x000D_
buffer = new StringBuffer();_x000D_
preOrder(); // roep recursieve methode aan_x000D_
return buffer.toString();_x000D_
}_x000D_
_x000D_
private void preOrder() {_x000D_
buffer.append(userObject.toString()); //bezoek van de node_x000D_
if (leftChild != null) {_x000D_
leftChild.preOrder();_x000D_
}_x000D_
if (rightChild != null) {_x000D_
rightChild.preOrder();_x000D_
}_x000D_
}_x000D_
_x000D_
public String postOrderToString() {_x000D_
buffer = new StringBuffer();_x000D_
postOrder(); // roep recursieve methode aan_x000D_
return buffer.toString();_x000D_
}_x000D_
_x000D_
private void postOrder() {_x000D_
if (leftChild != null) {_x000D_
leftChild.postOrder();_x000D_
}_x000D_
if (rightChild != null) {_x000D_
rightChild.postOrder();_x000D_
}_x000D_
buffer.append(userObject.toString());_x000D_
}_x000D_
_x000D_
public String inOrderToString() {_x000D_
buffer = new StringBuffer();_x000D_
inOrder(); // roep recursieve methode aan_x000D_
return buffer.toString();_x000D_
}_x000D_
_x000D_
private void inOrder() {_x000D_
if (leftChild != null) {_x000D_
leftChild.inOrder();_x000D_
}_x000D_
buffer.append(userObject.toString());_x000D_
if (rightChild != null) {_x000D_
rightChild.inOrder();_x000D_
}_x000D_
}_x000D_
_x000D_
public String levelOrderToString() {_x000D_
buffer = new StringBuffer();_x000D_
q = new LinkedList<BinNode<E>>();_x000D_
q.add(this);_x000D_
levelOrder();_x000D_
return buffer.toString();_x000D_
}_x000D_
_x000D_
private void levelOrder() {_x000D_
while (!q.isEmpty()) {_x000D_
BinNode<E> knoop = q.remove();_x000D_
buffer.append(knoop.userObject.toString());_x000D_
if (knoop.leftChild != null) {_x000D_
q.add(knoop.leftChild);_x000D_
}_x000D_
if (knoop.rightChild != null) {_x000D_
q.add(knoop.rightChild);_x000D_
}_x000D_
}_x000D_
}_x000D_
_x000D_
public void add(BinNode<E> newChild) {_x000D_
if (leftChild == null) {_x000D_
insert(newChild, LEFT);_x000D_
} else if (rightChild == null) {_x000D_
insert(newChild, RIGHT);_x000D_
} else {_x000D_
throw new IllegalArgumentException(_x000D_
"Meer dan 2 kinderen");_x000D_
}_x000D_
}_x000D_
_x000D_
public E get() {_x000D_
return userObject;_x000D_
}_x000D_
_x000D_
public BinNode<E> getLeftChild() {_x000D_
return leftChild;_x000D_
}_x000D_
_x000D_
public BinNode<E> getRightChild() {_x000D_
return rightChild;_x000D_
}_x000D_
_x000D_
public BinNode<E> getParent() {_x000D_
return parent;_x000D_
}_x000D_
_x000D_
public void insert(BinNode<E> newChild, int childIndex) {_x000D_
if (isAncestor(newChild)) {_x000D_
throw new IllegalArgumentException(_x000D_
"Nieuw kind is voorouder");_x000D_
}_x000D_
if (childIndex != LEFT_x000D_
&& childIndex != RIGHT) {_x000D_
throw new IllegalArgumentException(_x000D_
"Index moet 0 of 1 zijn");_x000D_
}_x000D_
if (newChild != null) {_x000D_
BinNode<E> oldParent = newChild.getParent();_x000D_
if (oldParent != null) {_x000D_
oldParent.remove(newChild);_x000D_
}_x000D_
}_x000D_
newChild.parent = this;_x000D_
if (childIndex == LEFT) {_x000D_
leftChild = newChild;_x000D_
} else {_x000D_
rightChild = newChild;_x000D_
}_x000D_
}_x000D_
_x000D_
public boolean isChild(BinNode<E> aNode) {_x000D_
return aNode == null_x000D_
? false_x000D_
: aNode.getParent() == this;_x000D_
}_x000D_
_x000D_
public boolean isAncestor(BinNode<E> aNode) {_x000D_
BinNode<E> ancestor = this;_x000D_
while (ancestor != null && ancestor != aNode) {_x000D_
ancestor = ancestor.getParent();_x000D_
}_x000D_
return ancestor != null;_x000D_
}_x000D_
_x000D_
public void remove(BinNode<E> aChild) {_x000D_
if (aChild == null) {_x000D_
throw new IllegalArgumentException(_x000D_
"Argument is null");_x000D_
}_x000D_
_x000D_
if (!isChild(aChild)) {_x000D_
throw new IllegalArgumentException(_x000D_
"Argument is geen kind");_x000D_
}_x000D_
_x000D_
if (aChild == leftChild) {_x000D_
leftChild.parent = null;_x000D_
leftChild = null;_x000D_
} else {_x000D_
rightChild.parent = null;_x000D_
rightChild = null;_x000D_
}_x000D_
}_x000D_
_x000D_
public String toString() {_x000D_
return userObject.toString();_x000D_
}_x000D_
}_x000D_
| false | 2,260 | 13 | 2,384 | 13 | 2,501 | 13 | 2,384 | 13 | 2,666 | 13 | false | false | false | false | false | true |
4,490 | 69088_0 | import domain.*;
import org.hibernate.HibernateException;
import org.hibernate.Session;
import org.hibernate.SessionFactory;
import org.hibernate.cfg.Configuration;
import org.hibernate.query.Query;
import javax.persistence.metamodel.EntityType;
import javax.persistence.metamodel.Metamodel;
import java.sql.SQLException;
import java.util.List;
/**
* Testklasse - deze klasse test alle andere klassen in deze package.
*
* System.out.println() is alleen in deze klasse toegestaan (behalve voor exceptions).
*
* @author [email protected]
*/
public class Main {
// Creëer een factory voor Hibernate sessions.
private static final SessionFactory factory;
static {
try {
// Create a Hibernate session factory
factory = new Configuration().configure().buildSessionFactory();
} catch (Throwable ex) {
throw new ExceptionInInitializerError(ex);
}
}
/**
* Retouneer een Hibernate session.
*
* @return Hibernate session
* @throws HibernateException
*/
private static Session getSession() throws HibernateException {
return factory.openSession();
}
public static void main(String[] args) throws SQLException {
testDAOHibernate();
}
/**
* P6. Haal alle (geannoteerde) entiteiten uit de database.
*/
private static void testFetchAll() {
Session session = getSession();
try {
Metamodel metamodel = session.getSessionFactory().getMetamodel();
for (EntityType<?> entityType : metamodel.getEntities()) {
Query query = session.createQuery("from " + entityType.getName());
System.out.println("[Test] Alle objecten van type " + entityType.getName() + " uit database:");
for (Object o : query.list()) {
System.out.println(" " + o);
}
System.out.println();
}
} finally {
session.close();
}
}
public static void testDAOHibernate() {
AdresDAOHibernate adao = new AdresDAOHibernate(getSession());
ReizigerDAOHibernate rdao = new ReizigerDAOHibernate(getSession());
OVChipkaartDAOHibernate odao = new OVChipkaartDAOHibernate(getSession());
ProductDAOHibernate pdao = new ProductDAOHibernate(getSession());
Reiziger reiziger = new Reiziger(15, "M", "", "Dol", java.sql.Date.valueOf("2001-02-03"));
Adres adres = new Adres(15, "2968GB", "15", "Waal", "Waal", 15);
OVChipkaart ovChipkaart = new OVChipkaart(11115, java.sql.Date.valueOf("2029-09-10"), 3, 1010.10f, 15);
Product product = new Product(15, "TEST DP7", "TEST PRODUCT VOOR DP7", 10.00f);
System.out.println("------ REIZIGER -----");
System.out.println("--- save + findAll ---");
System.out.println(rdao.findAll());
rdao.save(reiziger);
System.out.println(rdao.findAll());
System.out.println("--- update + findById ---");
System.out.println(rdao.findById(reiziger.getId()));
System.out.println("\n\n------ ADRES -----");
System.out.println("--- save + findAll ---");
System.out.println(adao.findAll());
adao.save(adres);
System.out.println(adao.findAll());
System.out.println("--- update + findByReiziger ---");
adres.setHuisnummer("15a");
adao.update(adres);
System.out.println(adao.findByReiziger(reiziger));
System.out.println("--- delete ---");
adao.delete(adres);
System.out.println(adao.findAll());
System.out.println("\n\n------ PRODUCT -----");
System.out.println("--- save + findAll ---");
System.out.println(pdao.findAll());
pdao.save(product);
System.out.println(pdao.findAll());
System.out.println("--- update ---");
product.setPrijs(20.00f);
System.out.println(pdao.findAll());
System.out.println("\n\n------ OVCHIPKAART + findByReiziger -----");
System.out.println("--- save ---");
odao.save(ovChipkaart);
System.out.println(odao.findByReiziger(reiziger));
System.out.println("--- update ---");
ovChipkaart.setSaldo(2020.20f);
odao.update(ovChipkaart);
System.out.println(odao.findByReiziger(reiziger));
// System.out.println("--- wijs product toe ---");
// ovChipkaart.getProductList().add(product);
// odao.update(ovChipkaart);
// System.out.println(odao.findByReiziger(reiziger));
System.out.println("\n\n----- DELETE ALLE -----");
System.out.println("--- delete ovchipkaart ---");
odao.delete(ovChipkaart);
System.out.println("--- delete product ---");
pdao.delete(product);
System.out.println(pdao.findAll());
System.out.println("---- delete reiziger ----");
rdao.delete(reiziger);
System.out.println(rdao.findById(reiziger.getId()));
}
}
| thijmon/hibernateDAO | src/main/java/Main.java | 1,592 | /**
* Testklasse - deze klasse test alle andere klassen in deze package.
*
* System.out.println() is alleen in deze klasse toegestaan (behalve voor exceptions).
*
* @author [email protected]
*/ | block_comment | nl | import domain.*;
import org.hibernate.HibernateException;
import org.hibernate.Session;
import org.hibernate.SessionFactory;
import org.hibernate.cfg.Configuration;
import org.hibernate.query.Query;
import javax.persistence.metamodel.EntityType;
import javax.persistence.metamodel.Metamodel;
import java.sql.SQLException;
import java.util.List;
/**
* Testklasse - deze<SUF>*/
public class Main {
// Creëer een factory voor Hibernate sessions.
private static final SessionFactory factory;
static {
try {
// Create a Hibernate session factory
factory = new Configuration().configure().buildSessionFactory();
} catch (Throwable ex) {
throw new ExceptionInInitializerError(ex);
}
}
/**
* Retouneer een Hibernate session.
*
* @return Hibernate session
* @throws HibernateException
*/
private static Session getSession() throws HibernateException {
return factory.openSession();
}
public static void main(String[] args) throws SQLException {
testDAOHibernate();
}
/**
* P6. Haal alle (geannoteerde) entiteiten uit de database.
*/
private static void testFetchAll() {
Session session = getSession();
try {
Metamodel metamodel = session.getSessionFactory().getMetamodel();
for (EntityType<?> entityType : metamodel.getEntities()) {
Query query = session.createQuery("from " + entityType.getName());
System.out.println("[Test] Alle objecten van type " + entityType.getName() + " uit database:");
for (Object o : query.list()) {
System.out.println(" " + o);
}
System.out.println();
}
} finally {
session.close();
}
}
public static void testDAOHibernate() {
AdresDAOHibernate adao = new AdresDAOHibernate(getSession());
ReizigerDAOHibernate rdao = new ReizigerDAOHibernate(getSession());
OVChipkaartDAOHibernate odao = new OVChipkaartDAOHibernate(getSession());
ProductDAOHibernate pdao = new ProductDAOHibernate(getSession());
Reiziger reiziger = new Reiziger(15, "M", "", "Dol", java.sql.Date.valueOf("2001-02-03"));
Adres adres = new Adres(15, "2968GB", "15", "Waal", "Waal", 15);
OVChipkaart ovChipkaart = new OVChipkaart(11115, java.sql.Date.valueOf("2029-09-10"), 3, 1010.10f, 15);
Product product = new Product(15, "TEST DP7", "TEST PRODUCT VOOR DP7", 10.00f);
System.out.println("------ REIZIGER -----");
System.out.println("--- save + findAll ---");
System.out.println(rdao.findAll());
rdao.save(reiziger);
System.out.println(rdao.findAll());
System.out.println("--- update + findById ---");
System.out.println(rdao.findById(reiziger.getId()));
System.out.println("\n\n------ ADRES -----");
System.out.println("--- save + findAll ---");
System.out.println(adao.findAll());
adao.save(adres);
System.out.println(adao.findAll());
System.out.println("--- update + findByReiziger ---");
adres.setHuisnummer("15a");
adao.update(adres);
System.out.println(adao.findByReiziger(reiziger));
System.out.println("--- delete ---");
adao.delete(adres);
System.out.println(adao.findAll());
System.out.println("\n\n------ PRODUCT -----");
System.out.println("--- save + findAll ---");
System.out.println(pdao.findAll());
pdao.save(product);
System.out.println(pdao.findAll());
System.out.println("--- update ---");
product.setPrijs(20.00f);
System.out.println(pdao.findAll());
System.out.println("\n\n------ OVCHIPKAART + findByReiziger -----");
System.out.println("--- save ---");
odao.save(ovChipkaart);
System.out.println(odao.findByReiziger(reiziger));
System.out.println("--- update ---");
ovChipkaart.setSaldo(2020.20f);
odao.update(ovChipkaart);
System.out.println(odao.findByReiziger(reiziger));
// System.out.println("--- wijs product toe ---");
// ovChipkaart.getProductList().add(product);
// odao.update(ovChipkaart);
// System.out.println(odao.findByReiziger(reiziger));
System.out.println("\n\n----- DELETE ALLE -----");
System.out.println("--- delete ovchipkaart ---");
odao.delete(ovChipkaart);
System.out.println("--- delete product ---");
pdao.delete(product);
System.out.println(pdao.findAll());
System.out.println("---- delete reiziger ----");
rdao.delete(reiziger);
System.out.println(rdao.findById(reiziger.getId()));
}
}
| false | 1,135 | 56 | 1,355 | 65 | 1,382 | 58 | 1,355 | 65 | 1,592 | 66 | false | false | false | false | false | true |
779 | 23529_0 | package usb14.themeCourse.ee.application;
import java.util.SortedMap;
import java.util.TreeMap;
import usb14.themeCourse.ee.framework.Appliance;
import usb14.themeCourse.ee.framework.Controller;
import usb14.themeCourse.ee.framework.CostFunction;
public class Fridge extends Appliance{
public enum State {
ON, OFF
}
private State state;
private double temp;
private int time;
private int currentPrice;
private final int usage = 200;
private final int maxCost = CostFunction.MAX_COST;
// Constructor
public Fridge(String name) {
super(name);
this.state = State.OFF;
this.temp = 4;
this.time = 0;
SortedMap<Integer, Integer> function = new TreeMap<Integer, Integer>();
function.put(usage, 0);
super.setCostFunction(new CostFunction(function));
updateCostFunction();
}
// Queries
@Override
public int getCurrentUsage() {
return super.getCostFunction().getDemandByCost(currentPrice);
}
public State getState() {
return state;
}
public double getTemp(){
return temp;
}
// Commands
private void updateCostFunction(){
int cost;
if(time > 0 && time < 20)
cost = maxCost;
else
// Met deze functie zou de temperatuur tussen 3 en 7 graden moeten schommelen.
// Bij een prijs van 500 blijkt het tussen de 4 en 5 te blijven, dus er is wat
// marge om warmer of kouder te worden bij een hogere of lagere energieprijs.
cost = (int) Math.round(((temp-3.0)/4.0) * (float)maxCost);
if (cost < 0 ) cost = 0;
super.getCostFunction().updateCostForDemand(cost, usage);
}
@Override
public void updateState(){
int t = Controller.getInstance().getIntervalDuration();
// update temperature and time running
if(this.state == State.ON){
temp -= 0.05*t;
this.time += t;
} else {
temp += 0.025*t;
this.time = 0;
}
// update costfunction based on the new temperature and time running
this.updateCostFunction();
}
@Override
public void updatePrice(int price){
this.currentPrice = price;
// update state based on the current price
if(getCurrentUsage() == 0)
this.state = State.OFF;
else
this.state = State.ON;
setChanged();
notifyObservers();
}
}
| JElsinga/ThemeCourse | Framework/src/usb14/themeCourse/ee/application/Fridge.java | 774 | // Met deze functie zou de temperatuur tussen 3 en 7 graden moeten schommelen. | line_comment | nl | package usb14.themeCourse.ee.application;
import java.util.SortedMap;
import java.util.TreeMap;
import usb14.themeCourse.ee.framework.Appliance;
import usb14.themeCourse.ee.framework.Controller;
import usb14.themeCourse.ee.framework.CostFunction;
public class Fridge extends Appliance{
public enum State {
ON, OFF
}
private State state;
private double temp;
private int time;
private int currentPrice;
private final int usage = 200;
private final int maxCost = CostFunction.MAX_COST;
// Constructor
public Fridge(String name) {
super(name);
this.state = State.OFF;
this.temp = 4;
this.time = 0;
SortedMap<Integer, Integer> function = new TreeMap<Integer, Integer>();
function.put(usage, 0);
super.setCostFunction(new CostFunction(function));
updateCostFunction();
}
// Queries
@Override
public int getCurrentUsage() {
return super.getCostFunction().getDemandByCost(currentPrice);
}
public State getState() {
return state;
}
public double getTemp(){
return temp;
}
// Commands
private void updateCostFunction(){
int cost;
if(time > 0 && time < 20)
cost = maxCost;
else
// Met deze<SUF>
// Bij een prijs van 500 blijkt het tussen de 4 en 5 te blijven, dus er is wat
// marge om warmer of kouder te worden bij een hogere of lagere energieprijs.
cost = (int) Math.round(((temp-3.0)/4.0) * (float)maxCost);
if (cost < 0 ) cost = 0;
super.getCostFunction().updateCostForDemand(cost, usage);
}
@Override
public void updateState(){
int t = Controller.getInstance().getIntervalDuration();
// update temperature and time running
if(this.state == State.ON){
temp -= 0.05*t;
this.time += t;
} else {
temp += 0.025*t;
this.time = 0;
}
// update costfunction based on the new temperature and time running
this.updateCostFunction();
}
@Override
public void updatePrice(int price){
this.currentPrice = price;
// update state based on the current price
if(getCurrentUsage() == 0)
this.state = State.OFF;
else
this.state = State.ON;
setChanged();
notifyObservers();
}
}
| false | 607 | 23 | 727 | 29 | 738 | 19 | 727 | 29 | 852 | 24 | false | false | false | false | false | true |
331 | 18966_0 | package com.groep15.amazonsim.models.worldobject;
/*
* Deze interface beschrijft wat een onderdeel van het model moet kunnen om deze
* te kunnen updaten. In de lijst met objecten in de wereld (zie class World) zitten
* objecten die geupdate kunnen worden. Er wordt gecontroleerd of een object deze
* interface implementeerd. Als dat zo is, wordt het object geupdate wanneer de
* wereld update.
*/
public interface Updatable {
boolean update();
} | ClawmanCat/WarehouseSim | src/main/java/com/groep15/amazonsim/models/worldobject/Updatable.java | 125 | /*
* Deze interface beschrijft wat een onderdeel van het model moet kunnen om deze
* te kunnen updaten. In de lijst met objecten in de wereld (zie class World) zitten
* objecten die geupdate kunnen worden. Er wordt gecontroleerd of een object deze
* interface implementeerd. Als dat zo is, wordt het object geupdate wanneer de
* wereld update.
*/ | block_comment | nl | package com.groep15.amazonsim.models.worldobject;
/*
* Deze interface beschrijft<SUF>*/
public interface Updatable {
boolean update();
} | false | 115 | 90 | 132 | 101 | 114 | 85 | 132 | 101 | 126 | 92 | false | false | false | false | false | true |
1,042 | 69555_5 | package be.domino;
import java.util.ArrayList;
import java.util.Optional;
/**
* @author Maarten Gielkens
* Ik heb ongeveer 12 uur gewerkt aan deze taak.
*/
public class Algoritme {
/**
* Methode die de ketting maakt en recursief kan worden opgeroepen.
* @param stenen De ArrayList van de stenen die meegegeven worden door de main
* @param geplaatsteStenen De stenen waarin de ketting wordt gelegd
* @param steenNummer De index die bijhoudt welke steen uit de originele lijst moeten geprobeerd toe te voegen
* @param aantalBacktracks Het aantal stenen die terug verwijderd zijn met backtracken
* @param volledigeBacktracks Het aantal keer dat het algoritme een nieuwe steen vooraan legt
* @return Recursief maakKetting opnieuw oproepen
*/
public Optional<ArrayList<Steen>> maakKetting(ArrayList<Steen> stenen, ArrayList<Steen> geplaatsteStenen, int steenNummer, int aantalBacktracks, int volledigeBacktracks) {
Steen huidigeSteen;
//controle die zorgt dat het algoritme stopt wanneer alle stenen op de eerste plaats hebben gelegen.
if (volledigeBacktracks > stenen.size() + geplaatsteStenen.size()) {
if(controleerSteen(geplaatsteStenen.get(geplaatsteStenen.size() - 1), geplaatsteStenen.get(0))) {
return Optional.of(geplaatsteStenen);
}
else {
return Optional.empty();
}
}
//Controle die zorgt dat het algoritme stopt wanneer alle te plaatsen stenen zijn opgebruikt
if (stenen.size() == 0) {
if(controleerSteen(geplaatsteStenen.get(geplaatsteStenen.size() - 1), geplaatsteStenen.get(0))) {
return Optional.of(geplaatsteStenen);
}
else {
return Optional.empty();
}
}
huidigeSteen = stenen.get(steenNummer);
//Vult de lege lijst met geplaatste stenen aan met het eerste element van de te plaatsen stenen.
if (geplaatsteStenen.isEmpty()) {
stenen.remove(huidigeSteen);
geplaatsteStenen.add(huidigeSteen);
return maakKetting(stenen, geplaatsteStenen, steenNummer, 0, volledigeBacktracks + 1);
}
Steen vorigeSteen = geplaatsteStenen.get(geplaatsteStenen.size()-1);
//Controleert als de volgende steen kan toegevoegd worden en doet dit ook indien mogelijk.
if (controleerSteen(vorigeSteen, huidigeSteen)) {
stenen.remove(steenNummer);
geplaatsteStenen.add(huidigeSteen);
steenNummer = 0;
return maakKetting(stenen, geplaatsteStenen, steenNummer, aantalBacktracks, volledigeBacktracks);
}
//Als er niet meer kan worden bijgeplaatst dan begint het volgende stuk met backtracken
else if (stenen.size() -1 - aantalBacktracks <= steenNummer){
if(controleerSteen(geplaatsteStenen.get(geplaatsteStenen.size() - 1), geplaatsteStenen.get(0))) {
return Optional.of(geplaatsteStenen);
}
controleerSteen(geplaatsteStenen.get(geplaatsteStenen.size() - 1), geplaatsteStenen.get(0));
geplaatsteStenen.remove(vorigeSteen);
stenen.add(vorigeSteen);
aantalBacktracks += 1;
return maakKetting(stenen, geplaatsteStenen, 0, aantalBacktracks, volledigeBacktracks);
}
else{
return maakKetting(stenen, geplaatsteStenen, steenNummer + 1, aantalBacktracks, volledigeBacktracks);
}
}
/**
* Methode die controleert als 2 stenen langs elkaar kunnen liggen, indien een steen geflipt moet worden dan doet deze methode dat ook.
* @param steen1 De eerste steen die gecontroleerd moet worden.
* @param steen2 De tweede steen die gecontroleerd moet worden
* @return Boolean om aan te geven als de stenen achter elkaar gelegd kunnen worden of niet.
*/
public boolean controleerSteen(Steen steen1, Steen steen2) {
if (steen1.getKleur() == steen2.getKleur()) {
return false;
}
if(steen1.getOgen2() != steen2.getOgen1()) {
if(steen1.getOgen2() == steen2.getOgen2()) {
steen2.flip();
return true;
}
else return false;
}
return true;
}
} | MaartenG18/TaakBacktracking | GielkensMaarten/src/main/java/be/domino/Algoritme.java | 1,424 | //Controleert als de volgende steen kan toegevoegd worden en doet dit ook indien mogelijk. | line_comment | nl | package be.domino;
import java.util.ArrayList;
import java.util.Optional;
/**
* @author Maarten Gielkens
* Ik heb ongeveer 12 uur gewerkt aan deze taak.
*/
public class Algoritme {
/**
* Methode die de ketting maakt en recursief kan worden opgeroepen.
* @param stenen De ArrayList van de stenen die meegegeven worden door de main
* @param geplaatsteStenen De stenen waarin de ketting wordt gelegd
* @param steenNummer De index die bijhoudt welke steen uit de originele lijst moeten geprobeerd toe te voegen
* @param aantalBacktracks Het aantal stenen die terug verwijderd zijn met backtracken
* @param volledigeBacktracks Het aantal keer dat het algoritme een nieuwe steen vooraan legt
* @return Recursief maakKetting opnieuw oproepen
*/
public Optional<ArrayList<Steen>> maakKetting(ArrayList<Steen> stenen, ArrayList<Steen> geplaatsteStenen, int steenNummer, int aantalBacktracks, int volledigeBacktracks) {
Steen huidigeSteen;
//controle die zorgt dat het algoritme stopt wanneer alle stenen op de eerste plaats hebben gelegen.
if (volledigeBacktracks > stenen.size() + geplaatsteStenen.size()) {
if(controleerSteen(geplaatsteStenen.get(geplaatsteStenen.size() - 1), geplaatsteStenen.get(0))) {
return Optional.of(geplaatsteStenen);
}
else {
return Optional.empty();
}
}
//Controle die zorgt dat het algoritme stopt wanneer alle te plaatsen stenen zijn opgebruikt
if (stenen.size() == 0) {
if(controleerSteen(geplaatsteStenen.get(geplaatsteStenen.size() - 1), geplaatsteStenen.get(0))) {
return Optional.of(geplaatsteStenen);
}
else {
return Optional.empty();
}
}
huidigeSteen = stenen.get(steenNummer);
//Vult de lege lijst met geplaatste stenen aan met het eerste element van de te plaatsen stenen.
if (geplaatsteStenen.isEmpty()) {
stenen.remove(huidigeSteen);
geplaatsteStenen.add(huidigeSteen);
return maakKetting(stenen, geplaatsteStenen, steenNummer, 0, volledigeBacktracks + 1);
}
Steen vorigeSteen = geplaatsteStenen.get(geplaatsteStenen.size()-1);
//Controleert als<SUF>
if (controleerSteen(vorigeSteen, huidigeSteen)) {
stenen.remove(steenNummer);
geplaatsteStenen.add(huidigeSteen);
steenNummer = 0;
return maakKetting(stenen, geplaatsteStenen, steenNummer, aantalBacktracks, volledigeBacktracks);
}
//Als er niet meer kan worden bijgeplaatst dan begint het volgende stuk met backtracken
else if (stenen.size() -1 - aantalBacktracks <= steenNummer){
if(controleerSteen(geplaatsteStenen.get(geplaatsteStenen.size() - 1), geplaatsteStenen.get(0))) {
return Optional.of(geplaatsteStenen);
}
controleerSteen(geplaatsteStenen.get(geplaatsteStenen.size() - 1), geplaatsteStenen.get(0));
geplaatsteStenen.remove(vorigeSteen);
stenen.add(vorigeSteen);
aantalBacktracks += 1;
return maakKetting(stenen, geplaatsteStenen, 0, aantalBacktracks, volledigeBacktracks);
}
else{
return maakKetting(stenen, geplaatsteStenen, steenNummer + 1, aantalBacktracks, volledigeBacktracks);
}
}
/**
* Methode die controleert als 2 stenen langs elkaar kunnen liggen, indien een steen geflipt moet worden dan doet deze methode dat ook.
* @param steen1 De eerste steen die gecontroleerd moet worden.
* @param steen2 De tweede steen die gecontroleerd moet worden
* @return Boolean om aan te geven als de stenen achter elkaar gelegd kunnen worden of niet.
*/
public boolean controleerSteen(Steen steen1, Steen steen2) {
if (steen1.getKleur() == steen2.getKleur()) {
return false;
}
if(steen1.getOgen2() != steen2.getOgen1()) {
if(steen1.getOgen2() == steen2.getOgen2()) {
steen2.flip();
return true;
}
else return false;
}
return true;
}
} | false | 1,213 | 26 | 1,339 | 28 | 1,198 | 18 | 1,339 | 28 | 1,439 | 27 | false | false | false | false | false | true |
574 | 52524_1 | package be.intecbrussel;
import java.util.Random;
import java.util.Scanner; // package importeren !!!!!!
public class MainApp {
public static void main(String[] args) {
// maak instantie van de Scanner class, genaamd myScanner
// Scanner myScanner = new Scanner(System.in);
// System.out.print("Vul hier je naam in: ");
// String name = myScanner.nextLine();
//
// System.out.print("Vul uw familienaam in: ");
// String achternaam = myScanner.nextLine();
//
// System.out.print("Vul uw leeftijd in: ");
// int age = myScanner.nextInt();
//
// System.out.print("Ben je een man: ");
// boolean isMale = myScanner.nextBoolean();
//
// System.out.print("Wat is uw lengte in meters: ");
// double lenght = myScanner.nextDouble();
//
// System.out.print("Vul een long waarde in: ");
// long largeNumber = myScanner.nextLong();
// Math clas -> static class = altijd aanwezig
// abs methode
double x = -10.5;
double res = Math.abs(x);
System.out.println("Absolute waarde van x is: " + res);
// min max
double i = 10;
double j = 20;
double min = Math.min(i, j);
double max = Math.max(i, j);
System.out.println("de grootste waarde is: " + max);
System.out.println("de kleinste waarde is: " + min);
// round
x = 10.5;
res = Math.round(x);
System.out.println("Afgerond naar het dichtsbijzijnde gehele getal: " + res);
// ceil -> gaat altijd naar boven afronden
x = 10.1;
res = Math.ceil(x);
System.out.println("Afgerond naar boven : " + res);
// floor -> afronden naar beneden
x = 10.9;
res = Math.floor(x);
System.out.println("Afgerond naar benenden: " + res);
// random
Random random = new Random();
// int tussen 0 tot 100(exclusief)System.out.println("Random number: " + randonNumber);
int randonNumber = 0;
while (randonNumber != 1) {
randonNumber = random.nextInt(101);
System.out.println(randonNumber);
}
// random double
double randomDecimalNumber = random.nextDouble(10, 20);
System.out.println("Random decimal number: " + randomDecimalNumber);
// random float
float randonFloatNumber = random.nextFloat(5, 10);
System.out.println("Random float number: " + randonFloatNumber);
// random boolean
boolean randomBoolean = random.nextBoolean();
System.out.println("Random boolean: " + randomBoolean);
}
}
| Gabe-Alvess/ScannerMathRandom | src/be/intecbrussel/MainApp.java | 809 | // maak instantie van de Scanner class, genaamd myScanner | line_comment | nl | package be.intecbrussel;
import java.util.Random;
import java.util.Scanner; // package importeren !!!!!!
public class MainApp {
public static void main(String[] args) {
// maak instantie<SUF>
// Scanner myScanner = new Scanner(System.in);
// System.out.print("Vul hier je naam in: ");
// String name = myScanner.nextLine();
//
// System.out.print("Vul uw familienaam in: ");
// String achternaam = myScanner.nextLine();
//
// System.out.print("Vul uw leeftijd in: ");
// int age = myScanner.nextInt();
//
// System.out.print("Ben je een man: ");
// boolean isMale = myScanner.nextBoolean();
//
// System.out.print("Wat is uw lengte in meters: ");
// double lenght = myScanner.nextDouble();
//
// System.out.print("Vul een long waarde in: ");
// long largeNumber = myScanner.nextLong();
// Math clas -> static class = altijd aanwezig
// abs methode
double x = -10.5;
double res = Math.abs(x);
System.out.println("Absolute waarde van x is: " + res);
// min max
double i = 10;
double j = 20;
double min = Math.min(i, j);
double max = Math.max(i, j);
System.out.println("de grootste waarde is: " + max);
System.out.println("de kleinste waarde is: " + min);
// round
x = 10.5;
res = Math.round(x);
System.out.println("Afgerond naar het dichtsbijzijnde gehele getal: " + res);
// ceil -> gaat altijd naar boven afronden
x = 10.1;
res = Math.ceil(x);
System.out.println("Afgerond naar boven : " + res);
// floor -> afronden naar beneden
x = 10.9;
res = Math.floor(x);
System.out.println("Afgerond naar benenden: " + res);
// random
Random random = new Random();
// int tussen 0 tot 100(exclusief)System.out.println("Random number: " + randonNumber);
int randonNumber = 0;
while (randonNumber != 1) {
randonNumber = random.nextInt(101);
System.out.println(randonNumber);
}
// random double
double randomDecimalNumber = random.nextDouble(10, 20);
System.out.println("Random decimal number: " + randomDecimalNumber);
// random float
float randonFloatNumber = random.nextFloat(5, 10);
System.out.println("Random float number: " + randonFloatNumber);
// random boolean
boolean randomBoolean = random.nextBoolean();
System.out.println("Random boolean: " + randomBoolean);
}
}
| false | 666 | 15 | 773 | 15 | 758 | 13 | 773 | 15 | 838 | 16 | false | false | false | false | false | true |
783 | 14064_8 | package protocol;
public class Protocol {
/**
* @author Rosalyn.Sleurink
* @version 6
*/
/**
* Aanpassing versie 1 -> 2:
* Bij START worden de namen van de spelers niet meegegeven, dit is wel handig om te doen.
*
* Aanpassing versie 2 -> 3:
* - Version verdeeld in VERSION (String) en VERSIONNO (int)
* - Constantes BLACK en WHITE toegevoegd
*
* Aanpassing versie 3 -> 4:
* - Beide delimiters een String gemaakt en $ is //$ geworden.
*
* Aanpassing versie 4 -> 5:
* - Delimiter weer terugveranderd naar $.
* - Aan TURN zijn String FIRST en PASS toegevoegd
* - Tweede voorbeeld bij START is aangepast naar het format.
*
* Aanpassing versie 5 -> 6:
* - EXIT commando toegevoegd
* - Afspraak gemaakt dat bord grootte kan hebben van 5 t/m 19.
*/
/**
* OVERAL WAAR SPATIES STAAN KOMT DUS DELIMITER1 (in de voorbeelden en formats).
* OOK MOETEN ALLE COMMANDO'S EINDIGEN MET COMMAND_END.
*/
public static final int VERSION_NO = 6;
public static class Client {
/**
* Het eerste commando wat de client naar de server stuurt. Gaat om versie
* van het protocol. De volgorde van de extensions is als volgt:
* chat challenge leaderboard security 2+ simultaneous multiplemoves.<br>
* Format: NAME clientnaam VERSION versienummer EXTENSIONS boolean boolean boolean etc<br>
* Voorbeeld: NAME piet VERSION 2 EXTENSIONS 0 0 1 1 0 0 0
*/
public static final String NAME = "NAME";
public static final String VERSION = "VERSION";
public static final int VERSIONNO = VERSION_NO;
public static final String EXTENSIONS = "EXTENSIONS";
/**
* Om een move te communiceren. Bord begint linksboven met 0,0.<br>
* Format: MOVE rij_kolom of MOVE PASS<br>
* Voorbeeld: MOVE 1_3
*/
public static final String MOVE = "MOVE";
public static final String PASS = "PASS";
/**
* Als de server een START met aantal spelers heeft gestuurd mag je je voorkeur doorgeven
* voor kleur en grootte van het bord. Dit wordt gevraagd aan de speler die er als eerst
* was. Grootte van het bord mag van 5 t/m 19 zijn.<br>
* Format: SETTINGS kleur bordgrootte<br>
* Voorbeeld: SETTINGS BLACK 19
*/
public static final String SETTINGS = "SETTINGS";
/**
* Als je midden in een spel zit en wil stoppen. Je krijgt dan 0 punten.
* Wordt niet gestuurd als client abrupt.
* afgesloten wordt. Als je dit stuurt nadat je een REQUESTGAME hebt gedaan gebeurt er
* niks.<br>
* Format: QUIT<br>
* Voorbeeld: QUIT
*/
public static final String QUIT = "QUIT";
/**
* Kan gestuurd worden als je in een spel zit of in de lobby, betekent dat de Client
* helemaal weg gaat.<br>
* Format: EXIT<br>
* Voorbeeld: QUIT
*/
public static final String EXIT = "EXIT";
/**
* Sturen als je een spel wilt spelen. De eerste keer en als een spel afgelopen is opnieuw.
* Als je de Challenge extensie niet ondersteunt, stuur dan RANDOM in plaats van een naam.
* <br>
* Format: REQUESTGAME aantalspelers naamtegenspeler (RANDOM als je geen challenge doet)<br>
* Voorbeeld: REQUESTGAME 2 RANDOM of REQUESTGAME 2 piet
*/
public static final String REQUESTGAME = "REQUESTGAME";
public static final String RANDOM = "RANDOM";
// -------------- EXTENSIES ------------ //
/**
* Als je de uitdaging wil accepteren.<br>
* Format: ACCEPTGAME naamuitdager<br>
* Voorbeeld: ACCEPTGAME piet
*/
public static final String ACCEPTGAME = "ACCEPTGAME";
/**
* Als je de uitdaging niet accepteert.<br>
* Format: DECLINEGAME naamuitdager<br>
* Voorbeeld: DECLINEGAME piet
*/
public static final String DECLINEGAME = "DECLINEGAME";
/**
* Om op te vragen wie je allemaal kan uitdagen.<br>
* Format: LOBBY<br>
* Voorbeeld: LOBBY
*/
public static final String LOBBY = "LOBBY";
/**
* Om een chatbericht te sturen. Als je in een spel zit mogen alleen de spelers het zien.
* Als je in de lobby zit mag iedereen in de lobby het zien.<br>
* Format: CHAT bericht<br>
* Voorbeeld: CHAT hoi ik ben piet
*/
public static final String CHAT = "CHAT";
/**
* Om de leaderboard op te vragen. Overige queries moet je afspreken met anderen die ook
* leaderboard willen implementeren.<br>
* Format: LEADERBOARD<br>
* Voorbeeld: LEADERBOARD
*/
public static final String LEADERBOARD = "LEADERBOARD";
}
public static class Server {
/**
* Het eerste commando wat de server naar de client stuurt. Gaat om versie
* van het protocol. De volgorde van de extensions is als volgt:
* chat challenge leaderboard security 2+ simultaneous multiplemoves.<br>
* Format: NAME clientnaam VERSION versienummer EXTENSIONS boolean boolean boolean etc<br>
* Voorbeeld: NAME serverpiet VERSION 2 EXTENSIONS 0 0 1 1 0 0 0
*/
public static final String NAME = "NAME";
public static final String VERSION = "VERSION";
public static final int VERSIONNO = VERSION_NO;
public static final String EXTENSIONS = "EXTENSIONS";
/**
* Een spel starten. Dit stuur je naar de eerste speler. <br>
* Format: START aantalspelers (naar speler 1)<br>
* Format: START aantalspelers kleur bordgrootte speler1 speler2 (3, etc..)
* (naar alle spelers) Bordgrootte kan waarde hebben van 5 t/m 19.<br>
* Voorbeeld: START 2 of START 2 BLACK 19 jan piet
*/
public static final String START = "START";
/**
* Vertelt aan de spelers welke beurt er gedaan is. Speler1 is de speler die de beurt heeft
* gedaan, speler 2 de speler die nu aan de beurt is om een MOVE door te geven. Als dit de
* eerste beurt is zijn speler1 en speler2 allebei de speler die nu aan de beurt is, en dan
* stuur je FIRST i.p.v. de integers. Als de speler past geeft je PASS door ip.v. de
* integers.<br>
* Format: TURN speler1 rij_kolom speler2<br>
* Voorbeeld: TURN piet 1_3 jan of TURN piet FIRST piet
*/
public static final String TURN = "TURN";
public static final String FIRST = "FIRST";
public static final String PASS = "PASS";
/**
* Als het spel klaar is om welke reden dan ook. Reden kan zijn FINISHED (normaal einde),
* ABORTED (abrupt einde) of TIMEOUT (geen respons binnen redelijke tijd)<br>
* Format: ENDGAME reden winspeler score verliesspeler score<br>
* Voorbeeld: ENDGAME FINISHED piet 12 jan 10
*/
public static final String ENDGAME = "ENDGAME";
public static final String FINISHED = "FINISHED";
public static final String ABORTED = "ABORTED";
public static final String TIMEOUT = "TIMEOUT";
/**
* Errortypes die we gedefinieerd hebben: UNKNOWNCOMMAND, INVALIDMOVE, NAMETAKEN,
* INCOMPATIBLEPROTOCOL, OTHER.<br>
* Format: ERROR type bericht<br>
* Voorbeeld: ERROR NAMETAKEN de naam piet is al bezet
*/
public static final String ERROR = "ERROR";
public static final String UNKNOWN = "UNKNOWNCOMMAND";
public static final String INVALID = "INVALIDMOVE";
public static final String NAMETAKEN = "NAMETAKEN";
public static final String INCOMPATIBLEPROTOCOL = "INCOMPATIBLEPROTOCOL";
public static final String OTHER = "OTHER";
// -------------- EXTENSIES ------------ //
/**
* Stuurt aan één client wie hem heeft uitgedaagd.<br>
* Format: REQUESTGAME uitdager<br>
* Voorbeeld: REQUESTGAME piet
*/
public static final String REQUESTGAME = "REQUESTGAME";
/**
* Stuurt aan de uitdager dat de uitdaging is geweigerd en door wie.<br>
* Format: DECLINED uitgedaagde<br>
* Voorbeeld: DECLINED piet
*/
public static final String DECLINED = "DECLINED";
/**
* Reactie op LOBBY van de client. Stuurt alle spelers die uitgedaagd kunnen worden
* (in de lobby zitten).<br>
* Format: LOBBY naam1_naam2_naam3<br>
* Voorbeeld: LOBBY piet jan koos
*/
public static final String LOBBY = "LOBBY";
/**
* Stuurt chatbericht naar relevante clients (in spel of in lobby).<br>
* Format: CHAT naam bericht<br>
* Voorbeeld: CHAT piet hallo ik ben piet (Met correcte delimiter ziet dat er dus uit als:
* CHAT$piet$hallo ik ben piet)
*/
public static final String CHAT = "CHAT";
/**
* Reactie op LEADERBOARD van client. Stuurt de beste 10 scores naar één client.
* Overige queries moet je afspreken met anderen die ook
* leaderboard willen implementeren.<br>
* Format: LEADERBOARD naam1 score1 naam2 score2 naam3 score3 enz<br>
* Voorbeeld: LEADERBOARD piet 1834897 jan 2 koos 1
*/
public static final String LEADERBOARD = "LEADERBOARD";
}
public static class General {
/**
* ENCODING kun je ergens bij je printstream/bufferedreader/writer instellen (zie API).
*/
public static final String ENCODING = "UTF-8";
public static final int TIMEOUTSECONDS = 90;
public static final short DEFAULT_PORT = 5647;
public static final String DELIMITER1 = "$";
public static final String DELIMITER2 = "_";
public static final String COMMAND_END = "\n";
public static final String BLACK = "BLACK";
public static final String WHITE = "WHITE";
}
}
| JKleinRot/NedapUniversity_FinalAssignment | src/protocol/Protocol.java | 3,062 | /**
* Sturen als je een spel wilt spelen. De eerste keer en als een spel afgelopen is opnieuw.
* Als je de Challenge extensie niet ondersteunt, stuur dan RANDOM in plaats van een naam.
* <br>
* Format: REQUESTGAME aantalspelers naamtegenspeler (RANDOM als je geen challenge doet)<br>
* Voorbeeld: REQUESTGAME 2 RANDOM of REQUESTGAME 2 piet
*/ | block_comment | nl | package protocol;
public class Protocol {
/**
* @author Rosalyn.Sleurink
* @version 6
*/
/**
* Aanpassing versie 1 -> 2:
* Bij START worden de namen van de spelers niet meegegeven, dit is wel handig om te doen.
*
* Aanpassing versie 2 -> 3:
* - Version verdeeld in VERSION (String) en VERSIONNO (int)
* - Constantes BLACK en WHITE toegevoegd
*
* Aanpassing versie 3 -> 4:
* - Beide delimiters een String gemaakt en $ is //$ geworden.
*
* Aanpassing versie 4 -> 5:
* - Delimiter weer terugveranderd naar $.
* - Aan TURN zijn String FIRST en PASS toegevoegd
* - Tweede voorbeeld bij START is aangepast naar het format.
*
* Aanpassing versie 5 -> 6:
* - EXIT commando toegevoegd
* - Afspraak gemaakt dat bord grootte kan hebben van 5 t/m 19.
*/
/**
* OVERAL WAAR SPATIES STAAN KOMT DUS DELIMITER1 (in de voorbeelden en formats).
* OOK MOETEN ALLE COMMANDO'S EINDIGEN MET COMMAND_END.
*/
public static final int VERSION_NO = 6;
public static class Client {
/**
* Het eerste commando wat de client naar de server stuurt. Gaat om versie
* van het protocol. De volgorde van de extensions is als volgt:
* chat challenge leaderboard security 2+ simultaneous multiplemoves.<br>
* Format: NAME clientnaam VERSION versienummer EXTENSIONS boolean boolean boolean etc<br>
* Voorbeeld: NAME piet VERSION 2 EXTENSIONS 0 0 1 1 0 0 0
*/
public static final String NAME = "NAME";
public static final String VERSION = "VERSION";
public static final int VERSIONNO = VERSION_NO;
public static final String EXTENSIONS = "EXTENSIONS";
/**
* Om een move te communiceren. Bord begint linksboven met 0,0.<br>
* Format: MOVE rij_kolom of MOVE PASS<br>
* Voorbeeld: MOVE 1_3
*/
public static final String MOVE = "MOVE";
public static final String PASS = "PASS";
/**
* Als de server een START met aantal spelers heeft gestuurd mag je je voorkeur doorgeven
* voor kleur en grootte van het bord. Dit wordt gevraagd aan de speler die er als eerst
* was. Grootte van het bord mag van 5 t/m 19 zijn.<br>
* Format: SETTINGS kleur bordgrootte<br>
* Voorbeeld: SETTINGS BLACK 19
*/
public static final String SETTINGS = "SETTINGS";
/**
* Als je midden in een spel zit en wil stoppen. Je krijgt dan 0 punten.
* Wordt niet gestuurd als client abrupt.
* afgesloten wordt. Als je dit stuurt nadat je een REQUESTGAME hebt gedaan gebeurt er
* niks.<br>
* Format: QUIT<br>
* Voorbeeld: QUIT
*/
public static final String QUIT = "QUIT";
/**
* Kan gestuurd worden als je in een spel zit of in de lobby, betekent dat de Client
* helemaal weg gaat.<br>
* Format: EXIT<br>
* Voorbeeld: QUIT
*/
public static final String EXIT = "EXIT";
/**
* Sturen als je<SUF>*/
public static final String REQUESTGAME = "REQUESTGAME";
public static final String RANDOM = "RANDOM";
// -------------- EXTENSIES ------------ //
/**
* Als je de uitdaging wil accepteren.<br>
* Format: ACCEPTGAME naamuitdager<br>
* Voorbeeld: ACCEPTGAME piet
*/
public static final String ACCEPTGAME = "ACCEPTGAME";
/**
* Als je de uitdaging niet accepteert.<br>
* Format: DECLINEGAME naamuitdager<br>
* Voorbeeld: DECLINEGAME piet
*/
public static final String DECLINEGAME = "DECLINEGAME";
/**
* Om op te vragen wie je allemaal kan uitdagen.<br>
* Format: LOBBY<br>
* Voorbeeld: LOBBY
*/
public static final String LOBBY = "LOBBY";
/**
* Om een chatbericht te sturen. Als je in een spel zit mogen alleen de spelers het zien.
* Als je in de lobby zit mag iedereen in de lobby het zien.<br>
* Format: CHAT bericht<br>
* Voorbeeld: CHAT hoi ik ben piet
*/
public static final String CHAT = "CHAT";
/**
* Om de leaderboard op te vragen. Overige queries moet je afspreken met anderen die ook
* leaderboard willen implementeren.<br>
* Format: LEADERBOARD<br>
* Voorbeeld: LEADERBOARD
*/
public static final String LEADERBOARD = "LEADERBOARD";
}
public static class Server {
/**
* Het eerste commando wat de server naar de client stuurt. Gaat om versie
* van het protocol. De volgorde van de extensions is als volgt:
* chat challenge leaderboard security 2+ simultaneous multiplemoves.<br>
* Format: NAME clientnaam VERSION versienummer EXTENSIONS boolean boolean boolean etc<br>
* Voorbeeld: NAME serverpiet VERSION 2 EXTENSIONS 0 0 1 1 0 0 0
*/
public static final String NAME = "NAME";
public static final String VERSION = "VERSION";
public static final int VERSIONNO = VERSION_NO;
public static final String EXTENSIONS = "EXTENSIONS";
/**
* Een spel starten. Dit stuur je naar de eerste speler. <br>
* Format: START aantalspelers (naar speler 1)<br>
* Format: START aantalspelers kleur bordgrootte speler1 speler2 (3, etc..)
* (naar alle spelers) Bordgrootte kan waarde hebben van 5 t/m 19.<br>
* Voorbeeld: START 2 of START 2 BLACK 19 jan piet
*/
public static final String START = "START";
/**
* Vertelt aan de spelers welke beurt er gedaan is. Speler1 is de speler die de beurt heeft
* gedaan, speler 2 de speler die nu aan de beurt is om een MOVE door te geven. Als dit de
* eerste beurt is zijn speler1 en speler2 allebei de speler die nu aan de beurt is, en dan
* stuur je FIRST i.p.v. de integers. Als de speler past geeft je PASS door ip.v. de
* integers.<br>
* Format: TURN speler1 rij_kolom speler2<br>
* Voorbeeld: TURN piet 1_3 jan of TURN piet FIRST piet
*/
public static final String TURN = "TURN";
public static final String FIRST = "FIRST";
public static final String PASS = "PASS";
/**
* Als het spel klaar is om welke reden dan ook. Reden kan zijn FINISHED (normaal einde),
* ABORTED (abrupt einde) of TIMEOUT (geen respons binnen redelijke tijd)<br>
* Format: ENDGAME reden winspeler score verliesspeler score<br>
* Voorbeeld: ENDGAME FINISHED piet 12 jan 10
*/
public static final String ENDGAME = "ENDGAME";
public static final String FINISHED = "FINISHED";
public static final String ABORTED = "ABORTED";
public static final String TIMEOUT = "TIMEOUT";
/**
* Errortypes die we gedefinieerd hebben: UNKNOWNCOMMAND, INVALIDMOVE, NAMETAKEN,
* INCOMPATIBLEPROTOCOL, OTHER.<br>
* Format: ERROR type bericht<br>
* Voorbeeld: ERROR NAMETAKEN de naam piet is al bezet
*/
public static final String ERROR = "ERROR";
public static final String UNKNOWN = "UNKNOWNCOMMAND";
public static final String INVALID = "INVALIDMOVE";
public static final String NAMETAKEN = "NAMETAKEN";
public static final String INCOMPATIBLEPROTOCOL = "INCOMPATIBLEPROTOCOL";
public static final String OTHER = "OTHER";
// -------------- EXTENSIES ------------ //
/**
* Stuurt aan één client wie hem heeft uitgedaagd.<br>
* Format: REQUESTGAME uitdager<br>
* Voorbeeld: REQUESTGAME piet
*/
public static final String REQUESTGAME = "REQUESTGAME";
/**
* Stuurt aan de uitdager dat de uitdaging is geweigerd en door wie.<br>
* Format: DECLINED uitgedaagde<br>
* Voorbeeld: DECLINED piet
*/
public static final String DECLINED = "DECLINED";
/**
* Reactie op LOBBY van de client. Stuurt alle spelers die uitgedaagd kunnen worden
* (in de lobby zitten).<br>
* Format: LOBBY naam1_naam2_naam3<br>
* Voorbeeld: LOBBY piet jan koos
*/
public static final String LOBBY = "LOBBY";
/**
* Stuurt chatbericht naar relevante clients (in spel of in lobby).<br>
* Format: CHAT naam bericht<br>
* Voorbeeld: CHAT piet hallo ik ben piet (Met correcte delimiter ziet dat er dus uit als:
* CHAT$piet$hallo ik ben piet)
*/
public static final String CHAT = "CHAT";
/**
* Reactie op LEADERBOARD van client. Stuurt de beste 10 scores naar één client.
* Overige queries moet je afspreken met anderen die ook
* leaderboard willen implementeren.<br>
* Format: LEADERBOARD naam1 score1 naam2 score2 naam3 score3 enz<br>
* Voorbeeld: LEADERBOARD piet 1834897 jan 2 koos 1
*/
public static final String LEADERBOARD = "LEADERBOARD";
}
public static class General {
/**
* ENCODING kun je ergens bij je printstream/bufferedreader/writer instellen (zie API).
*/
public static final String ENCODING = "UTF-8";
public static final int TIMEOUTSECONDS = 90;
public static final short DEFAULT_PORT = 5647;
public static final String DELIMITER1 = "$";
public static final String DELIMITER2 = "_";
public static final String COMMAND_END = "\n";
public static final String BLACK = "BLACK";
public static final String WHITE = "WHITE";
}
}
| false | 2,693 | 105 | 2,927 | 119 | 2,709 | 97 | 2,927 | 119 | 3,454 | 128 | false | false | false | false | false | true |
2,727 | 14191_10 | import java.util.ArrayList;
import java.util.HashMap;
public class Threshold
{
/**
* Returns a Threshold value. Everything BELOW this threshold should be cut
* off (noise).
*
* @return
*/
public float findThreshold_old(KDE KDE)
{
ArrayList<Float> switches = findSwitches(KDE);
if(switches == null || switches.isEmpty())
return 0;
/*
* To cut off the noise, we check if the last switch contains lots of
* 'steps' compared to previous switches. If this is the case, we can be
* certain that this is noise. One other thing we apply is that if the
* amount of steps between two consecutive switches is very small, we
* merge these two according to the mergeThreshold parameter.
*/
//TODO: aanpassen door testen.
float mergeThreshold = 0;//(float) Math.PI / 3 / Constants.Threshold.STEPCOUNT * maxThreshold;
log("MergeThreshold: " + mergeThreshold);
boolean noiseDetected = false;
//Loop through all the switches, starting from the back.
for (int i = switches.size() - 2; i >= 0; i -= 2)
{
//If the following breaks, we found a cluster.
if (Math.abs(switches.get(i) - switches.get(i + 1)) > mergeThreshold)
{
break; // Als het een cluster is dan breakt ie altijd. Als het
} // noise is kan hij breaken.
// Als hij niet breekt is het sowieso noise.
noiseDetected = true;
switches.remove(i + 1);
switches.remove(i);
}
if (noiseDetected) // we hebben sowieso noise, dus laatste eraf halen
{
// Hak laatste eraf
//switches.remove(switches.size() - 1);
//switches.remove(switches.size() - 1);
}
else // het is niet zeker of we noise hebben, bepaal dit
{
//calculate average
float totalDifference = 0;
int totalSteps = 0;
for (int i = 0; i < switches.size() - 3; i += 2)
{
totalDifference += Math.abs(switches.get(i)
+ switches.get(i + 1));
totalSteps++;
}
// de average van alle switches behalve de laatste
int averageSteps = (int) Math.ceil(totalDifference / totalSteps);
float maximalDeviation = averageSteps * 0f; // TODO: Deviation
// 1.4f bepalen door
// testen
if (switches.size() >= 2 && Math.abs(switches.get(switches.size() - 1)
- switches.get(switches.size() - 2)) > maximalDeviation)
{
// Laatste is noise dus die hakken we eraf
switches.remove(switches.size() - 1);
switches.remove(switches.size() - 1);
}
}
return switches.size() == 0 ? 0 : switches.get(switches.size() - 1);
}
public float findThreshold_old2(KDE KDE)
{
ArrayList<Float> switches = findSwitches(KDE);
if(switches == null || switches.isEmpty())
return 0;
//Remove 'noise'
switches.remove(switches.size() - 1);
switches.remove(switches.size() - 1);
return switches.get(switches.size() - 1);
}
public float findThreshold(KDE KDE)
{
int previousNumberOfPoints = 0;
int numberOfPoints = 0;
float minThreshold = KDE.getMinPointDensity();
float maxThreshold = KDE.getMaxCellDensity();
float step = maxThreshold / getStepCount(KDE);
float currentThreshold = 0;
int switchCount = 0;
boolean inSwitch = true;
for(currentThreshold = minThreshold; currentThreshold <= maxThreshold; currentThreshold += step)
{
numberOfPoints = KDE.getPointCountAboveThreshold(currentThreshold);
if(currentThreshold == minThreshold)
{
previousNumberOfPoints = numberOfPoints;
continue;
}
//log("currentThrehsold: " + currentThreshold + " | numberOfPoints: " +
// numberOfPoints + " | prev#Points: " + previousNumberOfPoints +
// "switchCount: " + switchCount);
//Utils.log(""+KDE.scaledField.getCell(KDE.sortedPoints[numberOfPoints-1]).getDensity());
//Utils.log(""+KDE.scaledField.getCell(KDE.sortedPoints[numberOfPoints]).getDensity());
//Utils.log(""+KDE.scaledField.getCell(KDE.sortedPoints[numberOfPoints+1]).getDensity());
//currentThreshold =
// KDE.scaledField.getCell(KDE.sortedPoints[numberOfPoints]).getDensity();
if(numberOfPoints == previousNumberOfPoints)
{
if(inSwitch)
{
switchCount++;
if(switchCount == 2)
break;
}
inSwitch = false;
}
else
{
inSwitch = true;
}
previousNumberOfPoints = numberOfPoints;
}
return currentThreshold - 2 * step;
}
ArrayList<Float> findSwitches(KDE KDE)
{
//Array that stores the 'switch-densities' between point counts. So between element 0 and 1 there
//are changes in the point counts, between element 2 and 3, etc.
ArrayList<Float> switches = new ArrayList<Float>();
//Used for generating a graph of densities/pointcounts
HashMap<Float, Integer> pointCounts = new HashMap<Float, Integer>();
float maxThreshold = KDE.getMaxCellDensity();
int previousNumberOfPoints = 0;
boolean inCluster = false; //Variable indicating whether we are currently 'in' a cluster in our algorithm.
float step = maxThreshold / getStepCount(KDE); //The step value indicates how fine we should partition the density range.
if (maxThreshold == 0)
{
log("Step too small: " + step + " maxThreshold: " + maxThreshold + " - Threshold stopped.");
return null; //If the step value is 0, it we can stop right away because the algorithm will fail.
}
//Start looping through the thresholds. We start at the max density and go down one step value each iteration.
float currentThreshold;
for (currentThreshold = maxThreshold; currentThreshold >= 0; currentThreshold -= step)
{
int numberOfPoints = KDE.getPointCountAboveThreshold(currentThreshold);
pointCounts.put(currentThreshold, numberOfPoints);
//If the current number of points is larger than the previous number of points we are apparently iterating
//in a cluster.
if (numberOfPoints > previousNumberOfPoints)
{
//If we are not yet iterating in a cluster, we apparently started in a new one.
if (!inCluster)
{
switches.add(currentThreshold);
}
inCluster = true;
}
else
{
//There was no change in the number of points, so if we were iterating in a cluster we have now found the end of it.
if (inCluster)
{
switches.add(currentThreshold);
inCluster = false;
}
}
previousNumberOfPoints = numberOfPoints;
}
if (inCluster && !Utils.floatAlmostEquals(switches.get(switches.size() - 1), currentThreshold))
{
switches.add(currentThreshold); //The 'closing' density hasn't been added yet.
}
assert switches.size() % 2 == 0; //The amount of switches should be equal because we have a start and end value for each switch.
//Because we subtract step each time, we will eventually might get to a negative value. Since we don't have negative
//densities, make it zero.
if (switches.get(switches.size() - 1) < 0)
{
switches.set(switches.size() - 1, 0f);
}
if (Constants.DEBUG)
{
log("Switches size: " + switches.size());
for (int i = 0; i <= switches.size() - 2; i += 2)
{
log("Switch " + i + ": " + switches.get(i) + " | Switch " + (i + 1) + ": " + switches.get(i + 1));
}
Graphing.graphPointCounts(pointCounts);
}
return switches;
}
int getStepCount(KDE KDE)
{
if(KDE.field.size() > 100000)
return 1000;
else if(KDE.field.size() > 7000)
return 300;
else
return 100;
}
void log(String message)
{
Utils.log("Threshold", message);
}
}
| francoisvdv/FwbClusterFinder | FwbAlgorithm/src/Threshold.java | 2,480 | // Hak laatste eraf | line_comment | nl | import java.util.ArrayList;
import java.util.HashMap;
public class Threshold
{
/**
* Returns a Threshold value. Everything BELOW this threshold should be cut
* off (noise).
*
* @return
*/
public float findThreshold_old(KDE KDE)
{
ArrayList<Float> switches = findSwitches(KDE);
if(switches == null || switches.isEmpty())
return 0;
/*
* To cut off the noise, we check if the last switch contains lots of
* 'steps' compared to previous switches. If this is the case, we can be
* certain that this is noise. One other thing we apply is that if the
* amount of steps between two consecutive switches is very small, we
* merge these two according to the mergeThreshold parameter.
*/
//TODO: aanpassen door testen.
float mergeThreshold = 0;//(float) Math.PI / 3 / Constants.Threshold.STEPCOUNT * maxThreshold;
log("MergeThreshold: " + mergeThreshold);
boolean noiseDetected = false;
//Loop through all the switches, starting from the back.
for (int i = switches.size() - 2; i >= 0; i -= 2)
{
//If the following breaks, we found a cluster.
if (Math.abs(switches.get(i) - switches.get(i + 1)) > mergeThreshold)
{
break; // Als het een cluster is dan breakt ie altijd. Als het
} // noise is kan hij breaken.
// Als hij niet breekt is het sowieso noise.
noiseDetected = true;
switches.remove(i + 1);
switches.remove(i);
}
if (noiseDetected) // we hebben sowieso noise, dus laatste eraf halen
{
// Hak laatste<SUF>
//switches.remove(switches.size() - 1);
//switches.remove(switches.size() - 1);
}
else // het is niet zeker of we noise hebben, bepaal dit
{
//calculate average
float totalDifference = 0;
int totalSteps = 0;
for (int i = 0; i < switches.size() - 3; i += 2)
{
totalDifference += Math.abs(switches.get(i)
+ switches.get(i + 1));
totalSteps++;
}
// de average van alle switches behalve de laatste
int averageSteps = (int) Math.ceil(totalDifference / totalSteps);
float maximalDeviation = averageSteps * 0f; // TODO: Deviation
// 1.4f bepalen door
// testen
if (switches.size() >= 2 && Math.abs(switches.get(switches.size() - 1)
- switches.get(switches.size() - 2)) > maximalDeviation)
{
// Laatste is noise dus die hakken we eraf
switches.remove(switches.size() - 1);
switches.remove(switches.size() - 1);
}
}
return switches.size() == 0 ? 0 : switches.get(switches.size() - 1);
}
public float findThreshold_old2(KDE KDE)
{
ArrayList<Float> switches = findSwitches(KDE);
if(switches == null || switches.isEmpty())
return 0;
//Remove 'noise'
switches.remove(switches.size() - 1);
switches.remove(switches.size() - 1);
return switches.get(switches.size() - 1);
}
public float findThreshold(KDE KDE)
{
int previousNumberOfPoints = 0;
int numberOfPoints = 0;
float minThreshold = KDE.getMinPointDensity();
float maxThreshold = KDE.getMaxCellDensity();
float step = maxThreshold / getStepCount(KDE);
float currentThreshold = 0;
int switchCount = 0;
boolean inSwitch = true;
for(currentThreshold = minThreshold; currentThreshold <= maxThreshold; currentThreshold += step)
{
numberOfPoints = KDE.getPointCountAboveThreshold(currentThreshold);
if(currentThreshold == minThreshold)
{
previousNumberOfPoints = numberOfPoints;
continue;
}
//log("currentThrehsold: " + currentThreshold + " | numberOfPoints: " +
// numberOfPoints + " | prev#Points: " + previousNumberOfPoints +
// "switchCount: " + switchCount);
//Utils.log(""+KDE.scaledField.getCell(KDE.sortedPoints[numberOfPoints-1]).getDensity());
//Utils.log(""+KDE.scaledField.getCell(KDE.sortedPoints[numberOfPoints]).getDensity());
//Utils.log(""+KDE.scaledField.getCell(KDE.sortedPoints[numberOfPoints+1]).getDensity());
//currentThreshold =
// KDE.scaledField.getCell(KDE.sortedPoints[numberOfPoints]).getDensity();
if(numberOfPoints == previousNumberOfPoints)
{
if(inSwitch)
{
switchCount++;
if(switchCount == 2)
break;
}
inSwitch = false;
}
else
{
inSwitch = true;
}
previousNumberOfPoints = numberOfPoints;
}
return currentThreshold - 2 * step;
}
ArrayList<Float> findSwitches(KDE KDE)
{
//Array that stores the 'switch-densities' between point counts. So between element 0 and 1 there
//are changes in the point counts, between element 2 and 3, etc.
ArrayList<Float> switches = new ArrayList<Float>();
//Used for generating a graph of densities/pointcounts
HashMap<Float, Integer> pointCounts = new HashMap<Float, Integer>();
float maxThreshold = KDE.getMaxCellDensity();
int previousNumberOfPoints = 0;
boolean inCluster = false; //Variable indicating whether we are currently 'in' a cluster in our algorithm.
float step = maxThreshold / getStepCount(KDE); //The step value indicates how fine we should partition the density range.
if (maxThreshold == 0)
{
log("Step too small: " + step + " maxThreshold: " + maxThreshold + " - Threshold stopped.");
return null; //If the step value is 0, it we can stop right away because the algorithm will fail.
}
//Start looping through the thresholds. We start at the max density and go down one step value each iteration.
float currentThreshold;
for (currentThreshold = maxThreshold; currentThreshold >= 0; currentThreshold -= step)
{
int numberOfPoints = KDE.getPointCountAboveThreshold(currentThreshold);
pointCounts.put(currentThreshold, numberOfPoints);
//If the current number of points is larger than the previous number of points we are apparently iterating
//in a cluster.
if (numberOfPoints > previousNumberOfPoints)
{
//If we are not yet iterating in a cluster, we apparently started in a new one.
if (!inCluster)
{
switches.add(currentThreshold);
}
inCluster = true;
}
else
{
//There was no change in the number of points, so if we were iterating in a cluster we have now found the end of it.
if (inCluster)
{
switches.add(currentThreshold);
inCluster = false;
}
}
previousNumberOfPoints = numberOfPoints;
}
if (inCluster && !Utils.floatAlmostEquals(switches.get(switches.size() - 1), currentThreshold))
{
switches.add(currentThreshold); //The 'closing' density hasn't been added yet.
}
assert switches.size() % 2 == 0; //The amount of switches should be equal because we have a start and end value for each switch.
//Because we subtract step each time, we will eventually might get to a negative value. Since we don't have negative
//densities, make it zero.
if (switches.get(switches.size() - 1) < 0)
{
switches.set(switches.size() - 1, 0f);
}
if (Constants.DEBUG)
{
log("Switches size: " + switches.size());
for (int i = 0; i <= switches.size() - 2; i += 2)
{
log("Switch " + i + ": " + switches.get(i) + " | Switch " + (i + 1) + ": " + switches.get(i + 1));
}
Graphing.graphPointCounts(pointCounts);
}
return switches;
}
int getStepCount(KDE KDE)
{
if(KDE.field.size() > 100000)
return 1000;
else if(KDE.field.size() > 7000)
return 300;
else
return 100;
}
void log(String message)
{
Utils.log("Threshold", message);
}
}
| false | 2,068 | 6 | 2,306 | 8 | 2,255 | 5 | 2,306 | 8 | 2,851 | 7 | false | false | false | false | false | true |
3,366 | 213651_19 | package domein;
import java.io.BufferedWriter;
import java.io.File;
import java.io.FileNotFoundException;
import java.io.FileOutputStream;
import java.io.FileWriter;
import java.io.IOException;
import java.io.InputStream;
import java.math.BigInteger;
import java.net.MalformedURLException;
import java.net.URI;
import java.net.URISyntaxException;
import java.net.URL;
import java.net.URLConnection;
import java.security.MessageDigest;
import java.util.ArrayList;
import java.util.List;
import java.util.logging.Level;
import java.util.logging.Logger;
import org.jsoup.Jsoup;
import org.jsoup.nodes.Document;
import org.jsoup.nodes.Element;
/**
*
* @author samuelvandamme
*/
public class DownloadThread implements Runnable {
private final Queue queue = Queue.getInstance();
private String website;
private String dir;
private int currentDepth;
private int maxDepth;
private List<Email> emailList = new ArrayList<Email>();
public String getDir() {
return dir;
}
public void setDir(String dir) {
this.dir = dir;
}
public String getWebsite() {
return website;
}
public void setWebsite(String website) {
this.website = website;
}
public int getCurrentDepth() {
return currentDepth;
}
public void setCurrentDepth(int depth) {
this.currentDepth = depth;
}
public int getMaxDepth() {
return maxDepth;
}
public void setMaxDepth(int depth) {
this.maxDepth = depth;
}
public DownloadThread() {
}
public DownloadThread(String website, String dir) {
this(website, dir, 0, 0);
}
public DownloadThread(String website, String dir, int currentDepth, int maxDepth) {
setWebsite(website);
setDir(dir);
setCurrentDepth(currentDepth);
setMaxDepth(maxDepth);
}
public void execute(Runnable r) {
synchronized (queue) {
if (!queue.contains(r)) {
queue.addLast(r);
System.out.println("Added " + getWebsite() + " to queue. (" + getDir() + ")");
}
queue.notify();
}
}
@Override
public void run() {
Document doc = null;
InputStream input = null;
URI uri = null;
// Debug
System.out.println("Fetching " + website);
String fileLok = dir + ((currentDepth > 0) ? getLocalFileName(getPathWithFilename(website)) : "index.html");
// Bestaat lokaal bestand
File bestand = new File(fileLok);
if (bestand.exists()) {
return;
}
// Bestand ophalen
try {
uri = new URI(website);
input = uri.toURL().openStream();
} catch (URISyntaxException ex) {
Logger.getLogger(DownloadThread.class.getName()).log(Level.SEVERE, null, ex);
} catch (MalformedURLException ex) {
Logger.getLogger(DownloadThread.class.getName()).log(Level.SEVERE, null, ex);
} catch (IOException ex) {
Logger.getLogger(DownloadThread.class.getName()).log(Level.SEVERE, null, ex);
}
// Type controleren
String type = getMimeType(website);
if (type.equals("text/html")) {
// HTML Parsen
try {
doc = Jsoup.parse(input, null, getBaseUrl(website));
} catch (IOException ex) {
Logger.getLogger(DownloadThread.class.getName()).log(Level.SEVERE, website + " niet afgehaald.", ex);
return;
}
// base tags moeten leeg zijn
doc.getElementsByTag("base").remove();
// Script tags leeg maken => krijgen veel te veel errors => soms blijven pagina's hangen hierdoor
doc.getElementsByTag("script").remove();
// Afbeeldingen
for (Element image : doc.getElementsByTag("img")) {
// Afbeelding ophalen
addToQueue(getPath(image.attr("src")));
// Afbeelding zijn source vervangen door een MD5 hash
image.attr("src", getLocalFileName(getPathWithFilename(image.attr("src"))));
}
// CSS bestanden
for (Element cssFile : doc.getElementsByTag("link")) {
if(cssFile.attr("rel").equals("stylesheet")) {
// CSS bestand ophalen
addToQueue(getPath(cssFile.attr("href")));
// CSS bestand zijn verwijziging vervangen door een MD5 hash
cssFile.attr("href", getLocalFileName(getPathWithFilename(cssFile.attr("href"))));
}
}
// Links overlopen
for (Element link : doc.getElementsByTag("a")) {
if (link.attr("href").contains("#") || link.attr("href").startsWith("ftp://")) {
continue;
}
// Link toevoegen
if (!(link.attr("href")).contains("mailto")) {
if(link.attr("href").equals(".")) {
link.attr("href", "index.html");
continue;
}
if(link.attr("href").startsWith("http") && isExternal(link.attr("href"), website))
{
addExternalLink(link.attr("href"));
}
else
{
if(maxDepth > 0 && currentDepth >= maxDepth)
continue;
addToQueue(getPath(link.attr("href")));
link.attr("href", getLocalFileName(getPathWithFilename(getPath(link.attr("href")))));
}
}
else if ((link.attr("href")).contains("mailto")) {
addEmail(link.attr("href").replace("mailto:", ""));
}
}
}
System.out.println("Save to " + bestand.getAbsolutePath());
createFile(bestand);
// Save
if (type.equals("text/html")) {
saveHtml(bestand, doc.html());
} else {
saveBinary(bestand, input);
}
// Close
try {
input.close();
} catch (IOException ex) {
Logger.getLogger(DownloadThread.class.getName()).log(Level.SEVERE, null, ex);
}
}
public void addToQueue(String url) {
execute(new DownloadThread(url, dir, currentDepth + 1, maxDepth));
}
public void createFile(File bestand) {
// Maak bestand en dir's aan
try {
if (bestand.getParentFile() != null) {
bestand.getParentFile().mkdirs();
}
System.out.println("Path " + bestand.getAbsolutePath());
bestand.createNewFile();
} catch (IOException ex) {
Logger.getLogger(DownloadThread.class.getName()).log(Level.SEVERE, null, ex);
}
}
public void saveHtml(File bestand, String html) {
// Open bestand
BufferedWriter output = null;
try {
output = new BufferedWriter(new FileWriter(bestand));
} catch (IOException ex) {
Logger.getLogger(DownloadThread.class.getName()).log(Level.SEVERE, null, ex);
}
try {
output.write(html);
} catch (IOException ex) {
Logger.getLogger(DownloadThread.class.getName()).log(Level.SEVERE, null, ex);
}
// Close it
try {
output.close();
} catch (IOException ex) {
Logger.getLogger(DownloadThread.class.getName()).log(Level.SEVERE, null, ex);
}
}
public void saveBinary(File bestand, InputStream input) {
FileOutputStream output = null;
try {
output = new FileOutputStream(bestand);
} catch (FileNotFoundException ex) {
Logger.getLogger(DownloadThread.class.getName()).log(Level.SEVERE, null, ex);
}
byte[] buffer = new byte[4096];
int bytesRead;
try {
while ((bytesRead = input.read(buffer)) != -1) {
output.write(buffer, 0, bytesRead);
}
} catch (IOException ex) {
Logger.getLogger(DownloadThread.class.getName()).log(Level.SEVERE, null, ex);
}
try {
input.close();
output.close();
} catch (IOException ex) {
Logger.getLogger(DownloadThread.class.getName()).log(Level.SEVERE, null, ex);
}
}
public String getPath(String url) {
String result = "fail";
try {
// Indien het url niet start met http, https of ftp er het huidige url voorplakken
if(!url.startsWith("http") && !url.startsWith("https") && !url.startsWith("ftp"))
{
// Indien het url start met '/', eruithalen, anders krijgen we bijvoorbeeld http://www.hln.be//Page/14/01/2011/...
url = getBaseUrl(website) + (url.startsWith("/") ? url.substring(1) : url);
}
URI path = new URI(url.replace(" ", "%20")); // Redelijk hacky, zou een betere oplossing voor moeten zijn
result = path.toString();
} catch (URISyntaxException ex) {
Logger.getLogger(DownloadThread.class.getName()).log(Level.SEVERE, null, ex);
}
return result;
}
public String getPathWithFilename(String url) {
String result = getPath(url);
result = result.replace("http://", "");
if ((result.length() > 1 && result.charAt(result.length() - 1) == '/') || result.length() == 0) {
return dir + result + "index.html";
} else {
return dir + result;
}
}
public String getBaseUrl(String url) {
// Path ophalen
try {
URI path = new URI(url);
String host = "http://" + path.toURL().getHost();
return host.endsWith("/") ? host : (host + "/");
} catch (URISyntaxException ex) {
Logger.getLogger(DownloadThread.class.getName()).log(Level.SEVERE, null, ex);
} catch (MalformedURLException ex) {
Logger.getLogger(DownloadThread.class.getName()).log(Level.SEVERE, null, ex);
}
return "fail";
}
public String getMimeType(String url) {
URL uri = null;
String result = "";
try {
uri = new URL(url);
} catch (MalformedURLException ex) {
Logger.getLogger(DownloadThread.class.getName()).log(Level.SEVERE, null, ex);
}
try {
result = ((URLConnection) uri.openConnection()).getContentType();
if (result.indexOf(";") != -1) {
return result.substring(0, result.indexOf(";"));
} else {
return result;
}
} catch (IOException ex) {
Logger.getLogger(DownloadThread.class.getName()).log(Level.SEVERE, null, ex);
return "text/unknown";
}
}
private void addEmail(String mail) {
Email email = new Email(mail);
emailList.add(email);
System.out.println("Email found and added: " + email.getAddress());
}
private void addExternalLink(String link) {
ExternalLink elink = new ExternalLink(link);
System.out.println("External Link found and added. link: " + link);
}
public boolean isExternal(String attr, String website) {
URI check = null;
URI source = null;
try {
check = new URI(attr);
source = new URI(website);
} catch (URISyntaxException ex) {
return true;
}
if ( check.getHost().equals(source.getHost()))
return false;
return true;
}
public String getLocalFileName(String name)
{
try {
byte[] bytesOfMessage = name.getBytes("UTF-8");
MessageDigest md = MessageDigest.getInstance("MD5");
byte[] thedigest = md.digest(bytesOfMessage);
String extension = getExtension(name);
return new BigInteger(1,thedigest).toString(16) + ("".equals(extension) ? "" : "." + extension);
} catch (Exception ex) {
Logger.getLogger(DownloadThread.class.getName()).log(Level.SEVERE, null, ex);
}
return "0";
}
public String getExtension(String url)
{
// Haal de extensie uit het URL
// We starten altijd met html
String extension = "html";
// Indien een website gebruik maakt van ? in het url, bv, http://www.google.be/test.html?a=152&b=535
// split op het vraagteken en gebruik de linker helft.
url = url.split("\\?")[0];
if(url.contains(".")) {
int mid = url.lastIndexOf(".");
extension = url.substring(mid + 1, url.length());
// Enkele extensies willen we vervangen + indien het resultaat eindigt
// op een / of \ wil het zeggen dat het url bijvoorbeeld http://www.google.com/nieuws/ was.
// De extensie is dan gewoon .html
if(extension.equals("php") || extension.equals("dhtml") || extension.equals("aspx") || extension.equals("asp") ||
extension.contains("\\") || extension.contains("/")){
extension = "html";
}
}
return extension;
}
}
| kidk/tin_scrapy | src/domein/DownloadThread.java | 3,804 | // De extensie is dan gewoon .html | line_comment | nl | package domein;
import java.io.BufferedWriter;
import java.io.File;
import java.io.FileNotFoundException;
import java.io.FileOutputStream;
import java.io.FileWriter;
import java.io.IOException;
import java.io.InputStream;
import java.math.BigInteger;
import java.net.MalformedURLException;
import java.net.URI;
import java.net.URISyntaxException;
import java.net.URL;
import java.net.URLConnection;
import java.security.MessageDigest;
import java.util.ArrayList;
import java.util.List;
import java.util.logging.Level;
import java.util.logging.Logger;
import org.jsoup.Jsoup;
import org.jsoup.nodes.Document;
import org.jsoup.nodes.Element;
/**
*
* @author samuelvandamme
*/
public class DownloadThread implements Runnable {
private final Queue queue = Queue.getInstance();
private String website;
private String dir;
private int currentDepth;
private int maxDepth;
private List<Email> emailList = new ArrayList<Email>();
public String getDir() {
return dir;
}
public void setDir(String dir) {
this.dir = dir;
}
public String getWebsite() {
return website;
}
public void setWebsite(String website) {
this.website = website;
}
public int getCurrentDepth() {
return currentDepth;
}
public void setCurrentDepth(int depth) {
this.currentDepth = depth;
}
public int getMaxDepth() {
return maxDepth;
}
public void setMaxDepth(int depth) {
this.maxDepth = depth;
}
public DownloadThread() {
}
public DownloadThread(String website, String dir) {
this(website, dir, 0, 0);
}
public DownloadThread(String website, String dir, int currentDepth, int maxDepth) {
setWebsite(website);
setDir(dir);
setCurrentDepth(currentDepth);
setMaxDepth(maxDepth);
}
public void execute(Runnable r) {
synchronized (queue) {
if (!queue.contains(r)) {
queue.addLast(r);
System.out.println("Added " + getWebsite() + " to queue. (" + getDir() + ")");
}
queue.notify();
}
}
@Override
public void run() {
Document doc = null;
InputStream input = null;
URI uri = null;
// Debug
System.out.println("Fetching " + website);
String fileLok = dir + ((currentDepth > 0) ? getLocalFileName(getPathWithFilename(website)) : "index.html");
// Bestaat lokaal bestand
File bestand = new File(fileLok);
if (bestand.exists()) {
return;
}
// Bestand ophalen
try {
uri = new URI(website);
input = uri.toURL().openStream();
} catch (URISyntaxException ex) {
Logger.getLogger(DownloadThread.class.getName()).log(Level.SEVERE, null, ex);
} catch (MalformedURLException ex) {
Logger.getLogger(DownloadThread.class.getName()).log(Level.SEVERE, null, ex);
} catch (IOException ex) {
Logger.getLogger(DownloadThread.class.getName()).log(Level.SEVERE, null, ex);
}
// Type controleren
String type = getMimeType(website);
if (type.equals("text/html")) {
// HTML Parsen
try {
doc = Jsoup.parse(input, null, getBaseUrl(website));
} catch (IOException ex) {
Logger.getLogger(DownloadThread.class.getName()).log(Level.SEVERE, website + " niet afgehaald.", ex);
return;
}
// base tags moeten leeg zijn
doc.getElementsByTag("base").remove();
// Script tags leeg maken => krijgen veel te veel errors => soms blijven pagina's hangen hierdoor
doc.getElementsByTag("script").remove();
// Afbeeldingen
for (Element image : doc.getElementsByTag("img")) {
// Afbeelding ophalen
addToQueue(getPath(image.attr("src")));
// Afbeelding zijn source vervangen door een MD5 hash
image.attr("src", getLocalFileName(getPathWithFilename(image.attr("src"))));
}
// CSS bestanden
for (Element cssFile : doc.getElementsByTag("link")) {
if(cssFile.attr("rel").equals("stylesheet")) {
// CSS bestand ophalen
addToQueue(getPath(cssFile.attr("href")));
// CSS bestand zijn verwijziging vervangen door een MD5 hash
cssFile.attr("href", getLocalFileName(getPathWithFilename(cssFile.attr("href"))));
}
}
// Links overlopen
for (Element link : doc.getElementsByTag("a")) {
if (link.attr("href").contains("#") || link.attr("href").startsWith("ftp://")) {
continue;
}
// Link toevoegen
if (!(link.attr("href")).contains("mailto")) {
if(link.attr("href").equals(".")) {
link.attr("href", "index.html");
continue;
}
if(link.attr("href").startsWith("http") && isExternal(link.attr("href"), website))
{
addExternalLink(link.attr("href"));
}
else
{
if(maxDepth > 0 && currentDepth >= maxDepth)
continue;
addToQueue(getPath(link.attr("href")));
link.attr("href", getLocalFileName(getPathWithFilename(getPath(link.attr("href")))));
}
}
else if ((link.attr("href")).contains("mailto")) {
addEmail(link.attr("href").replace("mailto:", ""));
}
}
}
System.out.println("Save to " + bestand.getAbsolutePath());
createFile(bestand);
// Save
if (type.equals("text/html")) {
saveHtml(bestand, doc.html());
} else {
saveBinary(bestand, input);
}
// Close
try {
input.close();
} catch (IOException ex) {
Logger.getLogger(DownloadThread.class.getName()).log(Level.SEVERE, null, ex);
}
}
public void addToQueue(String url) {
execute(new DownloadThread(url, dir, currentDepth + 1, maxDepth));
}
public void createFile(File bestand) {
// Maak bestand en dir's aan
try {
if (bestand.getParentFile() != null) {
bestand.getParentFile().mkdirs();
}
System.out.println("Path " + bestand.getAbsolutePath());
bestand.createNewFile();
} catch (IOException ex) {
Logger.getLogger(DownloadThread.class.getName()).log(Level.SEVERE, null, ex);
}
}
public void saveHtml(File bestand, String html) {
// Open bestand
BufferedWriter output = null;
try {
output = new BufferedWriter(new FileWriter(bestand));
} catch (IOException ex) {
Logger.getLogger(DownloadThread.class.getName()).log(Level.SEVERE, null, ex);
}
try {
output.write(html);
} catch (IOException ex) {
Logger.getLogger(DownloadThread.class.getName()).log(Level.SEVERE, null, ex);
}
// Close it
try {
output.close();
} catch (IOException ex) {
Logger.getLogger(DownloadThread.class.getName()).log(Level.SEVERE, null, ex);
}
}
public void saveBinary(File bestand, InputStream input) {
FileOutputStream output = null;
try {
output = new FileOutputStream(bestand);
} catch (FileNotFoundException ex) {
Logger.getLogger(DownloadThread.class.getName()).log(Level.SEVERE, null, ex);
}
byte[] buffer = new byte[4096];
int bytesRead;
try {
while ((bytesRead = input.read(buffer)) != -1) {
output.write(buffer, 0, bytesRead);
}
} catch (IOException ex) {
Logger.getLogger(DownloadThread.class.getName()).log(Level.SEVERE, null, ex);
}
try {
input.close();
output.close();
} catch (IOException ex) {
Logger.getLogger(DownloadThread.class.getName()).log(Level.SEVERE, null, ex);
}
}
public String getPath(String url) {
String result = "fail";
try {
// Indien het url niet start met http, https of ftp er het huidige url voorplakken
if(!url.startsWith("http") && !url.startsWith("https") && !url.startsWith("ftp"))
{
// Indien het url start met '/', eruithalen, anders krijgen we bijvoorbeeld http://www.hln.be//Page/14/01/2011/...
url = getBaseUrl(website) + (url.startsWith("/") ? url.substring(1) : url);
}
URI path = new URI(url.replace(" ", "%20")); // Redelijk hacky, zou een betere oplossing voor moeten zijn
result = path.toString();
} catch (URISyntaxException ex) {
Logger.getLogger(DownloadThread.class.getName()).log(Level.SEVERE, null, ex);
}
return result;
}
public String getPathWithFilename(String url) {
String result = getPath(url);
result = result.replace("http://", "");
if ((result.length() > 1 && result.charAt(result.length() - 1) == '/') || result.length() == 0) {
return dir + result + "index.html";
} else {
return dir + result;
}
}
public String getBaseUrl(String url) {
// Path ophalen
try {
URI path = new URI(url);
String host = "http://" + path.toURL().getHost();
return host.endsWith("/") ? host : (host + "/");
} catch (URISyntaxException ex) {
Logger.getLogger(DownloadThread.class.getName()).log(Level.SEVERE, null, ex);
} catch (MalformedURLException ex) {
Logger.getLogger(DownloadThread.class.getName()).log(Level.SEVERE, null, ex);
}
return "fail";
}
public String getMimeType(String url) {
URL uri = null;
String result = "";
try {
uri = new URL(url);
} catch (MalformedURLException ex) {
Logger.getLogger(DownloadThread.class.getName()).log(Level.SEVERE, null, ex);
}
try {
result = ((URLConnection) uri.openConnection()).getContentType();
if (result.indexOf(";") != -1) {
return result.substring(0, result.indexOf(";"));
} else {
return result;
}
} catch (IOException ex) {
Logger.getLogger(DownloadThread.class.getName()).log(Level.SEVERE, null, ex);
return "text/unknown";
}
}
private void addEmail(String mail) {
Email email = new Email(mail);
emailList.add(email);
System.out.println("Email found and added: " + email.getAddress());
}
private void addExternalLink(String link) {
ExternalLink elink = new ExternalLink(link);
System.out.println("External Link found and added. link: " + link);
}
public boolean isExternal(String attr, String website) {
URI check = null;
URI source = null;
try {
check = new URI(attr);
source = new URI(website);
} catch (URISyntaxException ex) {
return true;
}
if ( check.getHost().equals(source.getHost()))
return false;
return true;
}
public String getLocalFileName(String name)
{
try {
byte[] bytesOfMessage = name.getBytes("UTF-8");
MessageDigest md = MessageDigest.getInstance("MD5");
byte[] thedigest = md.digest(bytesOfMessage);
String extension = getExtension(name);
return new BigInteger(1,thedigest).toString(16) + ("".equals(extension) ? "" : "." + extension);
} catch (Exception ex) {
Logger.getLogger(DownloadThread.class.getName()).log(Level.SEVERE, null, ex);
}
return "0";
}
public String getExtension(String url)
{
// Haal de extensie uit het URL
// We starten altijd met html
String extension = "html";
// Indien een website gebruik maakt van ? in het url, bv, http://www.google.be/test.html?a=152&b=535
// split op het vraagteken en gebruik de linker helft.
url = url.split("\\?")[0];
if(url.contains(".")) {
int mid = url.lastIndexOf(".");
extension = url.substring(mid + 1, url.length());
// Enkele extensies willen we vervangen + indien het resultaat eindigt
// op een / of \ wil het zeggen dat het url bijvoorbeeld http://www.google.com/nieuws/ was.
// De extensie<SUF>
if(extension.equals("php") || extension.equals("dhtml") || extension.equals("aspx") || extension.equals("asp") ||
extension.contains("\\") || extension.contains("/")){
extension = "html";
}
}
return extension;
}
}
| false | 2,806 | 12 | 3,160 | 12 | 3,377 | 10 | 3,160 | 12 | 3,789 | 11 | false | false | false | false | false | true |
1,524 | 31702_2 | /*
* Copyright 2007 Pieter De Rycke
*
* This file is part of JMTP.
*
* JTMP is free software: you can redistribute it and/or modify
* it under the terms of the GNU Lesser General Public License as
* published by the Free Software Foundation, either version 3 of
* the License, or any later version.
*
* JMTP 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 Lesser General Public License for more details.
*
* You should have received a copy of the GNU LesserGeneral Public
* License along with JMTP. If not, see <http://www.gnu.org/licenses/>.
*/
package jmtp;
import java.io.File;
import java.io.FileNotFoundException;
import java.io.IOException;
import java.math.BigInteger;
import java.util.Date;
import be.derycke.pieter.com.COMException;
import be.derycke.pieter.com.OleDate;
//gemeenschappelijke klasse voor storage en folder
abstract class AbstractPortableDeviceContainerImplWin32 extends PortableDeviceObjectImplWin32 {
AbstractPortableDeviceContainerImplWin32(String objectID,PortableDeviceContentImplWin32 content,
PortableDevicePropertiesImplWin32 properties) {
super(objectID,content,properties);
}
public PortableDeviceObject[] getChildObjects() {
try {
String[] childIDs=content.listChildObjects(objectID);
PortableDeviceObject[] objects=new PortableDeviceObject[childIDs.length];
for(int i=0;i<childIDs.length;i++)
objects[i]=WPDImplWin32.convertToPortableDeviceObject(childIDs[i],this.content,this.properties);
return objects;
} catch (COMException e) {
return new PortableDeviceObject[0];
}
}
public PortableDeviceFolderObject createFolderObject(String name) {
try {
PortableDeviceValuesImplWin32 values=new PortableDeviceValuesImplWin32();
values.setStringValue(Win32WPDDefines.WPD_OBJECT_PARENT_ID,this.objectID);
values.setStringValue(Win32WPDDefines.WPD_OBJECT_ORIGINAL_FILE_NAME,name);
values.setStringValue(Win32WPDDefines.WPD_OBJECT_NAME,name);
values.setGuidValue(Win32WPDDefines.WPD_OBJECT_CONTENT_TYPE,Win32WPDDefines.WPD_CONTENT_TYPE_FOLDER);
return new PortableDeviceFolderObjectImplWin32(content.createObjectWithPropertiesOnly(values),this.content,this.properties);
} catch (COMException e) {
e.printStackTrace();
return null;
}
}
// TODO references ondersteuning nog toevoegen
public PortableDevicePlaylistObject createPlaylistObject(String name,PortableDeviceObject[] references) {
try {
PortableDeviceValuesImplWin32 values=new PortableDeviceValuesImplWin32();
values.setStringValue(Win32WPDDefines.WPD_OBJECT_PARENT_ID,this.objectID);
values.setStringValue(Win32WPDDefines.WPD_OBJECT_ORIGINAL_FILE_NAME,name+".pla");
values.setStringValue(Win32WPDDefines.WPD_OBJECT_NAME,name);
values.setGuidValue(Win32WPDDefines.WPD_OBJECT_FORMAT,Win32WPDDefines.WPD_OBJECT_FORMAT_PLA);
values.setGuidValue(Win32WPDDefines.WPD_OBJECT_CONTENT_TYPE,Win32WPDDefines.WPD_CONTENT_TYPE_PLAYLIST);
if (references!=null) {
PortableDevicePropVariantCollectionImplWin32 propVariantCollection=new PortableDevicePropVariantCollectionImplWin32();
for(PortableDeviceObject reference:references)
propVariantCollection.add(new PropVariant(reference.getID()));
values.setPortableDeviceValuesCollectionValue(Win32WPDDefines.WPD_OBJECT_REFERENCES,propVariantCollection);
}
return new PortableDevicePlaylistObjectImplWin32(content.createObjectWithPropertiesOnly(values),this.content,this.properties);
} catch (COMException e) {
e.printStackTrace();
return null;
}
}
public String addObject(File file) throws FileNotFoundException,IOException {
try {
PortableDeviceValuesImplWin32 values=new PortableDeviceValuesImplWin32();
values.setStringValue(Win32WPDDefines.WPD_OBJECT_PARENT_ID,this.objectID);
values.setStringValue(Win32WPDDefines.WPD_OBJECT_ORIGINAL_FILE_NAME,file.getName());
return(content.createObjectWithPropertiesAndData(values,file));
} catch (COMException e) {
if (e.getHresult()==Win32WPDDefines.E_FILENOTFOUND)
throw new FileNotFoundException("File "+file+" was not found.");
else {
throw new IOException(e);
}
}
}
public PortableDeviceAudioObject addAudioObject(File file,String artist,String title,BigInteger duration)
throws FileNotFoundException,IOException {
return addAudioObject(file,artist,title,duration,null,null,null,-1);
}
public PortableDeviceAudioObject addAudioObject(File file,String artist,String title,BigInteger duration,String genre,
String album,Date releaseDate,int track) throws FileNotFoundException,IOException {
try {
PortableDeviceValuesImplWin32 values=new PortableDeviceValuesImplWin32();
values.setStringValue(Win32WPDDefines.WPD_OBJECT_PARENT_ID,this.objectID);
values.setStringValue(Win32WPDDefines.WPD_OBJECT_ORIGINAL_FILE_NAME,file.getName());
values.setGuidValue(Win32WPDDefines.WPD_OBJECT_FORMAT,Win32WPDDefines.WPD_OBJECT_FORMAT_MP3); // TODO nog manier vinden om
// type te detecteren
values.setGuidValue(Win32WPDDefines.WPD_OBJECT_CONTENT_TYPE,Win32WPDDefines.WPD_CONTENT_TYPE_AUDIO);
values.setStringValue(Win32WPDDefines.WPD_OBJECT_NAME,title);
if (artist!=null)
values.setStringValue(Win32WPDDefines.WPD_MEDIA_ARTIST,artist);
values.setUnsignedLargeIntegerValue(Win32WPDDefines.WPD_MEDIA_DURATION,duration);
if (genre!=null)
values.setStringValue(Win32WPDDefines.WPD_MEDIA_GENRE,genre);
if (album!=null)
values.setStringValue(Win32WPDDefines.WPD_MUSIC_ALBUM,album);
if (releaseDate!=null)
values.setFloateValue(Win32WPDDefines.WPD_MEDIA_RELEASE_DATE,(float)new OleDate(releaseDate).toDouble());
if (track>=0)
values.setUnsignedIntegerValue(Win32WPDDefines.WPD_MUSIC_TRACK,track);
return new PortableDeviceAudioObjectImplWin32(content.createObjectWithPropertiesAndData(values,file),this.content,
this.properties);
} catch (COMException e) {
if (e.getHresult()==Win32WPDDefines.E_FILENOTFOUND)
throw new FileNotFoundException("File "+file+" was not found.");
else {
throw new IOException(e);
}
}
}
}
| SRARAD/Brieflet | PPTConvert/src/jmtp/AbstractPortableDeviceContainerImplWin32.java | 2,089 | // TODO references ondersteuning nog toevoegen | line_comment | nl | /*
* Copyright 2007 Pieter De Rycke
*
* This file is part of JMTP.
*
* JTMP is free software: you can redistribute it and/or modify
* it under the terms of the GNU Lesser General Public License as
* published by the Free Software Foundation, either version 3 of
* the License, or any later version.
*
* JMTP 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 Lesser General Public License for more details.
*
* You should have received a copy of the GNU LesserGeneral Public
* License along with JMTP. If not, see <http://www.gnu.org/licenses/>.
*/
package jmtp;
import java.io.File;
import java.io.FileNotFoundException;
import java.io.IOException;
import java.math.BigInteger;
import java.util.Date;
import be.derycke.pieter.com.COMException;
import be.derycke.pieter.com.OleDate;
//gemeenschappelijke klasse voor storage en folder
abstract class AbstractPortableDeviceContainerImplWin32 extends PortableDeviceObjectImplWin32 {
AbstractPortableDeviceContainerImplWin32(String objectID,PortableDeviceContentImplWin32 content,
PortableDevicePropertiesImplWin32 properties) {
super(objectID,content,properties);
}
public PortableDeviceObject[] getChildObjects() {
try {
String[] childIDs=content.listChildObjects(objectID);
PortableDeviceObject[] objects=new PortableDeviceObject[childIDs.length];
for(int i=0;i<childIDs.length;i++)
objects[i]=WPDImplWin32.convertToPortableDeviceObject(childIDs[i],this.content,this.properties);
return objects;
} catch (COMException e) {
return new PortableDeviceObject[0];
}
}
public PortableDeviceFolderObject createFolderObject(String name) {
try {
PortableDeviceValuesImplWin32 values=new PortableDeviceValuesImplWin32();
values.setStringValue(Win32WPDDefines.WPD_OBJECT_PARENT_ID,this.objectID);
values.setStringValue(Win32WPDDefines.WPD_OBJECT_ORIGINAL_FILE_NAME,name);
values.setStringValue(Win32WPDDefines.WPD_OBJECT_NAME,name);
values.setGuidValue(Win32WPDDefines.WPD_OBJECT_CONTENT_TYPE,Win32WPDDefines.WPD_CONTENT_TYPE_FOLDER);
return new PortableDeviceFolderObjectImplWin32(content.createObjectWithPropertiesOnly(values),this.content,this.properties);
} catch (COMException e) {
e.printStackTrace();
return null;
}
}
// TODO references<SUF>
public PortableDevicePlaylistObject createPlaylistObject(String name,PortableDeviceObject[] references) {
try {
PortableDeviceValuesImplWin32 values=new PortableDeviceValuesImplWin32();
values.setStringValue(Win32WPDDefines.WPD_OBJECT_PARENT_ID,this.objectID);
values.setStringValue(Win32WPDDefines.WPD_OBJECT_ORIGINAL_FILE_NAME,name+".pla");
values.setStringValue(Win32WPDDefines.WPD_OBJECT_NAME,name);
values.setGuidValue(Win32WPDDefines.WPD_OBJECT_FORMAT,Win32WPDDefines.WPD_OBJECT_FORMAT_PLA);
values.setGuidValue(Win32WPDDefines.WPD_OBJECT_CONTENT_TYPE,Win32WPDDefines.WPD_CONTENT_TYPE_PLAYLIST);
if (references!=null) {
PortableDevicePropVariantCollectionImplWin32 propVariantCollection=new PortableDevicePropVariantCollectionImplWin32();
for(PortableDeviceObject reference:references)
propVariantCollection.add(new PropVariant(reference.getID()));
values.setPortableDeviceValuesCollectionValue(Win32WPDDefines.WPD_OBJECT_REFERENCES,propVariantCollection);
}
return new PortableDevicePlaylistObjectImplWin32(content.createObjectWithPropertiesOnly(values),this.content,this.properties);
} catch (COMException e) {
e.printStackTrace();
return null;
}
}
public String addObject(File file) throws FileNotFoundException,IOException {
try {
PortableDeviceValuesImplWin32 values=new PortableDeviceValuesImplWin32();
values.setStringValue(Win32WPDDefines.WPD_OBJECT_PARENT_ID,this.objectID);
values.setStringValue(Win32WPDDefines.WPD_OBJECT_ORIGINAL_FILE_NAME,file.getName());
return(content.createObjectWithPropertiesAndData(values,file));
} catch (COMException e) {
if (e.getHresult()==Win32WPDDefines.E_FILENOTFOUND)
throw new FileNotFoundException("File "+file+" was not found.");
else {
throw new IOException(e);
}
}
}
public PortableDeviceAudioObject addAudioObject(File file,String artist,String title,BigInteger duration)
throws FileNotFoundException,IOException {
return addAudioObject(file,artist,title,duration,null,null,null,-1);
}
public PortableDeviceAudioObject addAudioObject(File file,String artist,String title,BigInteger duration,String genre,
String album,Date releaseDate,int track) throws FileNotFoundException,IOException {
try {
PortableDeviceValuesImplWin32 values=new PortableDeviceValuesImplWin32();
values.setStringValue(Win32WPDDefines.WPD_OBJECT_PARENT_ID,this.objectID);
values.setStringValue(Win32WPDDefines.WPD_OBJECT_ORIGINAL_FILE_NAME,file.getName());
values.setGuidValue(Win32WPDDefines.WPD_OBJECT_FORMAT,Win32WPDDefines.WPD_OBJECT_FORMAT_MP3); // TODO nog manier vinden om
// type te detecteren
values.setGuidValue(Win32WPDDefines.WPD_OBJECT_CONTENT_TYPE,Win32WPDDefines.WPD_CONTENT_TYPE_AUDIO);
values.setStringValue(Win32WPDDefines.WPD_OBJECT_NAME,title);
if (artist!=null)
values.setStringValue(Win32WPDDefines.WPD_MEDIA_ARTIST,artist);
values.setUnsignedLargeIntegerValue(Win32WPDDefines.WPD_MEDIA_DURATION,duration);
if (genre!=null)
values.setStringValue(Win32WPDDefines.WPD_MEDIA_GENRE,genre);
if (album!=null)
values.setStringValue(Win32WPDDefines.WPD_MUSIC_ALBUM,album);
if (releaseDate!=null)
values.setFloateValue(Win32WPDDefines.WPD_MEDIA_RELEASE_DATE,(float)new OleDate(releaseDate).toDouble());
if (track>=0)
values.setUnsignedIntegerValue(Win32WPDDefines.WPD_MUSIC_TRACK,track);
return new PortableDeviceAudioObjectImplWin32(content.createObjectWithPropertiesAndData(values,file),this.content,
this.properties);
} catch (COMException e) {
if (e.getHresult()==Win32WPDDefines.E_FILENOTFOUND)
throw new FileNotFoundException("File "+file+" was not found.");
else {
throw new IOException(e);
}
}
}
}
| false | 1,483 | 10 | 1,791 | 12 | 1,835 | 8 | 1,791 | 12 | 2,102 | 10 | false | false | false | false | false | true |
221 | 23183_2 | package app.qienuren.controller;
import app.qienuren.exceptions.OnderwerkException;
import app.qienuren.exceptions.OverwerkException;
import app.qienuren.model.*;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Service;
import javax.transaction.Transactional;
import java.time.YearMonth;
import java.util.ArrayList;
import java.util.List;
@Service
@Transactional
public class UrenFormulierService {
@Autowired
UrenFormulierRepository urenFormulierRepository;
@Autowired
WerkdagRepository werkdagRepository;
@Autowired
WerkdagService werkdagService;
@Autowired
GebruikerRepository gebruikerRepository;
@Autowired
MailService mailService;
public Iterable<UrenFormulier> getAllUrenFormulieren() {
return urenFormulierRepository.findAll();
}
public List<UrenFormulier> urenFormulieren() {
return (List<UrenFormulier>) urenFormulierRepository.findAll();
}
public Object addWorkDaytoUrenFormulier(UrenFormulier uf, long wdid) {
Werkdag wd = werkdagRepository.findById(wdid).get();
try {
uf.addWerkdayToArray(wd);
return urenFormulierRepository.save(uf);
} catch (Exception e) {
return e.getMessage();
}
}
public UrenFormulier addNewUrenFormulier(UrenFormulier uf) {
int maand = uf.getMaand().ordinal() + 1;
YearMonth yearMonth = YearMonth.of(Integer.parseInt(uf.getJaar()), maand);
int daysInMonth = yearMonth.lengthOfMonth();
for (int x = 1; x <= daysInMonth; x++) {
Werkdag werkdag = werkdagService.addNewWorkday(new Werkdag(x));
addWorkDaytoUrenFormulier(uf, werkdag.getId());
}
return urenFormulierRepository.save(uf);
}
public double getTotaalGewerkteUren(long id) {
return urenFormulierRepository.findById(id).get().getTotaalGewerkteUren();
}
public double getZiekteUrenbyId(long id){
return urenFormulierRepository.findById(id).get().getZiekteUren();
}
public Iterable<UrenFormulier> getUrenFormulierPerMaand(int maandid) {
List<UrenFormulier> localUren = new ArrayList<>();
for (UrenFormulier uren : urenFormulierRepository.findAll()) {
if (uren.getMaand().ordinal() == maandid) {
localUren.add(uren);
}
}
return localUren;
}
public UrenFormulier getUrenFormulierById(long uid) {
return urenFormulierRepository.findById(uid).get();
}
public double getGewerkteUrenByID(long id) {
return 0.0;
}
public Object setStatusUrenFormulier(long urenformulierId, String welkeGoedkeurder){
//deze methode zet de statusGoedkeuring van OPEN naar INGEDIEND_TRAINEE nadat deze
// door de trainee is ingediend ter goedkeuring
if (welkeGoedkeurder.equals("GEBRUIKER")) {
checkMaximaalZiekuren(getZiekteUrenbyId(urenformulierId));
try {
enoughWorkedthisMonth(getTotaalGewerkteUren(urenformulierId));
} catch(OnderwerkException onderwerkException) {
urenFormulierRepository.save(urenFormulierRepository.findById(urenformulierId).get());
System.out.println("je hebt te weinig uren ingevuld deze maand");
return "onderwerk";
} catch (OverwerkException overwerkexception){
urenFormulierRepository.save(urenFormulierRepository.findById(urenformulierId).get());
System.out.println("Je hebt teveel uren ingevuld deze maand!");
return "overwerk";
} catch (Exception e) {
urenFormulierRepository.save(urenFormulierRepository.findById(urenformulierId).get());
return "random exception";
}
getUrenFormulierById(urenformulierId).setStatusGoedkeuring(StatusGoedkeuring.INGEDIEND_GEBRUIKER);
urenFormulierRepository.save(urenFormulierRepository.findById(urenformulierId).get());
return "gelukt";
}
//deze methode zet de statusGoedkeuring van INGEDIEND_TRAINEE of INGEDIEND_MEDEWERKER naar
// GOEDGEKEURD_ADMIN nadat deze door de trainee/medewerker is ingediend ter goedkeuring
// (en door bedrijf is goedgekeurd indien Trainee)
if(welkeGoedkeurder.equals("ADMIN")) {
getUrenFormulierById(urenformulierId).setStatusGoedkeuring(StatusGoedkeuring.GOEDGEKEURD_ADMIN);
}
//deze methode zet de statusGoedkeuring van INGEDIEND_TRAINEE naar GOEDGEKEURD_BEDRIJF nadat deze
//door de trainee/medewerker is ingediend ter goedkeuring. Medewerker slaat deze methode over
//en gaat gelijk naar goedkeuring admin!
if(welkeGoedkeurder.equals("BEDRIJF")) {
getUrenFormulierById(urenformulierId).setStatusGoedkeuring(StatusGoedkeuring.GOEDGEKEURD_BEDRIJF);
}
return getUrenFormulierById(urenformulierId);
}
public UrenFormulier changeDetails(UrenFormulier urenFormulier, UrenFormulier urenFormulierUpdate) {
if (urenFormulierUpdate.getOpmerking() != null) {
urenFormulier.setOpmerking(urenFormulierUpdate.getOpmerking());
}
return urenFormulierRepository.save(urenFormulier);
}
public void ziekMelden(String id, UrenFormulier urenFormulier, String datumDag) {
Gebruiker gebruiker = gebruikerRepository.findByUserId(id);
for (UrenFormulier uf : gebruiker.getUrenFormulier()) {
if (uf.getJaar().equals(urenFormulier.getJaar()) && uf.getMaand() == urenFormulier.getMaand()) {
for (Werkdag werkdag : uf.getWerkdag()) {
if (werkdag.getDatumDag().equals(datumDag)) {
werkdagRepository.save(werkdag.ikBenZiek());
}
}
}
}
}
public void enoughWorkedthisMonth(double totalHoursWorked) throws OnderwerkException {
if (totalHoursWorked <= 139){
throw new OnderwerkException("Je hebt te weinig uren ingevuld deze maand");
} else if (totalHoursWorked >= 220){
throw new OverwerkException("Je hebt teveel gewerkt, take a break");
} else {
return;
}
}
// try catch blok maken als deze exception getrowt wordt. if false krijgt die een bericht terug. in classe urenformulierservice regel 80..
public void checkMaximaalZiekuren(double getZiekurenFormulier){
if (getZiekurenFormulier >= 64){
Mail teveelZiekMailCora = new Mail();
teveelZiekMailCora.setEmailTo("[email protected]");
teveelZiekMailCora.setSubject("Een medewerker heeft meer dan 9 ziektedagen. Check het even!");
teveelZiekMailCora.setText("Hoi Cora, Een medewerker is volgens zijn of haar ingediende urenformulier meer dag 9 dagen ziek geweest deze maand." +
" Wil je het formulier even checken? Log dan in bij het urenregistratiesysteem van Qien."
);
mailService.sendEmail(teveelZiekMailCora);
System.out.println("email verzonden omdat maximaal ziekteuren zijn overschreden");
} else {
System.out.println("ziekteuren zijn niet overschreden. toppiejoppie");
}
}
// rij 85 voor dat we enough worked this month aanroepen een functie die de ziekteuren oproept.
}
| Bob-Coding/qienurenappgroep1 | qienuren-backend/src/main/java/app/qienuren/controller/UrenFormulierService.java | 2,343 | //deze methode zet de statusGoedkeuring van INGEDIEND_TRAINEE of INGEDIEND_MEDEWERKER naar | line_comment | nl | package app.qienuren.controller;
import app.qienuren.exceptions.OnderwerkException;
import app.qienuren.exceptions.OverwerkException;
import app.qienuren.model.*;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Service;
import javax.transaction.Transactional;
import java.time.YearMonth;
import java.util.ArrayList;
import java.util.List;
@Service
@Transactional
public class UrenFormulierService {
@Autowired
UrenFormulierRepository urenFormulierRepository;
@Autowired
WerkdagRepository werkdagRepository;
@Autowired
WerkdagService werkdagService;
@Autowired
GebruikerRepository gebruikerRepository;
@Autowired
MailService mailService;
public Iterable<UrenFormulier> getAllUrenFormulieren() {
return urenFormulierRepository.findAll();
}
public List<UrenFormulier> urenFormulieren() {
return (List<UrenFormulier>) urenFormulierRepository.findAll();
}
public Object addWorkDaytoUrenFormulier(UrenFormulier uf, long wdid) {
Werkdag wd = werkdagRepository.findById(wdid).get();
try {
uf.addWerkdayToArray(wd);
return urenFormulierRepository.save(uf);
} catch (Exception e) {
return e.getMessage();
}
}
public UrenFormulier addNewUrenFormulier(UrenFormulier uf) {
int maand = uf.getMaand().ordinal() + 1;
YearMonth yearMonth = YearMonth.of(Integer.parseInt(uf.getJaar()), maand);
int daysInMonth = yearMonth.lengthOfMonth();
for (int x = 1; x <= daysInMonth; x++) {
Werkdag werkdag = werkdagService.addNewWorkday(new Werkdag(x));
addWorkDaytoUrenFormulier(uf, werkdag.getId());
}
return urenFormulierRepository.save(uf);
}
public double getTotaalGewerkteUren(long id) {
return urenFormulierRepository.findById(id).get().getTotaalGewerkteUren();
}
public double getZiekteUrenbyId(long id){
return urenFormulierRepository.findById(id).get().getZiekteUren();
}
public Iterable<UrenFormulier> getUrenFormulierPerMaand(int maandid) {
List<UrenFormulier> localUren = new ArrayList<>();
for (UrenFormulier uren : urenFormulierRepository.findAll()) {
if (uren.getMaand().ordinal() == maandid) {
localUren.add(uren);
}
}
return localUren;
}
public UrenFormulier getUrenFormulierById(long uid) {
return urenFormulierRepository.findById(uid).get();
}
public double getGewerkteUrenByID(long id) {
return 0.0;
}
public Object setStatusUrenFormulier(long urenformulierId, String welkeGoedkeurder){
//deze methode zet de statusGoedkeuring van OPEN naar INGEDIEND_TRAINEE nadat deze
// door de trainee is ingediend ter goedkeuring
if (welkeGoedkeurder.equals("GEBRUIKER")) {
checkMaximaalZiekuren(getZiekteUrenbyId(urenformulierId));
try {
enoughWorkedthisMonth(getTotaalGewerkteUren(urenformulierId));
} catch(OnderwerkException onderwerkException) {
urenFormulierRepository.save(urenFormulierRepository.findById(urenformulierId).get());
System.out.println("je hebt te weinig uren ingevuld deze maand");
return "onderwerk";
} catch (OverwerkException overwerkexception){
urenFormulierRepository.save(urenFormulierRepository.findById(urenformulierId).get());
System.out.println("Je hebt teveel uren ingevuld deze maand!");
return "overwerk";
} catch (Exception e) {
urenFormulierRepository.save(urenFormulierRepository.findById(urenformulierId).get());
return "random exception";
}
getUrenFormulierById(urenformulierId).setStatusGoedkeuring(StatusGoedkeuring.INGEDIEND_GEBRUIKER);
urenFormulierRepository.save(urenFormulierRepository.findById(urenformulierId).get());
return "gelukt";
}
//deze methode<SUF>
// GOEDGEKEURD_ADMIN nadat deze door de trainee/medewerker is ingediend ter goedkeuring
// (en door bedrijf is goedgekeurd indien Trainee)
if(welkeGoedkeurder.equals("ADMIN")) {
getUrenFormulierById(urenformulierId).setStatusGoedkeuring(StatusGoedkeuring.GOEDGEKEURD_ADMIN);
}
//deze methode zet de statusGoedkeuring van INGEDIEND_TRAINEE naar GOEDGEKEURD_BEDRIJF nadat deze
//door de trainee/medewerker is ingediend ter goedkeuring. Medewerker slaat deze methode over
//en gaat gelijk naar goedkeuring admin!
if(welkeGoedkeurder.equals("BEDRIJF")) {
getUrenFormulierById(urenformulierId).setStatusGoedkeuring(StatusGoedkeuring.GOEDGEKEURD_BEDRIJF);
}
return getUrenFormulierById(urenformulierId);
}
public UrenFormulier changeDetails(UrenFormulier urenFormulier, UrenFormulier urenFormulierUpdate) {
if (urenFormulierUpdate.getOpmerking() != null) {
urenFormulier.setOpmerking(urenFormulierUpdate.getOpmerking());
}
return urenFormulierRepository.save(urenFormulier);
}
public void ziekMelden(String id, UrenFormulier urenFormulier, String datumDag) {
Gebruiker gebruiker = gebruikerRepository.findByUserId(id);
for (UrenFormulier uf : gebruiker.getUrenFormulier()) {
if (uf.getJaar().equals(urenFormulier.getJaar()) && uf.getMaand() == urenFormulier.getMaand()) {
for (Werkdag werkdag : uf.getWerkdag()) {
if (werkdag.getDatumDag().equals(datumDag)) {
werkdagRepository.save(werkdag.ikBenZiek());
}
}
}
}
}
public void enoughWorkedthisMonth(double totalHoursWorked) throws OnderwerkException {
if (totalHoursWorked <= 139){
throw new OnderwerkException("Je hebt te weinig uren ingevuld deze maand");
} else if (totalHoursWorked >= 220){
throw new OverwerkException("Je hebt teveel gewerkt, take a break");
} else {
return;
}
}
// try catch blok maken als deze exception getrowt wordt. if false krijgt die een bericht terug. in classe urenformulierservice regel 80..
public void checkMaximaalZiekuren(double getZiekurenFormulier){
if (getZiekurenFormulier >= 64){
Mail teveelZiekMailCora = new Mail();
teveelZiekMailCora.setEmailTo("[email protected]");
teveelZiekMailCora.setSubject("Een medewerker heeft meer dan 9 ziektedagen. Check het even!");
teveelZiekMailCora.setText("Hoi Cora, Een medewerker is volgens zijn of haar ingediende urenformulier meer dag 9 dagen ziek geweest deze maand." +
" Wil je het formulier even checken? Log dan in bij het urenregistratiesysteem van Qien."
);
mailService.sendEmail(teveelZiekMailCora);
System.out.println("email verzonden omdat maximaal ziekteuren zijn overschreden");
} else {
System.out.println("ziekteuren zijn niet overschreden. toppiejoppie");
}
}
// rij 85 voor dat we enough worked this month aanroepen een functie die de ziekteuren oproept.
}
| false | 1,979 | 31 | 2,174 | 33 | 2,005 | 28 | 2,174 | 33 | 2,359 | 37 | false | false | false | false | false | true |
1,587 | 137527_1 | import java.time.LocalDate;
import java.time.format.DateTimeFormatter;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.Scanner;
public class Main {
public ArrayList<Klant> klanten;
public ArrayList<Project> projecten;
public ArrayList<Medewerker> medewerkers;
public Main() {
klanten = new ArrayList<Klant>(Arrays.asList(
new Klant(1, "Sidd Ghogli", "[email protected]", "+31 628819729"),
new Klant(2, "Klant twee", "[email protected]", "+31 612345678"),
new Klant(3, "Klant drie", "[email protected]", "+31 698765432")
));
medewerkers = new ArrayList<Medewerker>(Arrays.asList(
new Medewerker(4, "Medewerker een", "manager", "+31 623456789", 50),
new Medewerker(5, "Medewerker twee", "developer", "+31 634567890", 35),
new Medewerker(6, "Medewerker drie", "designer", "+31 645678901", 25)
));
projecten = new ArrayList<Project>(Arrays.asList(
new Project(7, "Project 1", "Klein Project", 2000, LocalDate.parse("2023-04-15", DateTimeFormatter.ISO_LOCAL_DATE), LocalDate.parse("2023-05-20", DateTimeFormatter.ISO_LOCAL_DATE), 1, 4),
new Project(8, "Project 2", "Groot Project", 50000, LocalDate.parse("2023-01-23", DateTimeFormatter.ISO_LOCAL_DATE), LocalDate.parse("2023-08-12", DateTimeFormatter.ISO_LOCAL_DATE), 2, 5)
));
}
public static void main(String[] args) {
Main crmApplicatie = new Main();
for(Project p : crmApplicatie.projecten){
new ProjectObserver(p);
}
crmApplicatie.projecten.get(1).addUrenDeclaratie(new UrenDeclaratie(2, crmApplicatie.medewerkers.get(0)));
crmApplicatie.projecten.get(0).addUrenDeclaratie(new UrenDeclaratie(2, crmApplicatie.medewerkers.get(0)));
crmApplicatie.start();
}
public void start() {
boolean programmaActief = true;
Scanner scanner = new Scanner(System.in);
while (programmaActief) {
toonMenu();
int keuze = scanner.nextInt();
scanner.nextLine(); // Om de resterende invoerbuffer te verwijderen
switch (keuze) {
case 1:
voegKlantToe(scanner);
break;
case 2:
voegProjectToe(scanner);
break;
case 3:
voegMedewerkerToe(scanner);
break;
case 4:
toonKlanten();
break;
case 5:
toonProjecten();
break;
case 6:
toonMedewerkers();
break;
case 7:
urenDeclareren();
break;
case 8:
programmaActief = false;
break;
default:
System.out.println("Ongeldige keuze. Probeer opnieuw.");
}
}
scanner.close();
}
private void toonMenu() {
System.out.println("Selecteer een optie:");
System.out.println("1. Klant toevoegen");
System.out.println("2. Project toevoegen");
System.out.println("3. Medewerker toevoegen");
System.out.println("4. Klanten weergeven");
System.out.println("5. Projecten weergeven");
System.out.println("6. Medewerkers weergeven");
System.out.println("7. Uren Declareren");
System.out.println("8. Afsluiten");
}
private void voegKlantToe(Scanner scanner) {
System.out.println("Voer de klant-ID in:");
int klantID = scanner.nextInt();
scanner.nextLine();
System.out.println("Voer de naam in:");
String naam = scanner.nextLine();
System.out.println("Voer het e-mailadres in:");
String email = scanner.nextLine();
System.out.println("Voer het telefoonnummer in:");
String telefoonnummer = scanner.nextLine();
Klant klant = new Klant(klantID, naam, email, telefoonnummer);
klanten.add(klant);
System.out.println("Klant toegevoegd.");
}
private void voegProjectToe(Scanner scanner) {
System.out.println("Voer het project-ID in:");
int projectID = scanner.nextInt();
scanner.nextLine();
//project manager/ klantid / datum check
System.out.println("Voer de projectnaam in:");
String projectnaam = scanner.nextLine();
System.out.println("Voer de projectbeschrijving in:");
String beschrijving = scanner.nextLine();
System.out.println("Voer het budget in:");
int budget = scanner.nextInt();
scanner.nextLine();
System.out.println("Voer de klant-ID in:");
int klantID = scanner.nextInt();
scanner.nextLine();
System.out.println("Voer de medewerker-ID in:");
int medewerkerID = scanner.nextInt();
scanner.nextLine();
System.out.println("Voer de startdatum in (YYYY-MM-DD):");
String startdatumStr = scanner.nextLine();
LocalDate startdatum = LocalDate.parse(startdatumStr, DateTimeFormatter.ISO_LOCAL_DATE);
System.out.println("Voer de einddatum in (YYYY-MM-DD):");
String einddatumStr = scanner.nextLine();
LocalDate einddatum = LocalDate.parse(einddatumStr, DateTimeFormatter.ISO_LOCAL_DATE);
Project project = new Project(projectID, projectnaam, beschrijving, budget, startdatum, einddatum, klantID,medewerkerID);
new ProjectObserver(project);
projecten.add(project);
System.out.println("Project toegevoegd.");
}
private void voegMedewerkerToe(Scanner scanner) {
System.out.println("Voer de medewerker-ID in:");
int medewerkerID = scanner.nextInt();
scanner.nextLine();
System.out.println("Voer de voornaam in:");
String voornaam = scanner.nextLine();
System.out.println("Voer de achternaam in:");
String achternaam = scanner.nextLine();
System.out.println("Voer de functie in:");
String functie = scanner.nextLine();
System.out.println("Voer het e-mailadres in:");
String email = scanner.nextLine();
System.out.println("Voer het uurtarief in:");
Double uurTarief = scanner.nextDouble();
Medewerker medewerker = new Medewerker(medewerkerID, (voornaam + " " + achternaam), functie, email, uurTarief);
medewerkers.add(medewerker);
System.out.println("Medewerker toegevoegd.");
}
private void toonKlanten() {
System.out.println("Klantenlijst:");
for (Klant klant : klanten) {
System.out.println("ID: " + klant.getKlantID() + ", Naam: " + klant.getNaam() + ", E-mail: " + klant.getEmail() + ", Telefoonnummer: " + klant.getTelefoonnummer());
}
}
private void toonProjecten() {
System.out.println("Projectenlijst:");
for (Project project : projecten) {
System.out.println("ID: " + project.getProjectID() + ", Klant: " + project.getKlantID() + ", " +project.getProjectmanagerID() + ", Naam: " + project.getProjectnaam() + ", Beschrijving: " + project.getBeschrijving() + ", Startdatum: " + project.getStartdatum() + ", Einddatum: " + project.getEinddatum());
}
}
private void toonMedewerkers() {
System.out.println("Medewerkerslijst:");
for (Medewerker medewerker : medewerkers) {
System.out.println("ID: " + medewerker.getMedewerkerID() + ", " + medewerker.getFunctie() + ", Naam: " + medewerker.getNaam() + ", E-mail: " + medewerker.getEmail());
}
}
private void urenDeclareren(){
//TODO code hierzo toevoegen
//input is de medewerkerID, ProjectID en het aantal uur. Daarna toevoegen aan UrenDeclaratie in Project Class
}
} | Siddhart/OPT3-v2 | src/main/java/Main.java | 2,531 | //project manager/ klantid / datum check | line_comment | nl | import java.time.LocalDate;
import java.time.format.DateTimeFormatter;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.Scanner;
public class Main {
public ArrayList<Klant> klanten;
public ArrayList<Project> projecten;
public ArrayList<Medewerker> medewerkers;
public Main() {
klanten = new ArrayList<Klant>(Arrays.asList(
new Klant(1, "Sidd Ghogli", "[email protected]", "+31 628819729"),
new Klant(2, "Klant twee", "[email protected]", "+31 612345678"),
new Klant(3, "Klant drie", "[email protected]", "+31 698765432")
));
medewerkers = new ArrayList<Medewerker>(Arrays.asList(
new Medewerker(4, "Medewerker een", "manager", "+31 623456789", 50),
new Medewerker(5, "Medewerker twee", "developer", "+31 634567890", 35),
new Medewerker(6, "Medewerker drie", "designer", "+31 645678901", 25)
));
projecten = new ArrayList<Project>(Arrays.asList(
new Project(7, "Project 1", "Klein Project", 2000, LocalDate.parse("2023-04-15", DateTimeFormatter.ISO_LOCAL_DATE), LocalDate.parse("2023-05-20", DateTimeFormatter.ISO_LOCAL_DATE), 1, 4),
new Project(8, "Project 2", "Groot Project", 50000, LocalDate.parse("2023-01-23", DateTimeFormatter.ISO_LOCAL_DATE), LocalDate.parse("2023-08-12", DateTimeFormatter.ISO_LOCAL_DATE), 2, 5)
));
}
public static void main(String[] args) {
Main crmApplicatie = new Main();
for(Project p : crmApplicatie.projecten){
new ProjectObserver(p);
}
crmApplicatie.projecten.get(1).addUrenDeclaratie(new UrenDeclaratie(2, crmApplicatie.medewerkers.get(0)));
crmApplicatie.projecten.get(0).addUrenDeclaratie(new UrenDeclaratie(2, crmApplicatie.medewerkers.get(0)));
crmApplicatie.start();
}
public void start() {
boolean programmaActief = true;
Scanner scanner = new Scanner(System.in);
while (programmaActief) {
toonMenu();
int keuze = scanner.nextInt();
scanner.nextLine(); // Om de resterende invoerbuffer te verwijderen
switch (keuze) {
case 1:
voegKlantToe(scanner);
break;
case 2:
voegProjectToe(scanner);
break;
case 3:
voegMedewerkerToe(scanner);
break;
case 4:
toonKlanten();
break;
case 5:
toonProjecten();
break;
case 6:
toonMedewerkers();
break;
case 7:
urenDeclareren();
break;
case 8:
programmaActief = false;
break;
default:
System.out.println("Ongeldige keuze. Probeer opnieuw.");
}
}
scanner.close();
}
private void toonMenu() {
System.out.println("Selecteer een optie:");
System.out.println("1. Klant toevoegen");
System.out.println("2. Project toevoegen");
System.out.println("3. Medewerker toevoegen");
System.out.println("4. Klanten weergeven");
System.out.println("5. Projecten weergeven");
System.out.println("6. Medewerkers weergeven");
System.out.println("7. Uren Declareren");
System.out.println("8. Afsluiten");
}
private void voegKlantToe(Scanner scanner) {
System.out.println("Voer de klant-ID in:");
int klantID = scanner.nextInt();
scanner.nextLine();
System.out.println("Voer de naam in:");
String naam = scanner.nextLine();
System.out.println("Voer het e-mailadres in:");
String email = scanner.nextLine();
System.out.println("Voer het telefoonnummer in:");
String telefoonnummer = scanner.nextLine();
Klant klant = new Klant(klantID, naam, email, telefoonnummer);
klanten.add(klant);
System.out.println("Klant toegevoegd.");
}
private void voegProjectToe(Scanner scanner) {
System.out.println("Voer het project-ID in:");
int projectID = scanner.nextInt();
scanner.nextLine();
//project manager/<SUF>
System.out.println("Voer de projectnaam in:");
String projectnaam = scanner.nextLine();
System.out.println("Voer de projectbeschrijving in:");
String beschrijving = scanner.nextLine();
System.out.println("Voer het budget in:");
int budget = scanner.nextInt();
scanner.nextLine();
System.out.println("Voer de klant-ID in:");
int klantID = scanner.nextInt();
scanner.nextLine();
System.out.println("Voer de medewerker-ID in:");
int medewerkerID = scanner.nextInt();
scanner.nextLine();
System.out.println("Voer de startdatum in (YYYY-MM-DD):");
String startdatumStr = scanner.nextLine();
LocalDate startdatum = LocalDate.parse(startdatumStr, DateTimeFormatter.ISO_LOCAL_DATE);
System.out.println("Voer de einddatum in (YYYY-MM-DD):");
String einddatumStr = scanner.nextLine();
LocalDate einddatum = LocalDate.parse(einddatumStr, DateTimeFormatter.ISO_LOCAL_DATE);
Project project = new Project(projectID, projectnaam, beschrijving, budget, startdatum, einddatum, klantID,medewerkerID);
new ProjectObserver(project);
projecten.add(project);
System.out.println("Project toegevoegd.");
}
private void voegMedewerkerToe(Scanner scanner) {
System.out.println("Voer de medewerker-ID in:");
int medewerkerID = scanner.nextInt();
scanner.nextLine();
System.out.println("Voer de voornaam in:");
String voornaam = scanner.nextLine();
System.out.println("Voer de achternaam in:");
String achternaam = scanner.nextLine();
System.out.println("Voer de functie in:");
String functie = scanner.nextLine();
System.out.println("Voer het e-mailadres in:");
String email = scanner.nextLine();
System.out.println("Voer het uurtarief in:");
Double uurTarief = scanner.nextDouble();
Medewerker medewerker = new Medewerker(medewerkerID, (voornaam + " " + achternaam), functie, email, uurTarief);
medewerkers.add(medewerker);
System.out.println("Medewerker toegevoegd.");
}
private void toonKlanten() {
System.out.println("Klantenlijst:");
for (Klant klant : klanten) {
System.out.println("ID: " + klant.getKlantID() + ", Naam: " + klant.getNaam() + ", E-mail: " + klant.getEmail() + ", Telefoonnummer: " + klant.getTelefoonnummer());
}
}
private void toonProjecten() {
System.out.println("Projectenlijst:");
for (Project project : projecten) {
System.out.println("ID: " + project.getProjectID() + ", Klant: " + project.getKlantID() + ", " +project.getProjectmanagerID() + ", Naam: " + project.getProjectnaam() + ", Beschrijving: " + project.getBeschrijving() + ", Startdatum: " + project.getStartdatum() + ", Einddatum: " + project.getEinddatum());
}
}
private void toonMedewerkers() {
System.out.println("Medewerkerslijst:");
for (Medewerker medewerker : medewerkers) {
System.out.println("ID: " + medewerker.getMedewerkerID() + ", " + medewerker.getFunctie() + ", Naam: " + medewerker.getNaam() + ", E-mail: " + medewerker.getEmail());
}
}
private void urenDeclareren(){
//TODO code hierzo toevoegen
//input is de medewerkerID, ProjectID en het aantal uur. Daarna toevoegen aan UrenDeclaratie in Project Class
}
} | false | 2,038 | 10 | 2,261 | 10 | 2,211 | 10 | 2,261 | 10 | 2,626 | 11 | false | false | false | false | false | true |
3,133 | 13739_11 | package afvink3;
/**
* Race class
* Class Race maakt gebruik van de class Paard
*
* @author Martijn van der Bruggen
* @version alpha - aanroep van cruciale methodes ontbreekt
* (c) 2009 Hogeschool van Arnhem en Nijmegen
*
* Note: deze code is bewust niet op alle punten generiek
* dit om nog onbekende constructies te vermijden.
*
* Updates
* 2010: verduidelijking van opdrachten in de code MvdB
* 2011: verbetering leesbaarheid code MvdB
* 2012: verbetering layout code en aanpassing commentaar MvdB
* 2013: commentaar aangepast aan nieuwe opdracht MvdB
*
*************************************************
* Afvinkopdracht: werken met methodes en objecten
*************************************************
* Opdrachten zitten verwerkt in de code
* 1) Declaratie constante
* 2) Declaratie van Paard (niet instantiering)
* 3) Declareer een button
* 4) Zet breedte en hoogte van het frame
* 5) Teken een finish streep
* 6) Creatie van 4 paarden
* 7) Pauzeer
* 8) Teken 4 paarden
* 9) Plaats tekst op de button
* 10) Start de race, methode aanroep
*
*
*/
import java.awt.*;
import java.awt.event.*;
import javax.swing.*;
public class Race extends JFrame implements ActionListener {
/** declaratie van variabelen */
/* (1) Declareer hier een constante int met de naam lengte en een waarde van 250 */
/* (2) Declareer hier h1, h2, h3, h4 van het type Paard
* Deze paarden instantieer je later in het programma
*/
/* (3) Declareer een button met de naam button van het type JButton */
private JPanel panel;
/** Applicatie - main functie voor runnen applicatie */
public static void main(String[] args) {
Race frame = new Race();
/* (4) Geef het frame een breedte van 400 en hoogte van 140 */
frame.createGUI();
frame.setVisible(true);
}
/** Loop de race
*/
private void startRace(Graphics g) {
panel.setBackground(Color.white);
/** Tekenen van de finish streep */
/* (5) Geef de finish streep een rode kleur */
g.fillRect(lengte, 0, 3, 100);
/**(6) Creatie van 4 paarden
* Dit is een instantiering van de 4 paard objecten
* Bij de instantiering geef je de paarden een naam en een kleur mee
* Kijk in de class Paard hoe je de paarden
* kunt initialiseren.
*/
/** Loop tot een paard over de finish is*/
while (h1.getAfstand() < lengte
&& h2.getAfstand() < lengte
&& h3.getAfstand() < lengte
&& h4.getAfstand() < lengte) {
h1.run();
h2.run();
h3.run();
h4.run();
/* (7) Voeg hier een aanroep van de methode pauzeer toe zodanig
* dat er 1 seconde pauze is. De methode pauzeer is onderdeel
* van deze class
*/
/* (8) Voeg hier code in om 4 paarden te tekenen die rennen
* Dus een call van de methode tekenPaard
*/
}
/** Kijk welk paard gewonnen heeft
*/
if (h1.getAfstand() > lengte) {
JOptionPane.showMessageDialog(null, h1.getNaam() + " gewonnen!");
}
if (h2.getAfstand() > lengte) {
JOptionPane.showMessageDialog(null, h2.getNaam() + " gewonnen!");
}
if (h3.getAfstand() > lengte) {
JOptionPane.showMessageDialog(null, h3.getNaam() + " gewonnen!");
}
if (h4.getAfstand() > lengte) {
JOptionPane.showMessageDialog(null, h4.getNaam() + " gewonnen!");
}
}
/** Creatie van de GUI*/
private void createGUI() {
setDefaultCloseOperation(EXIT_ON_CLOSE);
Container window = getContentPane();
window.setLayout(new FlowLayout());
panel = new JPanel();
panel.setPreferredSize(new Dimension(300, 100));
panel.setBackground(Color.white);
window.add(panel);
/* (9) Zet hier de tekst Run! op de button */
window.add(button);
button.addActionListener(this);
}
/** Teken het paard */
private void tekenPaard(Graphics g, Paard h) {
g.setColor(h.getKleur());
g.fillRect(10, 20 * h.getPaardNummer(), h.getAfstand(), 5);
}
/** Actie indien de button geklikt is*/
public void actionPerformed(ActionEvent event) {
Graphics paper = panel.getGraphics();
/* (10) Roep hier de methode startrace aan met de juiste parameterisering */
startRace (paper);
}
/** Pauzeer gedurende x millisecondes*/
public void pauzeer(int msec) {
try {
Thread.sleep(msec);
} catch (InterruptedException e) {
System.out.println("Pauze interruptie");
}
}
}
| itbc-bin/1819-owe5a-afvinkopdracht3-silvappeldoorn | afvink3/Race.java | 1,525 | /** Loop tot een paard over de finish is*/ | block_comment | nl | package afvink3;
/**
* Race class
* Class Race maakt gebruik van de class Paard
*
* @author Martijn van der Bruggen
* @version alpha - aanroep van cruciale methodes ontbreekt
* (c) 2009 Hogeschool van Arnhem en Nijmegen
*
* Note: deze code is bewust niet op alle punten generiek
* dit om nog onbekende constructies te vermijden.
*
* Updates
* 2010: verduidelijking van opdrachten in de code MvdB
* 2011: verbetering leesbaarheid code MvdB
* 2012: verbetering layout code en aanpassing commentaar MvdB
* 2013: commentaar aangepast aan nieuwe opdracht MvdB
*
*************************************************
* Afvinkopdracht: werken met methodes en objecten
*************************************************
* Opdrachten zitten verwerkt in de code
* 1) Declaratie constante
* 2) Declaratie van Paard (niet instantiering)
* 3) Declareer een button
* 4) Zet breedte en hoogte van het frame
* 5) Teken een finish streep
* 6) Creatie van 4 paarden
* 7) Pauzeer
* 8) Teken 4 paarden
* 9) Plaats tekst op de button
* 10) Start de race, methode aanroep
*
*
*/
import java.awt.*;
import java.awt.event.*;
import javax.swing.*;
public class Race extends JFrame implements ActionListener {
/** declaratie van variabelen */
/* (1) Declareer hier een constante int met de naam lengte en een waarde van 250 */
/* (2) Declareer hier h1, h2, h3, h4 van het type Paard
* Deze paarden instantieer je later in het programma
*/
/* (3) Declareer een button met de naam button van het type JButton */
private JPanel panel;
/** Applicatie - main functie voor runnen applicatie */
public static void main(String[] args) {
Race frame = new Race();
/* (4) Geef het frame een breedte van 400 en hoogte van 140 */
frame.createGUI();
frame.setVisible(true);
}
/** Loop de race
*/
private void startRace(Graphics g) {
panel.setBackground(Color.white);
/** Tekenen van de finish streep */
/* (5) Geef de finish streep een rode kleur */
g.fillRect(lengte, 0, 3, 100);
/**(6) Creatie van 4 paarden
* Dit is een instantiering van de 4 paard objecten
* Bij de instantiering geef je de paarden een naam en een kleur mee
* Kijk in de class Paard hoe je de paarden
* kunt initialiseren.
*/
/** Loop tot een<SUF>*/
while (h1.getAfstand() < lengte
&& h2.getAfstand() < lengte
&& h3.getAfstand() < lengte
&& h4.getAfstand() < lengte) {
h1.run();
h2.run();
h3.run();
h4.run();
/* (7) Voeg hier een aanroep van de methode pauzeer toe zodanig
* dat er 1 seconde pauze is. De methode pauzeer is onderdeel
* van deze class
*/
/* (8) Voeg hier code in om 4 paarden te tekenen die rennen
* Dus een call van de methode tekenPaard
*/
}
/** Kijk welk paard gewonnen heeft
*/
if (h1.getAfstand() > lengte) {
JOptionPane.showMessageDialog(null, h1.getNaam() + " gewonnen!");
}
if (h2.getAfstand() > lengte) {
JOptionPane.showMessageDialog(null, h2.getNaam() + " gewonnen!");
}
if (h3.getAfstand() > lengte) {
JOptionPane.showMessageDialog(null, h3.getNaam() + " gewonnen!");
}
if (h4.getAfstand() > lengte) {
JOptionPane.showMessageDialog(null, h4.getNaam() + " gewonnen!");
}
}
/** Creatie van de GUI*/
private void createGUI() {
setDefaultCloseOperation(EXIT_ON_CLOSE);
Container window = getContentPane();
window.setLayout(new FlowLayout());
panel = new JPanel();
panel.setPreferredSize(new Dimension(300, 100));
panel.setBackground(Color.white);
window.add(panel);
/* (9) Zet hier de tekst Run! op de button */
window.add(button);
button.addActionListener(this);
}
/** Teken het paard */
private void tekenPaard(Graphics g, Paard h) {
g.setColor(h.getKleur());
g.fillRect(10, 20 * h.getPaardNummer(), h.getAfstand(), 5);
}
/** Actie indien de button geklikt is*/
public void actionPerformed(ActionEvent event) {
Graphics paper = panel.getGraphics();
/* (10) Roep hier de methode startrace aan met de juiste parameterisering */
startRace (paper);
}
/** Pauzeer gedurende x millisecondes*/
public void pauzeer(int msec) {
try {
Thread.sleep(msec);
} catch (InterruptedException e) {
System.out.println("Pauze interruptie");
}
}
}
| false | 1,282 | 11 | 1,422 | 11 | 1,363 | 10 | 1,422 | 11 | 1,544 | 11 | false | false | false | false | false | true |
1,225 | 118161_2 | package GUI.monitoring;
import java.net.InetAddress;
import java.net.Socket;
import java.sql.*;
import javax.swing.*;
import javax.swing.table.*;
import java.util.ArrayList;
import java.util.List;
import java.io.IOException;
public class DatabaseTableModel extends AbstractTableModel{
private JDialog jDialog;
private ResultSet resultSet;
private String ip;
int timeoutSeconds = 3;
boolean reachable = true;
private Object[][] data = {};
private String[] columnNames = {"Hostnaam", "cpu load", "Totale opslag", "Gebruikte opslag", "vrije opslag", "uptime", "beschikbaar"};
public DatabaseTableModel(JDialog jDialog) {
this.jDialog = jDialog;
}
public void tableModel(){
try {
Thread executionThread = new Thread(()-> {
try (Connection connection = DriverManager.getConnection("jdbc:mysql://192.168.3.2:3306/monitoring", "HAProxy", "ICTM2O2!#gangsters");
Statement statement = connection.createStatement()) {
statement.setQueryTimeout(timeoutSeconds);
resultSet = statement.executeQuery("SELECT * FROM componenten");
List<Object[]> rows = new ArrayList<>();
while (resultSet.next()) {
Object[] row = new Object[columnNames.length];
row[0] = resultSet.getString("hostnaam");
row[1] = resultSet.getDouble("cpu_load");
row[2] = (resultSet.getDouble("disk_total") / Math.pow(1024, 3));
row[3] = (resultSet.getDouble("disk_used") / Math.pow(1024, 3));
row[4] = (resultSet.getDouble("disk_free") / Math.pow(1024, 3));
row[5] = (resultSet.getDouble("uptime") / 3600);
String server = resultSet.getString("server");
ip = resultSet.getString("ipadres");
if (server.equals("webserver")){
boolean isAvailable = checkWebserverAvailability(ip, 80);
row[6] = isAvailable ? "Yes" : "No"; // Set "beschikbaar" column value
} else if (server.equals("database")) {
boolean isAvailable = checkDatabaseserverAvailability(ip, 3306);
row[6] = isAvailable ? "Yes" : "No"; // Set "beschikbaar" column value
}
rows.add(row);
}
data = rows.toArray(new Object[0][]);
reachable = true;
fireTableDataChanged();
} catch (SQLException e) {
reachable = false;
e.printStackTrace();
}
});
executionThread.start();
executionThread.join(timeoutSeconds * 1000);
if (executionThread.isAlive()){
executionThread.interrupt();
JOptionPane.showMessageDialog(jDialog, "Databaseserver niet bereikbaar!", "Fout", JOptionPane.ERROR_MESSAGE);
reachable = false;
}
} catch (Exception e) {
reachable = false;
}
}
@Override
public int getRowCount() {
return data.length;
}
@Override
public int getColumnCount() {
return columnNames.length;
}
@Override
public String getColumnName(int columnIndex) {
return columnNames[columnIndex];
}
@Override
public Class<?> getColumnClass(int columnIndex) {
if (getRowCount() > 0) {
return getValueAt(0, columnIndex).getClass();
}
return Object.class;
}
@Override
public Object getValueAt(int rowIndex, int columnIndex) {
Object value = data[rowIndex][columnIndex];
if (value == null) {
return "";
} else {
return value;
}
}
@Override
public void setValueAt(Object value, int rowIndex, int columnIndex) {
data[rowIndex][columnIndex] = value;
fireTableCellUpdated(rowIndex, columnIndex);
}
public boolean checkWebserverAvailability(String ipAddress, int port){
try {
InetAddress inetAddress = InetAddress.getByName(ipAddress);
Socket socket = new Socket(inetAddress, port);
socket.close();
return true;
} catch (IOException e) {
e.printStackTrace();
return false;
}
}
public boolean checkDatabaseserverAvailability(String ipAddress, int port) throws SQLException {
try{
InetAddress inetAddress = InetAddress.getByName(ipAddress);
Socket socket = new Socket(inetAddress, port);
socket.close();
return true;
} catch (Exception e) {
e.printStackTrace();
return false;
}
}
public boolean checkFirewallAvailability(String ipAddress, int port){
try{
InetAddress inetAddress = InetAddress.getByName(ipAddress);
Socket socket = new Socket(inetAddress, port);
socket.close();
return true;
} catch (Exception e) {
e.printStackTrace();
return false;
}
}
public boolean getReachable(){
return this.reachable;
}
}
| Obi-TwoKenobi/MonitoringsApplicatie | src/GUI/monitoring/DatabaseTableModel.java | 1,443 | // Set "beschikbaar" column value | line_comment | nl | package GUI.monitoring;
import java.net.InetAddress;
import java.net.Socket;
import java.sql.*;
import javax.swing.*;
import javax.swing.table.*;
import java.util.ArrayList;
import java.util.List;
import java.io.IOException;
public class DatabaseTableModel extends AbstractTableModel{
private JDialog jDialog;
private ResultSet resultSet;
private String ip;
int timeoutSeconds = 3;
boolean reachable = true;
private Object[][] data = {};
private String[] columnNames = {"Hostnaam", "cpu load", "Totale opslag", "Gebruikte opslag", "vrije opslag", "uptime", "beschikbaar"};
public DatabaseTableModel(JDialog jDialog) {
this.jDialog = jDialog;
}
public void tableModel(){
try {
Thread executionThread = new Thread(()-> {
try (Connection connection = DriverManager.getConnection("jdbc:mysql://192.168.3.2:3306/monitoring", "HAProxy", "ICTM2O2!#gangsters");
Statement statement = connection.createStatement()) {
statement.setQueryTimeout(timeoutSeconds);
resultSet = statement.executeQuery("SELECT * FROM componenten");
List<Object[]> rows = new ArrayList<>();
while (resultSet.next()) {
Object[] row = new Object[columnNames.length];
row[0] = resultSet.getString("hostnaam");
row[1] = resultSet.getDouble("cpu_load");
row[2] = (resultSet.getDouble("disk_total") / Math.pow(1024, 3));
row[3] = (resultSet.getDouble("disk_used") / Math.pow(1024, 3));
row[4] = (resultSet.getDouble("disk_free") / Math.pow(1024, 3));
row[5] = (resultSet.getDouble("uptime") / 3600);
String server = resultSet.getString("server");
ip = resultSet.getString("ipadres");
if (server.equals("webserver")){
boolean isAvailable = checkWebserverAvailability(ip, 80);
row[6] = isAvailable ? "Yes" : "No"; // Set "beschikbaar" column value
} else if (server.equals("database")) {
boolean isAvailable = checkDatabaseserverAvailability(ip, 3306);
row[6] = isAvailable ? "Yes" : "No"; // Set "beschikbaar"<SUF>
}
rows.add(row);
}
data = rows.toArray(new Object[0][]);
reachable = true;
fireTableDataChanged();
} catch (SQLException e) {
reachable = false;
e.printStackTrace();
}
});
executionThread.start();
executionThread.join(timeoutSeconds * 1000);
if (executionThread.isAlive()){
executionThread.interrupt();
JOptionPane.showMessageDialog(jDialog, "Databaseserver niet bereikbaar!", "Fout", JOptionPane.ERROR_MESSAGE);
reachable = false;
}
} catch (Exception e) {
reachable = false;
}
}
@Override
public int getRowCount() {
return data.length;
}
@Override
public int getColumnCount() {
return columnNames.length;
}
@Override
public String getColumnName(int columnIndex) {
return columnNames[columnIndex];
}
@Override
public Class<?> getColumnClass(int columnIndex) {
if (getRowCount() > 0) {
return getValueAt(0, columnIndex).getClass();
}
return Object.class;
}
@Override
public Object getValueAt(int rowIndex, int columnIndex) {
Object value = data[rowIndex][columnIndex];
if (value == null) {
return "";
} else {
return value;
}
}
@Override
public void setValueAt(Object value, int rowIndex, int columnIndex) {
data[rowIndex][columnIndex] = value;
fireTableCellUpdated(rowIndex, columnIndex);
}
public boolean checkWebserverAvailability(String ipAddress, int port){
try {
InetAddress inetAddress = InetAddress.getByName(ipAddress);
Socket socket = new Socket(inetAddress, port);
socket.close();
return true;
} catch (IOException e) {
e.printStackTrace();
return false;
}
}
public boolean checkDatabaseserverAvailability(String ipAddress, int port) throws SQLException {
try{
InetAddress inetAddress = InetAddress.getByName(ipAddress);
Socket socket = new Socket(inetAddress, port);
socket.close();
return true;
} catch (Exception e) {
e.printStackTrace();
return false;
}
}
public boolean checkFirewallAvailability(String ipAddress, int port){
try{
InetAddress inetAddress = InetAddress.getByName(ipAddress);
Socket socket = new Socket(inetAddress, port);
socket.close();
return true;
} catch (Exception e) {
e.printStackTrace();
return false;
}
}
public boolean getReachable(){
return this.reachable;
}
}
| false | 1,068 | 9 | 1,161 | 11 | 1,257 | 8 | 1,161 | 11 | 1,441 | 10 | false | false | false | false | false | true |
3,610 | 22285_2 | package ipsen1.quarto.form;
import ipsen1.quarto.QuartoApplication;
import ipsen1.quarto.form.menu.MenuButton;
import ipsen1.quarto.util.FontOpenSans;
import ipsen1.quarto.util.QuartoColor;
import javax.swing.*;
import javax.swing.border.EmptyBorder;
import java.awt.*;
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
public class Instructies extends Form {
@Override
protected void paintComponent(Graphics g) {
super.paintComponent(g);
g.drawImage(background, 0, 0, null);
}
public Instructies() {
// Instellen Formaat en layout
setPreferredSize(new Dimension(1024, 768));
setLayout(new BorderLayout(10, 10));
setBackground(QuartoColor.DARK_BROWN);
// Defineren Titel koptekst
JLabel titelLabel = new JLabel("Instructies", SwingConstants.CENTER);
titelLabel.setFont(FontOpenSans.create(48));
titelLabel.setForeground(QuartoColor.WHITE);
// Defineren Instructie tekst
JLabel instructieTekst = new JLabel();
instructieTekst.setForeground(QuartoColor.WHITE);
final int side_margin = 1024 / 6;
setBorder(new EmptyBorder(0, side_margin, 55, side_margin));
// Vullen instructie tekst
StringBuilder sb = new StringBuilder();
sb.append("<HTML>");
sb.append("Quarto is een bordspel dat bestaat uit 16 stukken met elk een unieke combinatie van 4 eigenschappen:<br>");
sb.append("<br>");
sb.append("- Hoog of laag<br>");
sb.append("- Vol of hol<br>");
sb.append("- Licht of donker<br>");
sb.append("- Rond of vierkant<br>");
sb.append("<br>");
sb.append("Aan het begin van elke beurt kan de speler een spelstuk plaatsen op het bord, en vervolgens een spelstuk uitkiezen uitkiezen" +
" die de tegenstander tijdens zijn beurt moet plaatsen. Spelstukken die op het bord geplaatst zijn behoren niet tot een" +
" bepaalde speler en zijn dus neutraal<br>");
sb.append("<br><br>");
sb.append("Doel:<br>");
sb.append("<br>");
sb.append("Het doel van Quarto is, is om 4 op een rij te creëren op het bord met stukken die 1 eigenschap delen, voorbeeld hiervan is 4 lichte spelstukken" +
" of 4 ronde spelstukken.");
sb.append("Op het moment dat een spelstuk geplaatst is en de speler ziet een rij met gelijke eigenschappen, mag de huidige speler Quarto roepen. " +
"Door deze roep te doen, is het mogelijk dat de speler de beurt wint. Als de speler de Quarto niet ziet, kan de tegenstander dit alsnog afroepen, " +
"voordat deze zijn gegeven spelstuk plaatst. Mochten beide spelers de Quarto niet zien binnen 1 beurt, zal de Quarto als ongeldig gerekend worden" +
" en is deze niet meer geldig. Mocht een speler onterecht Quarto roepen, zal diens beurt eindigen en is de volgende speler aan zet.<br>");
sb.append("Het spel eindigt in gelijkspel als beide spelers geen Quarto afroepen nadat alle spelstukken geplaatst zijn.<br>");
sb.append("</HTML>");
instructieTekst.setText(sb.toString());
// Knop aanmaken en invullen
JButton okKnop = new MenuButton("OK, Terug naar menu");
okKnop.addActionListener(new ActionListener() {
@Override
public void actionPerformed(ActionEvent e) {
QuartoApplication.currentApplication().popForm();
}
});
okKnop.setSize(20,20);
okKnop.setBorder(new EmptyBorder(0,0,0,0));
// Toevoegen Labels
add(titelLabel, BorderLayout.NORTH);
add(instructieTekst, BorderLayout.CENTER);
add(okKnop, BorderLayout.SOUTH);
}
} | mbernson/ipsen1-quarto | src/main/java/ipsen1/quarto/form/Instructies.java | 1,200 | // Defineren Instructie tekst | line_comment | nl | package ipsen1.quarto.form;
import ipsen1.quarto.QuartoApplication;
import ipsen1.quarto.form.menu.MenuButton;
import ipsen1.quarto.util.FontOpenSans;
import ipsen1.quarto.util.QuartoColor;
import javax.swing.*;
import javax.swing.border.EmptyBorder;
import java.awt.*;
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
public class Instructies extends Form {
@Override
protected void paintComponent(Graphics g) {
super.paintComponent(g);
g.drawImage(background, 0, 0, null);
}
public Instructies() {
// Instellen Formaat en layout
setPreferredSize(new Dimension(1024, 768));
setLayout(new BorderLayout(10, 10));
setBackground(QuartoColor.DARK_BROWN);
// Defineren Titel koptekst
JLabel titelLabel = new JLabel("Instructies", SwingConstants.CENTER);
titelLabel.setFont(FontOpenSans.create(48));
titelLabel.setForeground(QuartoColor.WHITE);
// Defineren Instructie<SUF>
JLabel instructieTekst = new JLabel();
instructieTekst.setForeground(QuartoColor.WHITE);
final int side_margin = 1024 / 6;
setBorder(new EmptyBorder(0, side_margin, 55, side_margin));
// Vullen instructie tekst
StringBuilder sb = new StringBuilder();
sb.append("<HTML>");
sb.append("Quarto is een bordspel dat bestaat uit 16 stukken met elk een unieke combinatie van 4 eigenschappen:<br>");
sb.append("<br>");
sb.append("- Hoog of laag<br>");
sb.append("- Vol of hol<br>");
sb.append("- Licht of donker<br>");
sb.append("- Rond of vierkant<br>");
sb.append("<br>");
sb.append("Aan het begin van elke beurt kan de speler een spelstuk plaatsen op het bord, en vervolgens een spelstuk uitkiezen uitkiezen" +
" die de tegenstander tijdens zijn beurt moet plaatsen. Spelstukken die op het bord geplaatst zijn behoren niet tot een" +
" bepaalde speler en zijn dus neutraal<br>");
sb.append("<br><br>");
sb.append("Doel:<br>");
sb.append("<br>");
sb.append("Het doel van Quarto is, is om 4 op een rij te creëren op het bord met stukken die 1 eigenschap delen, voorbeeld hiervan is 4 lichte spelstukken" +
" of 4 ronde spelstukken.");
sb.append("Op het moment dat een spelstuk geplaatst is en de speler ziet een rij met gelijke eigenschappen, mag de huidige speler Quarto roepen. " +
"Door deze roep te doen, is het mogelijk dat de speler de beurt wint. Als de speler de Quarto niet ziet, kan de tegenstander dit alsnog afroepen, " +
"voordat deze zijn gegeven spelstuk plaatst. Mochten beide spelers de Quarto niet zien binnen 1 beurt, zal de Quarto als ongeldig gerekend worden" +
" en is deze niet meer geldig. Mocht een speler onterecht Quarto roepen, zal diens beurt eindigen en is de volgende speler aan zet.<br>");
sb.append("Het spel eindigt in gelijkspel als beide spelers geen Quarto afroepen nadat alle spelstukken geplaatst zijn.<br>");
sb.append("</HTML>");
instructieTekst.setText(sb.toString());
// Knop aanmaken en invullen
JButton okKnop = new MenuButton("OK, Terug naar menu");
okKnop.addActionListener(new ActionListener() {
@Override
public void actionPerformed(ActionEvent e) {
QuartoApplication.currentApplication().popForm();
}
});
okKnop.setSize(20,20);
okKnop.setBorder(new EmptyBorder(0,0,0,0));
// Toevoegen Labels
add(titelLabel, BorderLayout.NORTH);
add(instructieTekst, BorderLayout.CENTER);
add(okKnop, BorderLayout.SOUTH);
}
} | false | 971 | 8 | 1,133 | 9 | 1,001 | 7 | 1,133 | 9 | 1,212 | 9 | false | false | false | false | false | true |
4,700 | 26253_2 | package whitetea.magicmatrix.model;
import java.awt.Color;
import java.awt.image.BufferedImage;
/**
*
* @author WhiteTea
*
*/
public class Frame implements Cloneable {
//TODO overal met x y & width heigthwerken ipv rowNr & colNr
private final int rows, cols;
private Color[][] colors;
public Frame(int rows, int cols) {
if(rows <= 0)
throw new IllegalArgumentException("The number of rows must be strictly positive.");
if(cols <= 0)
throw new IllegalArgumentException("The number of columns must be strictly positive.");
this.rows = rows;
this.cols = cols;
colors = new Color[rows][cols];
fill(new Color(0, 0, 0));
}
public Frame(Frame frame) {
this.rows = frame.getNbOfRows();
this.cols = frame.getNbOfColumns();
colors = new Color[rows][cols];
for (int y = 0; y < this.rows; y++)
for (int x = 0; x < this.cols; x++)
setPixelColor(y, x, frame.getPixelColor(y, x));
}
public int getNbOfRows() {
return rows;
}
public int getNbOfColumns() {
return cols;
}
public boolean isValidRowNr(int rowNr) {
return rowNr >= 0 && rowNr < rows;
}
public boolean isValidColNr(int colNr) {
return colNr >= 0 && colNr < cols;
}
public void setPixelColor(int rowNr, int colNr, Color c) {
if (!isValidRowNr(rowNr) || !isValidColNr(colNr))
throw new IllegalArgumentException(
"The given indices are not valid for this matrix size."
+ "\nMatrix size: " + rows + "x" + cols
+ "\nGiven indices: " + rowNr + ", " + colNr);
colors[rowNr][colNr] = c;
}
public Color getPixelColor(int rowNr, int colNr) {
if (!isValidRowNr(rowNr) || !isValidColNr(colNr))
throw new IllegalArgumentException(
"The given indices are not valid for this matrix size."
+ "\nMatrix size: " + rows + "x" + cols
+ "\nGiven indices: " + rowNr + ", " + colNr);
return colors[rowNr][colNr];
}
public void fill(Color c) {
for (int i = 0; i < rows; i++) {
fillRow(i, c);
}
}
public void fillRow(int rowNr, Color c) {
if (!isValidRowNr(rowNr))
throw new IllegalArgumentException("Invalid row number: " + rowNr
+ ". Matrix size is: " + rows + "x" + cols);
for (int i = 0; i < cols; i++)
setPixelColor(rowNr, i, c);
}
public void fillColumn(int colNr, Color c) {
if (!isValidColNr(colNr))
throw new IllegalArgumentException("Invalid column number: "
+ colNr + ". Matrix size is: " + rows + "x" + cols);
for (int i = 0; i < rows; i++)
setPixelColor(i, colNr, c);
}
//TODO laatste rij kleuren van eerste rij met boolean
//TODO strategy met color voor laatste rij
public void shiftLeft() {
for (int x = 0; x < this.cols; x++)
for (int y = 0; y < this.rows; y++)
setPixelColor(y, x,
(x < this.cols - 1) ? getPixelColor(y, x+1) : new Color(0,0,0));
}
public void shiftRight() {
for (int y = 0; y < this.rows; y++) {
for (int x = this.cols - 1; x >= 0; x--) {
setPixelColor(y, x, (x > 0) ? getPixelColor(y,x - 1) : new Color(0,0,0));
}
}
}
public void shiftUp() {
for (int y = 0; y < this.rows; y++) {
for (int x = 0; x < this.cols; x++) {
setPixelColor(y, x,
(y < this.rows - 1) ? getPixelColor(y + 1, x) : new Color(0,0,0));
}
}
}
public void shiftDown() {
for (int y = this.rows - 1; y >= 0; y--) {
for (int x = 0; x < this.cols; x++) {
setPixelColor(y, x, (y > 0) ? getPixelColor(y - 1, x) : new Color(0,0,0));
}
}
}
public BufferedImage getImage() {
BufferedImage bufferedImage = new BufferedImage(colors[0].length, colors.length,
BufferedImage.TYPE_INT_RGB);
// Set each pixel of the BufferedImage to the color from the Color[][].
for (int x = 0; x < getNbOfColumns(); x++)
for (int y = 0; y < getNbOfRows(); y++)
bufferedImage.setRGB(x, y, colors[y][x].getRGB());
return bufferedImage;
}
@Override
public Frame clone() {
return new Frame(this);
}
}
| wietsebuseyne/MagicMatrix | MagicMatrix/src/whitetea/magicmatrix/model/Frame.java | 1,549 | //TODO laatste rij kleuren van eerste rij met boolean | line_comment | nl | package whitetea.magicmatrix.model;
import java.awt.Color;
import java.awt.image.BufferedImage;
/**
*
* @author WhiteTea
*
*/
public class Frame implements Cloneable {
//TODO overal met x y & width heigthwerken ipv rowNr & colNr
private final int rows, cols;
private Color[][] colors;
public Frame(int rows, int cols) {
if(rows <= 0)
throw new IllegalArgumentException("The number of rows must be strictly positive.");
if(cols <= 0)
throw new IllegalArgumentException("The number of columns must be strictly positive.");
this.rows = rows;
this.cols = cols;
colors = new Color[rows][cols];
fill(new Color(0, 0, 0));
}
public Frame(Frame frame) {
this.rows = frame.getNbOfRows();
this.cols = frame.getNbOfColumns();
colors = new Color[rows][cols];
for (int y = 0; y < this.rows; y++)
for (int x = 0; x < this.cols; x++)
setPixelColor(y, x, frame.getPixelColor(y, x));
}
public int getNbOfRows() {
return rows;
}
public int getNbOfColumns() {
return cols;
}
public boolean isValidRowNr(int rowNr) {
return rowNr >= 0 && rowNr < rows;
}
public boolean isValidColNr(int colNr) {
return colNr >= 0 && colNr < cols;
}
public void setPixelColor(int rowNr, int colNr, Color c) {
if (!isValidRowNr(rowNr) || !isValidColNr(colNr))
throw new IllegalArgumentException(
"The given indices are not valid for this matrix size."
+ "\nMatrix size: " + rows + "x" + cols
+ "\nGiven indices: " + rowNr + ", " + colNr);
colors[rowNr][colNr] = c;
}
public Color getPixelColor(int rowNr, int colNr) {
if (!isValidRowNr(rowNr) || !isValidColNr(colNr))
throw new IllegalArgumentException(
"The given indices are not valid for this matrix size."
+ "\nMatrix size: " + rows + "x" + cols
+ "\nGiven indices: " + rowNr + ", " + colNr);
return colors[rowNr][colNr];
}
public void fill(Color c) {
for (int i = 0; i < rows; i++) {
fillRow(i, c);
}
}
public void fillRow(int rowNr, Color c) {
if (!isValidRowNr(rowNr))
throw new IllegalArgumentException("Invalid row number: " + rowNr
+ ". Matrix size is: " + rows + "x" + cols);
for (int i = 0; i < cols; i++)
setPixelColor(rowNr, i, c);
}
public void fillColumn(int colNr, Color c) {
if (!isValidColNr(colNr))
throw new IllegalArgumentException("Invalid column number: "
+ colNr + ". Matrix size is: " + rows + "x" + cols);
for (int i = 0; i < rows; i++)
setPixelColor(i, colNr, c);
}
//TODO laatste<SUF>
//TODO strategy met color voor laatste rij
public void shiftLeft() {
for (int x = 0; x < this.cols; x++)
for (int y = 0; y < this.rows; y++)
setPixelColor(y, x,
(x < this.cols - 1) ? getPixelColor(y, x+1) : new Color(0,0,0));
}
public void shiftRight() {
for (int y = 0; y < this.rows; y++) {
for (int x = this.cols - 1; x >= 0; x--) {
setPixelColor(y, x, (x > 0) ? getPixelColor(y,x - 1) : new Color(0,0,0));
}
}
}
public void shiftUp() {
for (int y = 0; y < this.rows; y++) {
for (int x = 0; x < this.cols; x++) {
setPixelColor(y, x,
(y < this.rows - 1) ? getPixelColor(y + 1, x) : new Color(0,0,0));
}
}
}
public void shiftDown() {
for (int y = this.rows - 1; y >= 0; y--) {
for (int x = 0; x < this.cols; x++) {
setPixelColor(y, x, (y > 0) ? getPixelColor(y - 1, x) : new Color(0,0,0));
}
}
}
public BufferedImage getImage() {
BufferedImage bufferedImage = new BufferedImage(colors[0].length, colors.length,
BufferedImage.TYPE_INT_RGB);
// Set each pixel of the BufferedImage to the color from the Color[][].
for (int x = 0; x < getNbOfColumns(); x++)
for (int y = 0; y < getNbOfRows(); y++)
bufferedImage.setRGB(x, y, colors[y][x].getRGB());
return bufferedImage;
}
@Override
public Frame clone() {
return new Frame(this);
}
}
| false | 1,210 | 12 | 1,398 | 18 | 1,390 | 10 | 1,398 | 18 | 1,657 | 15 | false | false | false | false | false | true |
3,953 | 95733_2 | package com.matchfixing.minor.matchfixing;
import android.app.Activity;
import android.content.Intent;
import android.graphics.Color;
import android.os.AsyncTask;
import android.os.Bundle;
import android.view.View;
import android.view.ViewGroup;
import android.widget.AdapterView;
import android.widget.GridView;
import android.widget.TextView;
import org.json.JSONException;
import org.json.JSONObject;
import java.io.IOException;
import java.io.InputStream;
import java.io.OutputStream;
import java.net.HttpURLConnection;
import java.net.MalformedURLException;
import java.net.URL;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
public class Invitation extends Activity {
String MATCHID, MATCHDATE, MATCHTIME, MATCHTYPE, MATCHLANE, MATCHDESCRIPTION;
int userID;
String s;
List<String> matches = null;
List<String> matchDates = null;
List<String> matchTimes = null;
List<String> matchLanes = null;
List<String> matchTypes = null;
Map<String, Integer> matchIDs = null;
List<String> matchDescriptionsList = null;
GridView matchGrid;
TextView txtView;
private int previousSelectedPosition = -1;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.matches_today);
userID = Integer.parseInt(PersonaliaSingleton.getInstance().getUserID());
matches = new ArrayList<String>();
matchIDs = new HashMap<String, Integer>();
matchDescriptionsList = new ArrayList<>();
matchDates = new ArrayList<>();
matchTimes = new ArrayList<>();
matchLanes = new ArrayList<>();
matchTypes = new ArrayList<>();
s = Integer.toString(userID);
txtView = (TextView) findViewById(R.id.textView2);
txtView.setText("Hier vind je matches waar mensen jou persoonlijk voor uitgenodigd hebben. Klik een match aan om de details te kunnen zien.");
matchGrid = (GridView) findViewById(R.id.gridView);
SetupView();
String databaseInfo = "userID="+userID;
String fileName = "GetInvitations.php";
Invitation.BackGround b = new Invitation.BackGround();
b.execute(s);
}
public void home_home(View view){
startActivity(new Intent(this, Home.class));
}
public void SetupView()
{
final GridView gv = (GridView) findViewById(R.id.gridView);
gv.setAdapter(new GridViewAdapter(Invitation.this, matches){
public View getView(int position, View convertView, ViewGroup parent){
View view = super.getView(position, convertView, parent);
TextView tv = (TextView) view;
tv.setTextColor(Color.WHITE);
tv.setBackgroundColor(Color.parseColor("#23db4e"));
tv.setTextSize(25);
return tv;
}
});
gv.setOnItemClickListener(new AdapterView.OnItemClickListener() {
@Override
public void onItemClick(AdapterView<?> parent, View view, int position, long id) {
TextView tv = (TextView) view;
tv.setTextColor(Color.RED);
TextView previousSelectedView = (TextView) gv.getChildAt(previousSelectedPosition);
int clickedMatchID = -1;
//with thclickedMatchIDis method we retrieve the matchID. We need this to implement in the upcoming "MATCH ATTENDEES" table.
if(matchIDs != null) {
clickedMatchID = matchIDs.get(matches.get(position));
}
String matchDescription = matches.get(position);
String description = matchDescriptionsList.get(position);
String matchDate = matchDates.get(position);
String matchTime = matchTimes.get(position);
String matchLane = matchLanes.get(position);
String matchType = matchTypes.get(position);
int matchID = clickedMatchID;
Intent Popup = new Intent(Invitation.this, Popup.class);
Popup.putExtra("matchDescription", matchDescription);
Popup.putExtra("desc", description);
Popup.putExtra("matchID", matchID);
Popup.putExtra("matchDate", matchDate);
Popup.putExtra("matchTime", matchTime);
Popup.putExtra("matchLane", matchLane);
Popup.putExtra("matchType", matchType);
startActivity(Popup);
// If there is a previous selected view exists
if (previousSelectedPosition != -1)
{
previousSelectedView.setSelected(false);
previousSelectedView.setTextColor(Color.WHITE);
}
previousSelectedPosition = position;
}
});
}
// //onPostExecute samen ff nakijken.
// // Waarom kan hier wel findViewById en in mijn classe niet.
class BackGround extends AsyncTask<String, String, String> {
@Override
protected String doInBackground(String... params) {
String userID = params[0];
String data = "";
int tmp;
try {
URL url = new URL("http://141.252.218.158:80/GetInvitations.php");
String urlParams = "userID=" + userID;
HttpURLConnection httpURLConnection = (HttpURLConnection) url.openConnection();
httpURLConnection.setDoOutput(true);
OutputStream os = httpURLConnection.getOutputStream();
os.write(urlParams.getBytes());
os.flush();
os.close();
InputStream is = httpURLConnection.getInputStream();
while ((tmp = is.read()) != -1) {
data += (char) tmp;
}
is.close();
httpURLConnection.disconnect();
return data;
} catch (MalformedURLException e) {
e.printStackTrace();
return "Exception: " + e.getMessage();
} catch (IOException e) {
e.printStackTrace();
return "Exception: " + e.getMessage();
}
}
@Override
protected void onPostExecute(String s) {
String err = null;
String[] matchStrings = s.split("&");
int fieldID = -1;
for(int i = 0; i < matchStrings.length; ++i)
{
try {
JSONObject root = new JSONObject(matchStrings[i]);
JSONObject user_data = root.getJSONObject("user_data");
MATCHID = user_data.getString("MatchID");
MATCHDATE = user_data.getString("matchDate");
MATCHTIME = user_data.getString("matchTime");
MATCHTYPE = user_data.getString("MatchType");
MATCHLANE = user_data.getString("lane");
MATCHDESCRIPTION = user_data.getString("description");
//dates times lanes types
matchDates.add(MATCHDATE);
matchTimes.add(MATCHTIME);
matchTypes.add(MATCHTYPE);
matchLanes.add(MATCHLANE);
matches.add(MATCHDATE + " " + MATCHTIME + " " + MATCHTYPE + " " + MATCHLANE);
matchIDs.put(MATCHDATE + " " + MATCHTIME + " " + MATCHTYPE + " " + MATCHLANE, Integer.parseInt(MATCHID));
matchDescriptionsList.add(MATCHDESCRIPTION);
} catch (JSONException e) {
e.printStackTrace();
err = "Exception: " + e.getMessage();
}
}
SetupView();
}
}
}
| pasibun/MatchFixing | app/src/main/java/com/matchfixing/minor/matchfixing/Invitation.java | 2,144 | // //onPostExecute samen ff nakijken. | line_comment | nl | package com.matchfixing.minor.matchfixing;
import android.app.Activity;
import android.content.Intent;
import android.graphics.Color;
import android.os.AsyncTask;
import android.os.Bundle;
import android.view.View;
import android.view.ViewGroup;
import android.widget.AdapterView;
import android.widget.GridView;
import android.widget.TextView;
import org.json.JSONException;
import org.json.JSONObject;
import java.io.IOException;
import java.io.InputStream;
import java.io.OutputStream;
import java.net.HttpURLConnection;
import java.net.MalformedURLException;
import java.net.URL;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
public class Invitation extends Activity {
String MATCHID, MATCHDATE, MATCHTIME, MATCHTYPE, MATCHLANE, MATCHDESCRIPTION;
int userID;
String s;
List<String> matches = null;
List<String> matchDates = null;
List<String> matchTimes = null;
List<String> matchLanes = null;
List<String> matchTypes = null;
Map<String, Integer> matchIDs = null;
List<String> matchDescriptionsList = null;
GridView matchGrid;
TextView txtView;
private int previousSelectedPosition = -1;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.matches_today);
userID = Integer.parseInt(PersonaliaSingleton.getInstance().getUserID());
matches = new ArrayList<String>();
matchIDs = new HashMap<String, Integer>();
matchDescriptionsList = new ArrayList<>();
matchDates = new ArrayList<>();
matchTimes = new ArrayList<>();
matchLanes = new ArrayList<>();
matchTypes = new ArrayList<>();
s = Integer.toString(userID);
txtView = (TextView) findViewById(R.id.textView2);
txtView.setText("Hier vind je matches waar mensen jou persoonlijk voor uitgenodigd hebben. Klik een match aan om de details te kunnen zien.");
matchGrid = (GridView) findViewById(R.id.gridView);
SetupView();
String databaseInfo = "userID="+userID;
String fileName = "GetInvitations.php";
Invitation.BackGround b = new Invitation.BackGround();
b.execute(s);
}
public void home_home(View view){
startActivity(new Intent(this, Home.class));
}
public void SetupView()
{
final GridView gv = (GridView) findViewById(R.id.gridView);
gv.setAdapter(new GridViewAdapter(Invitation.this, matches){
public View getView(int position, View convertView, ViewGroup parent){
View view = super.getView(position, convertView, parent);
TextView tv = (TextView) view;
tv.setTextColor(Color.WHITE);
tv.setBackgroundColor(Color.parseColor("#23db4e"));
tv.setTextSize(25);
return tv;
}
});
gv.setOnItemClickListener(new AdapterView.OnItemClickListener() {
@Override
public void onItemClick(AdapterView<?> parent, View view, int position, long id) {
TextView tv = (TextView) view;
tv.setTextColor(Color.RED);
TextView previousSelectedView = (TextView) gv.getChildAt(previousSelectedPosition);
int clickedMatchID = -1;
//with thclickedMatchIDis method we retrieve the matchID. We need this to implement in the upcoming "MATCH ATTENDEES" table.
if(matchIDs != null) {
clickedMatchID = matchIDs.get(matches.get(position));
}
String matchDescription = matches.get(position);
String description = matchDescriptionsList.get(position);
String matchDate = matchDates.get(position);
String matchTime = matchTimes.get(position);
String matchLane = matchLanes.get(position);
String matchType = matchTypes.get(position);
int matchID = clickedMatchID;
Intent Popup = new Intent(Invitation.this, Popup.class);
Popup.putExtra("matchDescription", matchDescription);
Popup.putExtra("desc", description);
Popup.putExtra("matchID", matchID);
Popup.putExtra("matchDate", matchDate);
Popup.putExtra("matchTime", matchTime);
Popup.putExtra("matchLane", matchLane);
Popup.putExtra("matchType", matchType);
startActivity(Popup);
// If there is a previous selected view exists
if (previousSelectedPosition != -1)
{
previousSelectedView.setSelected(false);
previousSelectedView.setTextColor(Color.WHITE);
}
previousSelectedPosition = position;
}
});
}
// //onPostExecute samen<SUF>
// // Waarom kan hier wel findViewById en in mijn classe niet.
class BackGround extends AsyncTask<String, String, String> {
@Override
protected String doInBackground(String... params) {
String userID = params[0];
String data = "";
int tmp;
try {
URL url = new URL("http://141.252.218.158:80/GetInvitations.php");
String urlParams = "userID=" + userID;
HttpURLConnection httpURLConnection = (HttpURLConnection) url.openConnection();
httpURLConnection.setDoOutput(true);
OutputStream os = httpURLConnection.getOutputStream();
os.write(urlParams.getBytes());
os.flush();
os.close();
InputStream is = httpURLConnection.getInputStream();
while ((tmp = is.read()) != -1) {
data += (char) tmp;
}
is.close();
httpURLConnection.disconnect();
return data;
} catch (MalformedURLException e) {
e.printStackTrace();
return "Exception: " + e.getMessage();
} catch (IOException e) {
e.printStackTrace();
return "Exception: " + e.getMessage();
}
}
@Override
protected void onPostExecute(String s) {
String err = null;
String[] matchStrings = s.split("&");
int fieldID = -1;
for(int i = 0; i < matchStrings.length; ++i)
{
try {
JSONObject root = new JSONObject(matchStrings[i]);
JSONObject user_data = root.getJSONObject("user_data");
MATCHID = user_data.getString("MatchID");
MATCHDATE = user_data.getString("matchDate");
MATCHTIME = user_data.getString("matchTime");
MATCHTYPE = user_data.getString("MatchType");
MATCHLANE = user_data.getString("lane");
MATCHDESCRIPTION = user_data.getString("description");
//dates times lanes types
matchDates.add(MATCHDATE);
matchTimes.add(MATCHTIME);
matchTypes.add(MATCHTYPE);
matchLanes.add(MATCHLANE);
matches.add(MATCHDATE + " " + MATCHTIME + " " + MATCHTYPE + " " + MATCHLANE);
matchIDs.put(MATCHDATE + " " + MATCHTIME + " " + MATCHTYPE + " " + MATCHLANE, Integer.parseInt(MATCHID));
matchDescriptionsList.add(MATCHDESCRIPTION);
} catch (JSONException e) {
e.printStackTrace();
err = "Exception: " + e.getMessage();
}
}
SetupView();
}
}
}
| false | 1,439 | 10 | 1,692 | 14 | 1,788 | 11 | 1,693 | 14 | 2,050 | 12 | false | false | false | false | false | true |
2,197 | 190297_8 | package nl.avans.android.todos.service;
import android.content.Context;
import android.content.SharedPreferences;
import android.util.Base64;
import android.util.Log;
import com.android.volley.AuthFailureError;
import com.android.volley.DefaultRetryPolicy;
import com.android.volley.NetworkResponse;
import com.android.volley.Request;
import com.android.volley.Response;
import com.android.volley.VolleyError;
import com.android.volley.toolbox.JsonObjectRequest;
import org.json.JSONException;
import org.json.JSONObject;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.Map;
import nl.avans.android.todos.R;
import nl.avans.android.todos.domain.ToDo;
import nl.avans.android.todos.domain.ToDoMapper;
/**
* Deze class handelt requests naar de API server af. De JSON objecten die we terug krijgen
* worden door de ToDoMapper vertaald naar (lijsten van) ToDo items.
*/
public class ToDoRequest {
private Context context;
public final String TAG = this.getClass().getSimpleName();
// De aanroepende class implementeert deze interface.
private ToDoRequest.ToDoListener listener;
/**
* Constructor
*
* @param context
* @param listener
*/
public ToDoRequest(Context context, ToDoRequest.ToDoListener listener) {
this.context = context;
this.listener = listener;
}
/**
* Verstuur een GET request om alle ToDo's op te halen.
*/
public void handleGetAllToDos() {
Log.i(TAG, "handleGetAllToDos");
// Haal het token uit de prefs
SharedPreferences sharedPref = context.getSharedPreferences(
context.getString(R.string.preference_file_key), Context.MODE_PRIVATE);
final String token = sharedPref.getString(context.getString(R.string.saved_token), "dummy default token");
if(token != null && !token.equals("dummy default token")) {
Log.i(TAG, "Token gevonden, we gaan het request uitvoeren");
JsonObjectRequest jsObjRequest = new JsonObjectRequest
(Request.Method.GET, Config.URL_TODOS, null, new Response.Listener<JSONObject>() {
@Override
public void onResponse(JSONObject response) {
// Succesvol response
Log.i(TAG, response.toString());
ArrayList<ToDo> result = ToDoMapper.mapToDoList(response);
listener.onToDosAvailable(result);
}
}, new Response.ErrorListener() {
@Override
public void onErrorResponse(VolleyError error) {
// handleErrorResponse(error);
Log.e(TAG, error.toString());
}
}){
@Override
public Map<String, String> getHeaders() throws AuthFailureError {
Map<String, String> headers = new HashMap<>();
headers.put("Content-Type", "application/json");
headers.put("Authorization", "Bearer " + token);
return headers;
}
};
// Access the RequestQueue through your singleton class.
VolleyRequestQueue.getInstance(context).addToRequestQueue(jsObjRequest);
}
}
/**
* Verstuur een POST met nieuwe ToDo.
*/
public void handlePostToDo(final ToDo newTodo) {
Log.i(TAG, "handlePostToDo");
// Haal het token uit de prefs
SharedPreferences sharedPref = context.getSharedPreferences(
context.getString(R.string.preference_file_key), Context.MODE_PRIVATE);
final String token = sharedPref.getString(context.getString(R.string.saved_token), "dummy default token");
if(token != null && !token.equals("dummy default token")) {
//
// Maak een JSON object met username en password. Dit object sturen we mee
// als request body (zoals je ook met Postman hebt gedaan)
//
String body = "{\"Titel\":\"" + newTodo.getTitle() + "\",\"Beschrijving\":\"" + newTodo.getContents() + "\"}";
try {
JSONObject jsonBody = new JSONObject(body);
Log.i(TAG, "handlePostToDo - body = " + jsonBody);
JsonObjectRequest jsObjRequest = new JsonObjectRequest
(Request.Method.POST, Config.URL_TODOS, jsonBody, new Response.Listener<JSONObject>() {
@Override
public void onResponse(JSONObject response) {
Log.i(TAG, response.toString());
// Het toevoegen is gelukt
// Hier kun je kiezen: of een refresh van de hele lijst ophalen
// en de ListView bijwerken ... Of alleen de ene update toevoegen
// aan de ArrayList. Wij doen dat laatste.
listener.onToDoAvailable(newTodo);
}
}, new Response.ErrorListener() {
@Override
public void onErrorResponse(VolleyError error) {
// Error - send back to caller
listener.onToDosError(error.toString());
}
}){
@Override
public Map<String, String> getHeaders() throws AuthFailureError {
Map<String, String> headers = new HashMap<>();
headers.put("Content-Type", "application/json");
headers.put("Authorization", "Bearer " + token);
return headers;
}
};
// Access the RequestQueue through your singleton class.
VolleyRequestQueue.getInstance(context).addToRequestQueue(jsObjRequest);
} catch (JSONException e) {
Log.e(TAG, e.getMessage());
listener.onToDosError(e.getMessage());
}
}
}
//
// Callback interface - implemented by the calling class (MainActivity in our case).
//
public interface ToDoListener {
// Callback function to return a fresh list of ToDos
void onToDosAvailable(ArrayList<ToDo> toDos);
// Callback function to handle a single added ToDo.
void onToDoAvailable(ToDo todo);
// Callback to handle serverside API errors
void onToDosError(String message);
}
}
| baspalinckx/android-todolist | app/src/main/java/nl/avans/android/todos/service/ToDoRequest.java | 1,733 | // Maak een JSON object met username en password. Dit object sturen we mee | line_comment | nl | package nl.avans.android.todos.service;
import android.content.Context;
import android.content.SharedPreferences;
import android.util.Base64;
import android.util.Log;
import com.android.volley.AuthFailureError;
import com.android.volley.DefaultRetryPolicy;
import com.android.volley.NetworkResponse;
import com.android.volley.Request;
import com.android.volley.Response;
import com.android.volley.VolleyError;
import com.android.volley.toolbox.JsonObjectRequest;
import org.json.JSONException;
import org.json.JSONObject;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.Map;
import nl.avans.android.todos.R;
import nl.avans.android.todos.domain.ToDo;
import nl.avans.android.todos.domain.ToDoMapper;
/**
* Deze class handelt requests naar de API server af. De JSON objecten die we terug krijgen
* worden door de ToDoMapper vertaald naar (lijsten van) ToDo items.
*/
public class ToDoRequest {
private Context context;
public final String TAG = this.getClass().getSimpleName();
// De aanroepende class implementeert deze interface.
private ToDoRequest.ToDoListener listener;
/**
* Constructor
*
* @param context
* @param listener
*/
public ToDoRequest(Context context, ToDoRequest.ToDoListener listener) {
this.context = context;
this.listener = listener;
}
/**
* Verstuur een GET request om alle ToDo's op te halen.
*/
public void handleGetAllToDos() {
Log.i(TAG, "handleGetAllToDos");
// Haal het token uit de prefs
SharedPreferences sharedPref = context.getSharedPreferences(
context.getString(R.string.preference_file_key), Context.MODE_PRIVATE);
final String token = sharedPref.getString(context.getString(R.string.saved_token), "dummy default token");
if(token != null && !token.equals("dummy default token")) {
Log.i(TAG, "Token gevonden, we gaan het request uitvoeren");
JsonObjectRequest jsObjRequest = new JsonObjectRequest
(Request.Method.GET, Config.URL_TODOS, null, new Response.Listener<JSONObject>() {
@Override
public void onResponse(JSONObject response) {
// Succesvol response
Log.i(TAG, response.toString());
ArrayList<ToDo> result = ToDoMapper.mapToDoList(response);
listener.onToDosAvailable(result);
}
}, new Response.ErrorListener() {
@Override
public void onErrorResponse(VolleyError error) {
// handleErrorResponse(error);
Log.e(TAG, error.toString());
}
}){
@Override
public Map<String, String> getHeaders() throws AuthFailureError {
Map<String, String> headers = new HashMap<>();
headers.put("Content-Type", "application/json");
headers.put("Authorization", "Bearer " + token);
return headers;
}
};
// Access the RequestQueue through your singleton class.
VolleyRequestQueue.getInstance(context).addToRequestQueue(jsObjRequest);
}
}
/**
* Verstuur een POST met nieuwe ToDo.
*/
public void handlePostToDo(final ToDo newTodo) {
Log.i(TAG, "handlePostToDo");
// Haal het token uit de prefs
SharedPreferences sharedPref = context.getSharedPreferences(
context.getString(R.string.preference_file_key), Context.MODE_PRIVATE);
final String token = sharedPref.getString(context.getString(R.string.saved_token), "dummy default token");
if(token != null && !token.equals("dummy default token")) {
//
// Maak een<SUF>
// als request body (zoals je ook met Postman hebt gedaan)
//
String body = "{\"Titel\":\"" + newTodo.getTitle() + "\",\"Beschrijving\":\"" + newTodo.getContents() + "\"}";
try {
JSONObject jsonBody = new JSONObject(body);
Log.i(TAG, "handlePostToDo - body = " + jsonBody);
JsonObjectRequest jsObjRequest = new JsonObjectRequest
(Request.Method.POST, Config.URL_TODOS, jsonBody, new Response.Listener<JSONObject>() {
@Override
public void onResponse(JSONObject response) {
Log.i(TAG, response.toString());
// Het toevoegen is gelukt
// Hier kun je kiezen: of een refresh van de hele lijst ophalen
// en de ListView bijwerken ... Of alleen de ene update toevoegen
// aan de ArrayList. Wij doen dat laatste.
listener.onToDoAvailable(newTodo);
}
}, new Response.ErrorListener() {
@Override
public void onErrorResponse(VolleyError error) {
// Error - send back to caller
listener.onToDosError(error.toString());
}
}){
@Override
public Map<String, String> getHeaders() throws AuthFailureError {
Map<String, String> headers = new HashMap<>();
headers.put("Content-Type", "application/json");
headers.put("Authorization", "Bearer " + token);
return headers;
}
};
// Access the RequestQueue through your singleton class.
VolleyRequestQueue.getInstance(context).addToRequestQueue(jsObjRequest);
} catch (JSONException e) {
Log.e(TAG, e.getMessage());
listener.onToDosError(e.getMessage());
}
}
}
//
// Callback interface - implemented by the calling class (MainActivity in our case).
//
public interface ToDoListener {
// Callback function to return a fresh list of ToDos
void onToDosAvailable(ArrayList<ToDo> toDos);
// Callback function to handle a single added ToDo.
void onToDoAvailable(ToDo todo);
// Callback to handle serverside API errors
void onToDosError(String message);
}
}
| false | 1,200 | 17 | 1,428 | 19 | 1,454 | 16 | 1,428 | 19 | 1,694 | 18 | false | false | false | false | false | true |
988 | 33329_4 | package domein;
import java.io.File;
import java.time.LocalDate;
import java.util.List;
import java.util.Map;
import java.util.Set;
import java.util.TreeMap;
import java.util.stream.Collectors;
import java.util.stream.Stream;
import java.util.Calendar;
import java.util.Collections;
import java.util.Comparator;
import java.util.HashSet;
import java.util.Iterator;
import persistentie.PersistentieController;
public class Garage {
private final File auto;
private final File onderhoud;
private Map<String, Auto> autoMap;
private Map<String, List<Onderhoud>> autoOnderhoudMap;
private List<Set<Auto>> overzichtLijstVanAutos;
private final int AANTAL_OVERZICHTEN = 3;
private int overzichtteller;
public Garage(String bestandAuto, String bestandOnderhoud) {
auto = new File(bestandAuto);
onderhoud = new File(bestandOnderhoud);
initGarage();
}
private void initGarage() {
PersistentieController persistentieController = new PersistentieController(auto, onderhoud);
// Set<Auto> inlezen - stap1
Set<Auto> autoSet = new HashSet<>(persistentieController.geefAutos());
System.out.println("STAP 1");
autoSet.forEach(auto -> System.out.println(auto));
// Maak map van auto's: volgens nummerplaat - stap2
autoMap = omzettenNaarAutoMap(autoSet);
System.out.println("STAP 2");
autoMap.forEach((k, v) -> System.out.printf("%s %s%n", k, v));
// Onderhoud inlezen - stap3
List<Onderhoud> onderhoudLijst = persistentieController.geefOnderhoudVanAutos();
System.out.println("STAP 3 : " + onderhoudLijst);
onderhoudLijst.forEach(o->System.out.println(o));
// lijst sorteren - stap4
sorteren(onderhoudLijst);
System.out.println("STAP 4");
onderhoudLijst.forEach(o->System.out.println(o));
// lijst samenvoegen - stap5
aangrenzendePeriodenSamenvoegen(onderhoudLijst);
System.out.println("STAP 5");
onderhoudLijst.forEach(o->System.out.println(o));
// Maak map van onderhoud: volgens nummerplaat - stap6
autoOnderhoudMap = omzettenNaarOnderhoudMap(onderhoudLijst);
System.out.println("STAP 6");
autoOnderhoudMap.forEach((k,v)->System.out.printf("%s %s%n",k,v));
// Maak overzicht: set van auto's - stap7
overzichtLijstVanAutos = maakOverzicht(autoOnderhoudMap);
System.out.println("STAP 7");
overzichtLijstVanAutos.forEach(System.out::println);
}
// Maak map van auto's: volgens nummerplaat - stap2
private Map<String, Auto> omzettenNaarAutoMap(Set<Auto> autoSet) {
return autoSet.stream().collect(Collectors.toMap(Auto::getNummerplaat, a -> a));
}
// lijst sorteren - stap4
private void sorteren(List<Onderhoud> lijstOnderhoud) {
lijstOnderhoud.sort(Comparator.comparing(Onderhoud::getNummerplaat).thenComparing(Onderhoud::getBegindatum));
}
// lijst samenvoegen - stap5
private void aangrenzendePeriodenSamenvoegen(List<Onderhoud> lijstOnderhoud) {
//java 7
Onderhoud onderhoud = null;
Onderhoud onderhoudNext = null;
Iterator<Onderhoud> it = lijstOnderhoud.iterator();
while (it.hasNext()) {
onderhoud = onderhoudNext;
onderhoudNext = it.next();
if (onderhoud != null && onderhoud.getNummerplaat().equals(onderhoudNext.getNummerplaat())) {
if (onderhoud.getEinddatum().plusDays(1).equals(onderhoudNext.getBegindatum())) {// samenvoegen:
onderhoud.setEinddatum(onderhoudNext.getEinddatum());
it.remove();
onderhoudNext = onderhoud;
}
}
}
}
// Maak map van onderhoud: volgens nummerplaat - stap6
private Map<String, List<Onderhoud>> omzettenNaarOnderhoudMap(List<Onderhoud> onderhoudLijst) {
return onderhoudLijst.stream().collect(Collectors.groupingBy(Onderhoud::getNummerplaat));
}
// Hulpmethode - nodig voor stap 7
private int sizeToCategorie(int size) {
return switch (size) {
case 0, 1 -> 0;
case 2, 3 -> 1;
default -> 2;
};
}
// Maak overzicht: set van auto's - stap7
private List<Set<Auto>> maakOverzicht(Map<String, List<Onderhoud>> autoOnderhoudMap) {
// Hint:
// van Map<String, List<Onderhoud>>
// naar Map<Integer, Set<Auto>> (hulpmethode gebruiken)
// naar List<Set<Auto>>
return autoOnderhoudMap.entrySet().stream().collect(Collectors.groupingBy(entry->sizeToCategory(entry.getValue().size()),
TreeMap::new,Collectors.mapping(entry-> autoMap.get(entry.getKey()),Collectors.toSet()).values().stream()
.collect(Collectors.toList());
}
//Oefening DomeinController:
public String autoMap_ToString() {
// String res = autoMap.
return null;
}
public String autoOnderhoudMap_ToString() {
String res = autoOnderhoudMap.toString();
return res;
}
public String overzicht_ToString() {
overzichtteller = 1;
// String res = overzichtLijstVanAutos.
return null;
}
}
| LuccaVanVeerdeghem/asd | ASDI_Java_Garage_start/src/domein/Garage.java | 1,740 | // lijst samenvoegen - stap5 | line_comment | nl | package domein;
import java.io.File;
import java.time.LocalDate;
import java.util.List;
import java.util.Map;
import java.util.Set;
import java.util.TreeMap;
import java.util.stream.Collectors;
import java.util.stream.Stream;
import java.util.Calendar;
import java.util.Collections;
import java.util.Comparator;
import java.util.HashSet;
import java.util.Iterator;
import persistentie.PersistentieController;
public class Garage {
private final File auto;
private final File onderhoud;
private Map<String, Auto> autoMap;
private Map<String, List<Onderhoud>> autoOnderhoudMap;
private List<Set<Auto>> overzichtLijstVanAutos;
private final int AANTAL_OVERZICHTEN = 3;
private int overzichtteller;
public Garage(String bestandAuto, String bestandOnderhoud) {
auto = new File(bestandAuto);
onderhoud = new File(bestandOnderhoud);
initGarage();
}
private void initGarage() {
PersistentieController persistentieController = new PersistentieController(auto, onderhoud);
// Set<Auto> inlezen - stap1
Set<Auto> autoSet = new HashSet<>(persistentieController.geefAutos());
System.out.println("STAP 1");
autoSet.forEach(auto -> System.out.println(auto));
// Maak map van auto's: volgens nummerplaat - stap2
autoMap = omzettenNaarAutoMap(autoSet);
System.out.println("STAP 2");
autoMap.forEach((k, v) -> System.out.printf("%s %s%n", k, v));
// Onderhoud inlezen - stap3
List<Onderhoud> onderhoudLijst = persistentieController.geefOnderhoudVanAutos();
System.out.println("STAP 3 : " + onderhoudLijst);
onderhoudLijst.forEach(o->System.out.println(o));
// lijst sorteren - stap4
sorteren(onderhoudLijst);
System.out.println("STAP 4");
onderhoudLijst.forEach(o->System.out.println(o));
// lijst samenvoegen<SUF>
aangrenzendePeriodenSamenvoegen(onderhoudLijst);
System.out.println("STAP 5");
onderhoudLijst.forEach(o->System.out.println(o));
// Maak map van onderhoud: volgens nummerplaat - stap6
autoOnderhoudMap = omzettenNaarOnderhoudMap(onderhoudLijst);
System.out.println("STAP 6");
autoOnderhoudMap.forEach((k,v)->System.out.printf("%s %s%n",k,v));
// Maak overzicht: set van auto's - stap7
overzichtLijstVanAutos = maakOverzicht(autoOnderhoudMap);
System.out.println("STAP 7");
overzichtLijstVanAutos.forEach(System.out::println);
}
// Maak map van auto's: volgens nummerplaat - stap2
private Map<String, Auto> omzettenNaarAutoMap(Set<Auto> autoSet) {
return autoSet.stream().collect(Collectors.toMap(Auto::getNummerplaat, a -> a));
}
// lijst sorteren - stap4
private void sorteren(List<Onderhoud> lijstOnderhoud) {
lijstOnderhoud.sort(Comparator.comparing(Onderhoud::getNummerplaat).thenComparing(Onderhoud::getBegindatum));
}
// lijst samenvoegen - stap5
private void aangrenzendePeriodenSamenvoegen(List<Onderhoud> lijstOnderhoud) {
//java 7
Onderhoud onderhoud = null;
Onderhoud onderhoudNext = null;
Iterator<Onderhoud> it = lijstOnderhoud.iterator();
while (it.hasNext()) {
onderhoud = onderhoudNext;
onderhoudNext = it.next();
if (onderhoud != null && onderhoud.getNummerplaat().equals(onderhoudNext.getNummerplaat())) {
if (onderhoud.getEinddatum().plusDays(1).equals(onderhoudNext.getBegindatum())) {// samenvoegen:
onderhoud.setEinddatum(onderhoudNext.getEinddatum());
it.remove();
onderhoudNext = onderhoud;
}
}
}
}
// Maak map van onderhoud: volgens nummerplaat - stap6
private Map<String, List<Onderhoud>> omzettenNaarOnderhoudMap(List<Onderhoud> onderhoudLijst) {
return onderhoudLijst.stream().collect(Collectors.groupingBy(Onderhoud::getNummerplaat));
}
// Hulpmethode - nodig voor stap 7
private int sizeToCategorie(int size) {
return switch (size) {
case 0, 1 -> 0;
case 2, 3 -> 1;
default -> 2;
};
}
// Maak overzicht: set van auto's - stap7
private List<Set<Auto>> maakOverzicht(Map<String, List<Onderhoud>> autoOnderhoudMap) {
// Hint:
// van Map<String, List<Onderhoud>>
// naar Map<Integer, Set<Auto>> (hulpmethode gebruiken)
// naar List<Set<Auto>>
return autoOnderhoudMap.entrySet().stream().collect(Collectors.groupingBy(entry->sizeToCategory(entry.getValue().size()),
TreeMap::new,Collectors.mapping(entry-> autoMap.get(entry.getKey()),Collectors.toSet()).values().stream()
.collect(Collectors.toList());
}
//Oefening DomeinController:
public String autoMap_ToString() {
// String res = autoMap.
return null;
}
public String autoOnderhoudMap_ToString() {
String res = autoOnderhoudMap.toString();
return res;
}
public String overzicht_ToString() {
overzichtteller = 1;
// String res = overzichtLijstVanAutos.
return null;
}
}
| false | 1,444 | 10 | 1,687 | 12 | 1,465 | 7 | 1,687 | 12 | 1,844 | 10 | false | false | false | false | false | true |
4,251 | 30552_23 | package nl.highco.thuglife;
import java.io.IOException;
import java.util.ArrayList;
import java.util.Observable;
import java.util.Observer;
import java.util.Timer;
import java.util.TimerTask;
import android.os.Handler;
import android.util.Log;
import android.view.MotionEvent;
import android.view.View;
import nl.saxion.act.playground.model.Game;
import nl.saxion.act.playground.model.GameBoard;
import nl.highco.thuglife.objects.*;
import android.media.AudioManager;
import android.media.MediaPlayer;
public class ThugGame extends Game implements Observer {
public static final String TAG = "thug game";
private MainActivity activity;
private int money, score, wiet;
private int highscore = 0;
private int politieScore = 50;
private MediaPlayer mPlayer;
public boolean isPlaying = false;
// map size
private final static int MAP_WIDTH = 100;
private final static int MAP_HIGHT = 100;
// map
private int[][] map;
// player
private Player player;
private ArrayList<Police> politie = new ArrayList<Police>();
//handlers
final Handler POLICEHANDLER = new Handler();
final Handler PLAYERHANDLER = new Handler();
// gameboard
private GameBoard gameBoard;
// timers
private Timer policeTimer;
private Timer playerTimer;
public ThugGame(MainActivity activity) {
super(new ThugGameboard(MAP_WIDTH, MAP_HIGHT));
this.activity = activity;
// starts the game
initGame();
// sets the game view to the game board
ThugGameBoardView gameView = activity.getGameBoardView();
gameBoard = getGameBoard();
gameBoard.addObserver(this);
gameView.setGameBoard(gameBoard);
//Swipe controls/////////////////////////////////////////////////////////////////////////////////////////////////////////////////////
gameView.setOnTouchListener(new OnSwipeTouchListener(activity) {
public void onSwipeTop() {
Log.i("touchListener", "omhoog");
player.setRichtingOmhoog();
}
public void onSwipeRight() {
Log.i("touchListener", "rechts");
player.setRichtingRechts();
}
public void onSwipeLeft() {
Log.i("touchListener", "links");
player.setRichtingLinks();
}
public void onSwipeBottom() {
Log.i("touchListener", "onder");
player.setRichtingBeneden();
}
public boolean onTouch(View v, MotionEvent event) {
return gestureDetector.onTouchEvent(event);
}
});
/////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////
// decides what kind of map format to use
gameView.setFixedGridSize(gameBoard.getWidth(), gameBoard.getHeight());
}
public void initGame() {
// getting a map
MapGenerator mapgen = new MapGenerator();
map = mapgen.getRandomMap();
// setting up the board
GameBoard board = getGameBoard();
board.removeAllObjects();
// score , money en wiet naar 0
score = 0;
money = 0;
wiet = 10;
// add player
player = new Player();
board.addGameObject(player, 55, 50);
// add shop
board.addGameObject(new Shop(), 50, 60);
// add wiet
board.addGameObject(new Weed(), 42, 51);
board.addGameObject(new Weed(), 80, 95);
board.addGameObject(new Weed(), 75, 76);
board.addGameObject(new Weed(), 31, 64);
board.addGameObject(new Weed(), 98, 98);
board.addGameObject(new Weed(), 83, 84);
// add Police
politie.clear();
Police p1 = new Police();
Police p2 = new Police();
Police p3 = new Police();
Police p4 = new Police();
Police p5 = new Police();
Police p6 = new Police();
board.addGameObject(p1, 28, 30);
board.addGameObject(p2, 31, 38);
board.addGameObject(p3, 46, 47);
board.addGameObject(p4, 76, 34);
board.addGameObject(p5, 84, 88);
board.addGameObject(p6, 52, 63);
politie.add(p1);
politie.add(p2);
politie.add(p3);
politie.add(p4);
politie.add(p5);
politie.add(p6);
// load walls onto the field
for (int x = 0; x < MAP_WIDTH; x++) {
for (int y = 0; y < MAP_HIGHT; y++) {
if (map[x][y] == 1) {
if (board.getObject(x, y) == null) {
board.addGameObject(new Wall(), x, y);
}
}
}
}
board.updateView();
}
// adds police on a random spot within the map
public void addPolice() {
int xSpot = randomX();
int ySpot = randomY();
if (gameBoard.getObject(xSpot, ySpot) == null && xSpot > 26
&& ySpot > 11) {
politie.add(new Police());
getGameBoard().addGameObject(politie.get(politie.size() - 1),
xSpot, ySpot);
} else {
addPolice();
}
}
// adds wiet on a random spot within the map
public void addWietToMap() {
int xSpot = randomX();
int ySpot = randomY();
if (gameBoard.getObject(xSpot, ySpot) == null && xSpot > 26
&& ySpot > 11) {
getGameBoard().addGameObject(new Weed(), xSpot, ySpot);
} else {
addWietToMap();
}
}
public int randomX() {
int randomX = (int) (Math.random() * MAP_WIDTH);
return randomX;
}
public int randomY() {
int randomY = (int) (Math.random() * MAP_HIGHT);
return randomY;
}
public void enterShop() {
activity.gotoShopView();
}
//resets the game
public void reset() {
activity.resetShop();
initGame();
}
/**
* adds money to total of players' money
* @param aantal amount of money to be added
*/
public void addMoney(int aantal) {
money += aantal;
gameBoard.updateView();
}
/**
* deducts money of total of players' money
* @param aantal amount of money to be deducted
*/
public void deductMoney(int aantal) {
money -= aantal;
gameBoard.updateView();
}
/**
* adds 50 points to score when player collides with weed object
*/
public void updateScoreWCWW() {
score += 50;
if (score > highscore) {
highscore = score;
}
gameBoard.updateView();
}
/**
* adds one weed to the weed variable
*/
public void addWiet() {
wiet++;
gameBoard.updateView();
}
/**
* deducts the weed according to the given value
* @param aantal
*/
public void deductWiet(int aantal) {
wiet -= aantal;
gameBoard.updateView();
}
/**
* @return total amount of money the player has
*/
public int getMoney() {
return money;
}
/**
* @return total score the player has
*/
public int getScore() {
return score;
}
/**
* @return high score
*/
public int getHighscore() {
return highscore;
}
/**
* @return total amount of wiet the player has
*/
public int getWiet() {
return wiet;
}
/**
* @return the player object
*/
public Player getPlayer() {
return player;
}
//Timer//////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////
// police timer methods
public void startPoliceTimer() {
isPlaying = true;
// maakt een timer die de handler en de runnable oproept elke halve
// seconde.
policeTimer = new Timer();
policeTimer.schedule(new TimerTask() {
@Override
public void run() {
UpdateGUIPolice();
}
}, 0, 250);
}
private void stopPoliceTimer() {
policeTimer.cancel();
}
// player timer methods
public void startPlayerTimer(int speed) {
isPlaying = true;
// maakt een timer die de handler en de runnable oproept elke halve
// seconde.
playerTimer = new Timer();
playerTimer.schedule(new TimerTask() {
@Override
public void run() {
UpdateGUIPlayer();
}
}, 0, speed);
}
private void stopPlayerTimer() {
playerTimer.cancel();
}
// De runnable voor de police die je aan de handler meegeeft.
final Runnable policeRunnable = new Runnable() {
public void run() {
for (int i = 0; i < politie.size(); i++) {
politie.get(i).onUpdate(gameBoard);
}
gameBoard.updateView();
}
};
// De runnable voor de player die je aan de handler meegeeft.
final Runnable playerRunnable = new Runnable() {
public void run() {
player.onUpdate(gameBoard);
}
};
// Methode waarmee je de runnable aan de handler meegeeft.
public void UpdateGUIPolice() {
POLICEHANDLER.post(policeRunnable);
}
public void UpdateGUIPlayer() {
PLAYERHANDLER.post(playerRunnable);
}
// kijken of player alive is
private boolean isPlayerAlive() {
if(player.getAliveState()){
return true;
}
return false;
}
// stops the timers
public void stopTimers() {
stopPlayerTimer();
stopPoliceTimer();
isPlaying = false;
}
public void update(Observable observable, Object data) {
if (!isPlayerAlive()) {
stopTimers();
activity.gotoGameOverScreen();
}
activity.updateMoneyLabels();
activity.updateScoreLabel();
activity.updateWietLabels();
activity.updateHighscoreLabel();
//Voegt politie toe als de speler een wiet object opppakt.
if (getScore() == politieScore) {
addPolice();
policeMusic();
addWietToMap();
politieScore = politieScore + 50;
}
}
//music for when the player picks up a wiet object
private void policeMusic() {
mPlayer = MediaPlayer.create(activity, R.raw.soundofdapolice);
mPlayer.setAudioStreamType(AudioManager.STREAM_MUSIC);
try {
mPlayer.prepare();
} catch (IllegalStateException e) {
// TODO Auto-generated catch block
e.printStackTrace();
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
mPlayer.start();
}
}
| saxion-speelveld/project | Source/ThugLife/src/nl/highco/thuglife/ThugGame.java | 3,192 | // maakt een timer die de handler en de runnable oproept elke halve | line_comment | nl | package nl.highco.thuglife;
import java.io.IOException;
import java.util.ArrayList;
import java.util.Observable;
import java.util.Observer;
import java.util.Timer;
import java.util.TimerTask;
import android.os.Handler;
import android.util.Log;
import android.view.MotionEvent;
import android.view.View;
import nl.saxion.act.playground.model.Game;
import nl.saxion.act.playground.model.GameBoard;
import nl.highco.thuglife.objects.*;
import android.media.AudioManager;
import android.media.MediaPlayer;
public class ThugGame extends Game implements Observer {
public static final String TAG = "thug game";
private MainActivity activity;
private int money, score, wiet;
private int highscore = 0;
private int politieScore = 50;
private MediaPlayer mPlayer;
public boolean isPlaying = false;
// map size
private final static int MAP_WIDTH = 100;
private final static int MAP_HIGHT = 100;
// map
private int[][] map;
// player
private Player player;
private ArrayList<Police> politie = new ArrayList<Police>();
//handlers
final Handler POLICEHANDLER = new Handler();
final Handler PLAYERHANDLER = new Handler();
// gameboard
private GameBoard gameBoard;
// timers
private Timer policeTimer;
private Timer playerTimer;
public ThugGame(MainActivity activity) {
super(new ThugGameboard(MAP_WIDTH, MAP_HIGHT));
this.activity = activity;
// starts the game
initGame();
// sets the game view to the game board
ThugGameBoardView gameView = activity.getGameBoardView();
gameBoard = getGameBoard();
gameBoard.addObserver(this);
gameView.setGameBoard(gameBoard);
//Swipe controls/////////////////////////////////////////////////////////////////////////////////////////////////////////////////////
gameView.setOnTouchListener(new OnSwipeTouchListener(activity) {
public void onSwipeTop() {
Log.i("touchListener", "omhoog");
player.setRichtingOmhoog();
}
public void onSwipeRight() {
Log.i("touchListener", "rechts");
player.setRichtingRechts();
}
public void onSwipeLeft() {
Log.i("touchListener", "links");
player.setRichtingLinks();
}
public void onSwipeBottom() {
Log.i("touchListener", "onder");
player.setRichtingBeneden();
}
public boolean onTouch(View v, MotionEvent event) {
return gestureDetector.onTouchEvent(event);
}
});
/////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////
// decides what kind of map format to use
gameView.setFixedGridSize(gameBoard.getWidth(), gameBoard.getHeight());
}
public void initGame() {
// getting a map
MapGenerator mapgen = new MapGenerator();
map = mapgen.getRandomMap();
// setting up the board
GameBoard board = getGameBoard();
board.removeAllObjects();
// score , money en wiet naar 0
score = 0;
money = 0;
wiet = 10;
// add player
player = new Player();
board.addGameObject(player, 55, 50);
// add shop
board.addGameObject(new Shop(), 50, 60);
// add wiet
board.addGameObject(new Weed(), 42, 51);
board.addGameObject(new Weed(), 80, 95);
board.addGameObject(new Weed(), 75, 76);
board.addGameObject(new Weed(), 31, 64);
board.addGameObject(new Weed(), 98, 98);
board.addGameObject(new Weed(), 83, 84);
// add Police
politie.clear();
Police p1 = new Police();
Police p2 = new Police();
Police p3 = new Police();
Police p4 = new Police();
Police p5 = new Police();
Police p6 = new Police();
board.addGameObject(p1, 28, 30);
board.addGameObject(p2, 31, 38);
board.addGameObject(p3, 46, 47);
board.addGameObject(p4, 76, 34);
board.addGameObject(p5, 84, 88);
board.addGameObject(p6, 52, 63);
politie.add(p1);
politie.add(p2);
politie.add(p3);
politie.add(p4);
politie.add(p5);
politie.add(p6);
// load walls onto the field
for (int x = 0; x < MAP_WIDTH; x++) {
for (int y = 0; y < MAP_HIGHT; y++) {
if (map[x][y] == 1) {
if (board.getObject(x, y) == null) {
board.addGameObject(new Wall(), x, y);
}
}
}
}
board.updateView();
}
// adds police on a random spot within the map
public void addPolice() {
int xSpot = randomX();
int ySpot = randomY();
if (gameBoard.getObject(xSpot, ySpot) == null && xSpot > 26
&& ySpot > 11) {
politie.add(new Police());
getGameBoard().addGameObject(politie.get(politie.size() - 1),
xSpot, ySpot);
} else {
addPolice();
}
}
// adds wiet on a random spot within the map
public void addWietToMap() {
int xSpot = randomX();
int ySpot = randomY();
if (gameBoard.getObject(xSpot, ySpot) == null && xSpot > 26
&& ySpot > 11) {
getGameBoard().addGameObject(new Weed(), xSpot, ySpot);
} else {
addWietToMap();
}
}
public int randomX() {
int randomX = (int) (Math.random() * MAP_WIDTH);
return randomX;
}
public int randomY() {
int randomY = (int) (Math.random() * MAP_HIGHT);
return randomY;
}
public void enterShop() {
activity.gotoShopView();
}
//resets the game
public void reset() {
activity.resetShop();
initGame();
}
/**
* adds money to total of players' money
* @param aantal amount of money to be added
*/
public void addMoney(int aantal) {
money += aantal;
gameBoard.updateView();
}
/**
* deducts money of total of players' money
* @param aantal amount of money to be deducted
*/
public void deductMoney(int aantal) {
money -= aantal;
gameBoard.updateView();
}
/**
* adds 50 points to score when player collides with weed object
*/
public void updateScoreWCWW() {
score += 50;
if (score > highscore) {
highscore = score;
}
gameBoard.updateView();
}
/**
* adds one weed to the weed variable
*/
public void addWiet() {
wiet++;
gameBoard.updateView();
}
/**
* deducts the weed according to the given value
* @param aantal
*/
public void deductWiet(int aantal) {
wiet -= aantal;
gameBoard.updateView();
}
/**
* @return total amount of money the player has
*/
public int getMoney() {
return money;
}
/**
* @return total score the player has
*/
public int getScore() {
return score;
}
/**
* @return high score
*/
public int getHighscore() {
return highscore;
}
/**
* @return total amount of wiet the player has
*/
public int getWiet() {
return wiet;
}
/**
* @return the player object
*/
public Player getPlayer() {
return player;
}
//Timer//////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////
// police timer methods
public void startPoliceTimer() {
isPlaying = true;
// maakt een timer die de handler en de runnable oproept elke halve
// seconde.
policeTimer = new Timer();
policeTimer.schedule(new TimerTask() {
@Override
public void run() {
UpdateGUIPolice();
}
}, 0, 250);
}
private void stopPoliceTimer() {
policeTimer.cancel();
}
// player timer methods
public void startPlayerTimer(int speed) {
isPlaying = true;
// maakt een<SUF>
// seconde.
playerTimer = new Timer();
playerTimer.schedule(new TimerTask() {
@Override
public void run() {
UpdateGUIPlayer();
}
}, 0, speed);
}
private void stopPlayerTimer() {
playerTimer.cancel();
}
// De runnable voor de police die je aan de handler meegeeft.
final Runnable policeRunnable = new Runnable() {
public void run() {
for (int i = 0; i < politie.size(); i++) {
politie.get(i).onUpdate(gameBoard);
}
gameBoard.updateView();
}
};
// De runnable voor de player die je aan de handler meegeeft.
final Runnable playerRunnable = new Runnable() {
public void run() {
player.onUpdate(gameBoard);
}
};
// Methode waarmee je de runnable aan de handler meegeeft.
public void UpdateGUIPolice() {
POLICEHANDLER.post(policeRunnable);
}
public void UpdateGUIPlayer() {
PLAYERHANDLER.post(playerRunnable);
}
// kijken of player alive is
private boolean isPlayerAlive() {
if(player.getAliveState()){
return true;
}
return false;
}
// stops the timers
public void stopTimers() {
stopPlayerTimer();
stopPoliceTimer();
isPlaying = false;
}
public void update(Observable observable, Object data) {
if (!isPlayerAlive()) {
stopTimers();
activity.gotoGameOverScreen();
}
activity.updateMoneyLabels();
activity.updateScoreLabel();
activity.updateWietLabels();
activity.updateHighscoreLabel();
//Voegt politie toe als de speler een wiet object opppakt.
if (getScore() == politieScore) {
addPolice();
policeMusic();
addWietToMap();
politieScore = politieScore + 50;
}
}
//music for when the player picks up a wiet object
private void policeMusic() {
mPlayer = MediaPlayer.create(activity, R.raw.soundofdapolice);
mPlayer.setAudioStreamType(AudioManager.STREAM_MUSIC);
try {
mPlayer.prepare();
} catch (IllegalStateException e) {
// TODO Auto-generated catch block
e.printStackTrace();
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
mPlayer.start();
}
}
| false | 2,530 | 19 | 2,996 | 19 | 2,913 | 14 | 2,996 | 19 | 3,517 | 21 | false | false | false | false | false | true |
3,815 | 35873_0 | import java.awt.Graphics2D;
import java.awt.image.BufferedImage;
public class Stat {
public BufferedImage img; // Een plaatje van de Statistieken (in child gedefineerd)
public int x, y, breedte, hoogte; // De plaats en afmeting van de Enemy in px (in child gedefineerd)
public Stat(BufferedImage image, int x, int y, int breedte, int hoogte){
this.img = image;
this.x = x;
this.y = y;
this.breedte = breedte;
this.hoogte = hoogte;
}
public void teken(Graphics2D tekenObject){
tekenObject.drawImage(img, x, y, breedte, hoogte, null);
}
}
| niekbr/Mario | Game/src/Stat.java | 219 | // Een plaatje van de Statistieken (in child gedefineerd) | line_comment | nl | import java.awt.Graphics2D;
import java.awt.image.BufferedImage;
public class Stat {
public BufferedImage img; // Een plaatje<SUF>
public int x, y, breedte, hoogte; // De plaats en afmeting van de Enemy in px (in child gedefineerd)
public Stat(BufferedImage image, int x, int y, int breedte, int hoogte){
this.img = image;
this.x = x;
this.y = y;
this.breedte = breedte;
this.hoogte = hoogte;
}
public void teken(Graphics2D tekenObject){
tekenObject.drawImage(img, x, y, breedte, hoogte, null);
}
}
| false | 171 | 19 | 212 | 19 | 190 | 15 | 212 | 19 | 224 | 18 | false | false | false | false | false | true |
3,809 | 28761_1 | package nl.han.ica.waterworld;
import nl.han.ica.OOPDProcessingEngineHAN.Dashboard.Dashboard;
import nl.han.ica.OOPDProcessingEngineHAN.Engine.GameEngine;
import nl.han.ica.OOPDProcessingEngineHAN.Objects.Sprite;
import nl.han.ica.OOPDProcessingEngineHAN.Persistence.FilePersistence;
import nl.han.ica.OOPDProcessingEngineHAN.Persistence.IPersistence;
import nl.han.ica.OOPDProcessingEngineHAN.Sound.Sound;
import nl.han.ica.OOPDProcessingEngineHAN.Tile.TileMap;
import nl.han.ica.OOPDProcessingEngineHAN.Tile.TileType;
import nl.han.ica.OOPDProcessingEngineHAN.View.EdgeFollowingViewport;
import nl.han.ica.OOPDProcessingEngineHAN.View.View;
import nl.han.ica.waterworld.tiles.BoardsTile;
import processing.core.PApplet;
/**
* @author Ralph Niels
*/
@SuppressWarnings("serial")
public class WaterWorld extends GameEngine {
private Sound backgroundSound;
private Sound bubblePopSound;
private TextObject dashboardText;
private BubbleSpawner bubbleSpawner;
private int bubblesPopped;
private IPersistence persistence;
private Player player;
public static void main(String[] args) {
PApplet.main(new String[]{"nl.han.ica.waterworld.WaterWorld"});
}
/**
* In deze methode worden de voor het spel
* noodzakelijke zaken geïnitialiseerd
*/
@Override
public void setupGame() {
int worldWidth=1204;
int worldHeight=903;
initializeSound();
createDashboard(worldWidth, 100);
initializeTileMap();
initializePersistence();
createObjects();
createBubbleSpawner();
createViewWithoutViewport(worldWidth, worldHeight);
//createViewWithViewport(worldWidth, worldHeight, 800, 800, 1.1f);
}
/**
* Creeërt de view zonder viewport
* @param screenWidth Breedte van het scherm
* @param screenHeight Hoogte van het scherm
*/
private void createViewWithoutViewport(int screenWidth, int screenHeight) {
View view = new View(screenWidth,screenHeight);
view.setBackground(loadImage("src/main/java/nl/han/ica/waterworld/media/background.jpg"));
setView(view);
size(screenWidth, screenHeight);
}
/**
* Creeërt de view met viewport
* @param worldWidth Totale breedte van de wereld
* @param worldHeight Totale hoogte van de wereld
* @param screenWidth Breedte van het scherm
* @param screenHeight Hoogte van het scherm
* @param zoomFactor Factor waarmee wordt ingezoomd
*/
private void createViewWithViewport(int worldWidth,int worldHeight,int screenWidth,int screenHeight,float zoomFactor) {
EdgeFollowingViewport viewPort = new EdgeFollowingViewport(player, (int)Math.ceil(screenWidth/zoomFactor),(int)Math.ceil(screenHeight/zoomFactor),0,0);
viewPort.setTolerance(50, 50, 50, 50);
View view = new View(viewPort, worldWidth,worldHeight);
setView(view);
size(screenWidth, screenHeight);
view.setBackground(loadImage("src/main/java/nl/han/ica/waterworld/media/background.jpg"));
}
/**
* Initialiseert geluid
*/
private void initializeSound() {
backgroundSound = new Sound(this, "src/main/java/nl/han/ica/waterworld/media/Waterworld.mp3");
backgroundSound.loop(-1);
bubblePopSound = new Sound(this, "src/main/java/nl/han/ica/waterworld/media/pop.mp3");
}
/**
* Maakt de spelobjecten aan
*/
private void createObjects() {
player = new Player(this);
addGameObject(player, 100, 100);
Swordfish sf=new Swordfish(this);
addGameObject(sf,200,200);
}
/**
* Maakt de spawner voor de bellen aan
*/
public void createBubbleSpawner() {
bubbleSpawner=new BubbleSpawner(this,bubblePopSound,2);
}
/**
* Maakt het dashboard aan
* @param dashboardWidth Gewenste breedte van dashboard
* @param dashboardHeight Gewenste hoogte van dashboard
*/
private void createDashboard(int dashboardWidth,int dashboardHeight) {
Dashboard dashboard = new Dashboard(0,0, dashboardWidth, dashboardHeight);
dashboardText=new TextObject("");
dashboard.addGameObject(dashboardText);
addDashboard(dashboard);
}
/**
* Initialiseert de opslag van de bellenteller
* en laadt indien mogelijk de eerder opgeslagen
* waarde
*/
private void initializePersistence() {
persistence = new FilePersistence("main/java/nl/han/ica/waterworld/media/bubblesPopped.txt");
if (persistence.fileExists()) {
bubblesPopped = Integer.parseInt(persistence.loadDataString());
refreshDasboardText();
}
}
/**
* Initialiseert de tilemap
*/
private void initializeTileMap() {
/* TILES */
Sprite boardsSprite = new Sprite("src/main/java/nl/han/ica/waterworld/media/boards.jpg");
TileType<BoardsTile> boardTileType = new TileType<>(BoardsTile.class, boardsSprite);
TileType[] tileTypes = { boardTileType };
int tileSize=50;
int tilesMap[][]={
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1, 0, 0, 0, 0,-1,0 , 0},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1}
};
tileMap = new TileMap(tileSize, tileTypes, tilesMap);
}
@Override
public void update() {
}
/**
* Vernieuwt het dashboard
*/
private void refreshDasboardText() {
dashboardText.setText("Bubbles popped: "+bubblesPopped);
}
/**
* Verhoogt de teller voor het aantal
* geknapte bellen met 1
*/
public void increaseBubblesPopped() {
bubblesPopped++;
persistence.saveData(Integer.toString(bubblesPopped));
refreshDasboardText();
}
}
| nickhartjes/OOPD-GameEngine | src/main/java/nl/han/ica/waterworld/WaterWorld.java | 2,092 | /**
* In deze methode worden de voor het spel
* noodzakelijke zaken geïnitialiseerd
*/ | block_comment | nl | package nl.han.ica.waterworld;
import nl.han.ica.OOPDProcessingEngineHAN.Dashboard.Dashboard;
import nl.han.ica.OOPDProcessingEngineHAN.Engine.GameEngine;
import nl.han.ica.OOPDProcessingEngineHAN.Objects.Sprite;
import nl.han.ica.OOPDProcessingEngineHAN.Persistence.FilePersistence;
import nl.han.ica.OOPDProcessingEngineHAN.Persistence.IPersistence;
import nl.han.ica.OOPDProcessingEngineHAN.Sound.Sound;
import nl.han.ica.OOPDProcessingEngineHAN.Tile.TileMap;
import nl.han.ica.OOPDProcessingEngineHAN.Tile.TileType;
import nl.han.ica.OOPDProcessingEngineHAN.View.EdgeFollowingViewport;
import nl.han.ica.OOPDProcessingEngineHAN.View.View;
import nl.han.ica.waterworld.tiles.BoardsTile;
import processing.core.PApplet;
/**
* @author Ralph Niels
*/
@SuppressWarnings("serial")
public class WaterWorld extends GameEngine {
private Sound backgroundSound;
private Sound bubblePopSound;
private TextObject dashboardText;
private BubbleSpawner bubbleSpawner;
private int bubblesPopped;
private IPersistence persistence;
private Player player;
public static void main(String[] args) {
PApplet.main(new String[]{"nl.han.ica.waterworld.WaterWorld"});
}
/**
* In deze methode<SUF>*/
@Override
public void setupGame() {
int worldWidth=1204;
int worldHeight=903;
initializeSound();
createDashboard(worldWidth, 100);
initializeTileMap();
initializePersistence();
createObjects();
createBubbleSpawner();
createViewWithoutViewport(worldWidth, worldHeight);
//createViewWithViewport(worldWidth, worldHeight, 800, 800, 1.1f);
}
/**
* Creeërt de view zonder viewport
* @param screenWidth Breedte van het scherm
* @param screenHeight Hoogte van het scherm
*/
private void createViewWithoutViewport(int screenWidth, int screenHeight) {
View view = new View(screenWidth,screenHeight);
view.setBackground(loadImage("src/main/java/nl/han/ica/waterworld/media/background.jpg"));
setView(view);
size(screenWidth, screenHeight);
}
/**
* Creeërt de view met viewport
* @param worldWidth Totale breedte van de wereld
* @param worldHeight Totale hoogte van de wereld
* @param screenWidth Breedte van het scherm
* @param screenHeight Hoogte van het scherm
* @param zoomFactor Factor waarmee wordt ingezoomd
*/
private void createViewWithViewport(int worldWidth,int worldHeight,int screenWidth,int screenHeight,float zoomFactor) {
EdgeFollowingViewport viewPort = new EdgeFollowingViewport(player, (int)Math.ceil(screenWidth/zoomFactor),(int)Math.ceil(screenHeight/zoomFactor),0,0);
viewPort.setTolerance(50, 50, 50, 50);
View view = new View(viewPort, worldWidth,worldHeight);
setView(view);
size(screenWidth, screenHeight);
view.setBackground(loadImage("src/main/java/nl/han/ica/waterworld/media/background.jpg"));
}
/**
* Initialiseert geluid
*/
private void initializeSound() {
backgroundSound = new Sound(this, "src/main/java/nl/han/ica/waterworld/media/Waterworld.mp3");
backgroundSound.loop(-1);
bubblePopSound = new Sound(this, "src/main/java/nl/han/ica/waterworld/media/pop.mp3");
}
/**
* Maakt de spelobjecten aan
*/
private void createObjects() {
player = new Player(this);
addGameObject(player, 100, 100);
Swordfish sf=new Swordfish(this);
addGameObject(sf,200,200);
}
/**
* Maakt de spawner voor de bellen aan
*/
public void createBubbleSpawner() {
bubbleSpawner=new BubbleSpawner(this,bubblePopSound,2);
}
/**
* Maakt het dashboard aan
* @param dashboardWidth Gewenste breedte van dashboard
* @param dashboardHeight Gewenste hoogte van dashboard
*/
private void createDashboard(int dashboardWidth,int dashboardHeight) {
Dashboard dashboard = new Dashboard(0,0, dashboardWidth, dashboardHeight);
dashboardText=new TextObject("");
dashboard.addGameObject(dashboardText);
addDashboard(dashboard);
}
/**
* Initialiseert de opslag van de bellenteller
* en laadt indien mogelijk de eerder opgeslagen
* waarde
*/
private void initializePersistence() {
persistence = new FilePersistence("main/java/nl/han/ica/waterworld/media/bubblesPopped.txt");
if (persistence.fileExists()) {
bubblesPopped = Integer.parseInt(persistence.loadDataString());
refreshDasboardText();
}
}
/**
* Initialiseert de tilemap
*/
private void initializeTileMap() {
/* TILES */
Sprite boardsSprite = new Sprite("src/main/java/nl/han/ica/waterworld/media/boards.jpg");
TileType<BoardsTile> boardTileType = new TileType<>(BoardsTile.class, boardsSprite);
TileType[] tileTypes = { boardTileType };
int tileSize=50;
int tilesMap[][]={
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1, 0, 0, 0, 0,-1,0 , 0},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1}
};
tileMap = new TileMap(tileSize, tileTypes, tilesMap);
}
@Override
public void update() {
}
/**
* Vernieuwt het dashboard
*/
private void refreshDasboardText() {
dashboardText.setText("Bubbles popped: "+bubblesPopped);
}
/**
* Verhoogt de teller voor het aantal
* geknapte bellen met 1
*/
public void increaseBubblesPopped() {
bubblesPopped++;
persistence.saveData(Integer.toString(bubblesPopped));
refreshDasboardText();
}
}
| false | 1,682 | 30 | 1,844 | 32 | 1,867 | 25 | 1,845 | 32 | 2,153 | 32 | false | false | false | false | false | true |
2,971 | 27355_3 | package nl.Novi;
// Importeer de Scanner class uit de java.util package, wat een basis onderdeel is van je jdk
// We hoeven Translator niet te importeren, omdat deze in hetzelfde package staat als Main, namelijk "nl.Novi"
import java.util.Scanner;
// Definieer de Main class, waarin we onze applicatie beginnen.
public class Main {
//Definieer de main methode, de voordeur van onze applicatie, waarmee we onze applicatie op starten.
public static void main(String[] args) {
// Een array van integers.
Integer[] numeric = {1, 2, 3, 4, 5, 6, 7, 8, 9, 0};
// Een array van Strings.
String[] alphabetic = {"een", "twee", "drie", "vier", "vijf", "zes", "zeven", "acht", "negen", "nul"};
// We instatieren een nieuwe Translator. De Translator klasse hebben we zelf gemaakt en staat in de nl.Novi package.
// Met het new-keyword, roepen we de constructor van Translator aan.
// Deze vraagt als parameters om een array van integers en een array van Strings.
Translator translator = new Translator(alphabetic, numeric);
// We instantieren hier een nieuwe Scanner.
// We geven als parameter "System.in", dit betekent dat we de input via de terminal krijgen.
Scanner scanner = new Scanner(System.in);
// We maken een boolean (primitive) variabele genaamd "play" en geven die de waarde "true".
boolean play = true;
// We maken een String variabele genaamd "ongeldig" en geven die de waarde "ongeldige invoer".
String ongeldig = "ongeldige invoer";
// zolang play "true" is, voeren we de volgende code uit.
while (play) {
// Print een bericht voor de gebruiker, zodat deze weet wat hij/zij moet doen.
System.out.println("Type 'x' om te stoppen \nType 'v' om te vertalen");
// Lees de input van de gebruiker en sla dat op als een String "input".
String input = scanner.nextLine();
if (input.equals("x")) {
// Als de input van de gebruiker "x" is, dan zetten we "play" naar false, waardoor de while loop niet langer door gaat.
play = false;
} else if (input.equals("v")) {
// Als de input van de gebruiker "v" is, dan voeren we onderstaande code uit.
// We printen eerst weer een instructie voorde gebruiker.
System.out.println("Type een cijfer in van 0 t/m 9");
// Vervolgens lezen we het cijfer dat de gebruiker intypt en slaan we dat op.
int number = scanner.nextInt();
// We laten de scanner hier nog eens een lege regel lezen, omdat nextInt() van zichzelf niet op een nieuwe regel eindigd.
// We krijgen later problemen als we dit niet doen.
scanner.nextLine();
if (number < 10 && number >= 0) {
// Als het nummer onder de 10 is en groter of gelijk aan 0, dan vertalen we het met de translate methode en printen we het resultaat
String result = translator.translate(number);
System.out.println("De vertaling van " + number + " is " + result);
} else {
// Als het resultaat hoger dan 10 of lager dan 0 is, dan printen we het "ongeldig" bericht.
System.out.println(ongeldig);
}
} else {
// Als de gebruiker is anders dan "x" of "v" intypt, dan printen de het "ongeldig" bericht.
System.out.println(ongeldig);
}
}
}
}
| hogeschoolnovi/backend-java-collecties-lussen-uitwerkingen | src/nl/Novi/Main.java | 1,041 | //Definieer de main methode, de voordeur van onze applicatie, waarmee we onze applicatie op starten. | line_comment | nl | package nl.Novi;
// Importeer de Scanner class uit de java.util package, wat een basis onderdeel is van je jdk
// We hoeven Translator niet te importeren, omdat deze in hetzelfde package staat als Main, namelijk "nl.Novi"
import java.util.Scanner;
// Definieer de Main class, waarin we onze applicatie beginnen.
public class Main {
//Definieer de<SUF>
public static void main(String[] args) {
// Een array van integers.
Integer[] numeric = {1, 2, 3, 4, 5, 6, 7, 8, 9, 0};
// Een array van Strings.
String[] alphabetic = {"een", "twee", "drie", "vier", "vijf", "zes", "zeven", "acht", "negen", "nul"};
// We instatieren een nieuwe Translator. De Translator klasse hebben we zelf gemaakt en staat in de nl.Novi package.
// Met het new-keyword, roepen we de constructor van Translator aan.
// Deze vraagt als parameters om een array van integers en een array van Strings.
Translator translator = new Translator(alphabetic, numeric);
// We instantieren hier een nieuwe Scanner.
// We geven als parameter "System.in", dit betekent dat we de input via de terminal krijgen.
Scanner scanner = new Scanner(System.in);
// We maken een boolean (primitive) variabele genaamd "play" en geven die de waarde "true".
boolean play = true;
// We maken een String variabele genaamd "ongeldig" en geven die de waarde "ongeldige invoer".
String ongeldig = "ongeldige invoer";
// zolang play "true" is, voeren we de volgende code uit.
while (play) {
// Print een bericht voor de gebruiker, zodat deze weet wat hij/zij moet doen.
System.out.println("Type 'x' om te stoppen \nType 'v' om te vertalen");
// Lees de input van de gebruiker en sla dat op als een String "input".
String input = scanner.nextLine();
if (input.equals("x")) {
// Als de input van de gebruiker "x" is, dan zetten we "play" naar false, waardoor de while loop niet langer door gaat.
play = false;
} else if (input.equals("v")) {
// Als de input van de gebruiker "v" is, dan voeren we onderstaande code uit.
// We printen eerst weer een instructie voorde gebruiker.
System.out.println("Type een cijfer in van 0 t/m 9");
// Vervolgens lezen we het cijfer dat de gebruiker intypt en slaan we dat op.
int number = scanner.nextInt();
// We laten de scanner hier nog eens een lege regel lezen, omdat nextInt() van zichzelf niet op een nieuwe regel eindigd.
// We krijgen later problemen als we dit niet doen.
scanner.nextLine();
if (number < 10 && number >= 0) {
// Als het nummer onder de 10 is en groter of gelijk aan 0, dan vertalen we het met de translate methode en printen we het resultaat
String result = translator.translate(number);
System.out.println("De vertaling van " + number + " is " + result);
} else {
// Als het resultaat hoger dan 10 of lager dan 0 is, dan printen we het "ongeldig" bericht.
System.out.println(ongeldig);
}
} else {
// Als de gebruiker is anders dan "x" of "v" intypt, dan printen de het "ongeldig" bericht.
System.out.println(ongeldig);
}
}
}
}
| false | 902 | 30 | 996 | 31 | 920 | 24 | 996 | 31 | 1,062 | 32 | false | false | false | false | false | true |
3,771 | 113325_5 | package yolo.octo.dangerzone.beatdetection;
import java.util.List;
import ddf.minim.analysis.FFT;
/*
* FFTBeatDetector
* An extension of the SimpleBeatDetector.
* Uses a Fast Fourier Transform on a single array of samples
* to break it down into multiple frequency ranges.
* Uses the low freqency range (from 80 to 230) to determine if there is a beat.
* Uses three frequency bands to find sections in the song.
*
*/
public class FFTBeatDetector implements BeatDetector{
/* Has three simple beat detectors, one for each frequency range*/
private SimpleBeatDetector lowFrequency;
private SimpleBeatDetector highFrequency;
private SimpleBeatDetector midFrequency;
private FFT fft;
/* Constructor*/
public FFTBeatDetector(int sampleRate, int channels, int bufferSize) {
fft = new FFT(bufferSize, sampleRate);
fft.window(FFT.HAMMING);
fft.noAverages();
lowFrequency = new SimpleBeatDetector(sampleRate, channels);
highFrequency = new SimpleBeatDetector(sampleRate, channels);
midFrequency = new SimpleBeatDetector(sampleRate, channels);
}
@Override
/* Uses the newEnergy function from the simple beat detector to fill the
* list of sections in each frequency range.
*/
public boolean newSamples(float[] samples) {
fft.forward(samples);
/* Only the low frequency range is used to find a beat*/
boolean lowBeat = lowFrequency.newEnergy(fft.calcAvg(80, 230), 1024);
highFrequency.newEnergy(fft.calcAvg(9000, 17000), 1024);
midFrequency.newEnergy(fft.calcAvg(280, 2800), 1024);
return lowBeat;
}
@Override
/*
* Wraps up the song.
* Calculates a total intensity by adding the intensity of the beats found in the
* high frequency range to the intensity in the low frequency range if both beats
* occur at the same time.
* Beat intensities will be scaled so they fall between 0 and 1.
*
* Then it uses the sections found in the middle frequency range and matches the
* beats in the low frequency range with the sections in the middle frequency range.
*/
public void finishSong() {
lowFrequency.finishSong();
highFrequency.finishSong();
List<Beat> lowBeats = lowFrequency.getBeats();
List<Beat> highBeats = highFrequency.getBeats();
int lbIndex = 0;
for (Beat hb : highBeats) {
for (; lbIndex < lowBeats.size(); lbIndex++) {
Beat lb = lowBeats.get(lbIndex);
if (lb.startTime > hb.startTime) {
break;
}
// Als een hb binnen een lb valt, draagt deze bij aan de intensiteit
if (lb.startTime <= hb.startTime
&& lb.endTime > hb.startTime) {
lb.intensity += hb.intensity / 2;
}
}
}
float maxBeatIntensity = 1;
for (Beat b : lowBeats) {
if (b.intensity > maxBeatIntensity) {
maxBeatIntensity = b.intensity;
}
}
for (Beat b : lowBeats) {
b.intensity /= maxBeatIntensity;
}
float maxSectionIntensity = 0;
lbIndex = 0;
/* Looks for the best match in the low frequency range for the start and end
* of the section fills the section with the beats between the start and the end.
*/
for (Section s : midFrequency.getSections()) {
int bestMatch = 0;
long timeDiff = Long.MAX_VALUE;
/* finds the start beat*/
for (; lbIndex < lowBeats.size(); lbIndex++) {
Beat b = lowBeats.get(lbIndex);
long newTimeDiff = Math.abs(s.startTime - b.startTime);
if (newTimeDiff < timeDiff) {
timeDiff = newTimeDiff;
bestMatch = lbIndex;
} else if (b.startTime > s.startTime) {
break;
}
}
int startBeat = bestMatch;
timeDiff = Long.MAX_VALUE;
/* Finds the end beat*/
for (; lbIndex < lowBeats.size(); lbIndex++) {
Beat b = lowBeats.get(lbIndex);
long newTimeDiff = Math.abs(s.endTime - b.endTime);
if (newTimeDiff < timeDiff) {
timeDiff = newTimeDiff;
bestMatch = lbIndex;
} else if (b.endTime > s.endTime) {
break;
}
}
int endBeat = bestMatch;
s.beats.clear();
/* Adds all beats from start to end to the section list*/
s.beats.addAll(lowBeats.subList(startBeat, endBeat));
if (s.intensity > maxSectionIntensity) {
/* Sets the maxsection intensity*/
maxSectionIntensity = (float) s.intensity;
}
}
/* Scales the intensities in the sections to fall between 0 and 1*/
/* for (Section s : midFrequency.getSections()) {
s.intensity /= maxSectionIntensity;
} */
}
@Override
/* See explanation at SimpleBeatDetector*/
public double estimateTempo() {
return lowFrequency.estimateTempo();
}
@Override
/* See explanation at SimpleBeatDetector*/
public List<Beat> getBeats() {
return lowFrequency.getBeats();
}
@Override
/* Only the middle frequency range is used for the section*/
public List<Section> getSections() {
if (midFrequency.getSections().isEmpty())
return lowFrequency.getSections();
return midFrequency.getSections();
}
}
| nardi/yolo-octo-dangerzone | GameTest/src/yolo/octo/dangerzone/beatdetection/FFTBeatDetector.java | 1,643 | // Als een hb binnen een lb valt, draagt deze bij aan de intensiteit | line_comment | nl | package yolo.octo.dangerzone.beatdetection;
import java.util.List;
import ddf.minim.analysis.FFT;
/*
* FFTBeatDetector
* An extension of the SimpleBeatDetector.
* Uses a Fast Fourier Transform on a single array of samples
* to break it down into multiple frequency ranges.
* Uses the low freqency range (from 80 to 230) to determine if there is a beat.
* Uses three frequency bands to find sections in the song.
*
*/
public class FFTBeatDetector implements BeatDetector{
/* Has three simple beat detectors, one for each frequency range*/
private SimpleBeatDetector lowFrequency;
private SimpleBeatDetector highFrequency;
private SimpleBeatDetector midFrequency;
private FFT fft;
/* Constructor*/
public FFTBeatDetector(int sampleRate, int channels, int bufferSize) {
fft = new FFT(bufferSize, sampleRate);
fft.window(FFT.HAMMING);
fft.noAverages();
lowFrequency = new SimpleBeatDetector(sampleRate, channels);
highFrequency = new SimpleBeatDetector(sampleRate, channels);
midFrequency = new SimpleBeatDetector(sampleRate, channels);
}
@Override
/* Uses the newEnergy function from the simple beat detector to fill the
* list of sections in each frequency range.
*/
public boolean newSamples(float[] samples) {
fft.forward(samples);
/* Only the low frequency range is used to find a beat*/
boolean lowBeat = lowFrequency.newEnergy(fft.calcAvg(80, 230), 1024);
highFrequency.newEnergy(fft.calcAvg(9000, 17000), 1024);
midFrequency.newEnergy(fft.calcAvg(280, 2800), 1024);
return lowBeat;
}
@Override
/*
* Wraps up the song.
* Calculates a total intensity by adding the intensity of the beats found in the
* high frequency range to the intensity in the low frequency range if both beats
* occur at the same time.
* Beat intensities will be scaled so they fall between 0 and 1.
*
* Then it uses the sections found in the middle frequency range and matches the
* beats in the low frequency range with the sections in the middle frequency range.
*/
public void finishSong() {
lowFrequency.finishSong();
highFrequency.finishSong();
List<Beat> lowBeats = lowFrequency.getBeats();
List<Beat> highBeats = highFrequency.getBeats();
int lbIndex = 0;
for (Beat hb : highBeats) {
for (; lbIndex < lowBeats.size(); lbIndex++) {
Beat lb = lowBeats.get(lbIndex);
if (lb.startTime > hb.startTime) {
break;
}
// Als een<SUF>
if (lb.startTime <= hb.startTime
&& lb.endTime > hb.startTime) {
lb.intensity += hb.intensity / 2;
}
}
}
float maxBeatIntensity = 1;
for (Beat b : lowBeats) {
if (b.intensity > maxBeatIntensity) {
maxBeatIntensity = b.intensity;
}
}
for (Beat b : lowBeats) {
b.intensity /= maxBeatIntensity;
}
float maxSectionIntensity = 0;
lbIndex = 0;
/* Looks for the best match in the low frequency range for the start and end
* of the section fills the section with the beats between the start and the end.
*/
for (Section s : midFrequency.getSections()) {
int bestMatch = 0;
long timeDiff = Long.MAX_VALUE;
/* finds the start beat*/
for (; lbIndex < lowBeats.size(); lbIndex++) {
Beat b = lowBeats.get(lbIndex);
long newTimeDiff = Math.abs(s.startTime - b.startTime);
if (newTimeDiff < timeDiff) {
timeDiff = newTimeDiff;
bestMatch = lbIndex;
} else if (b.startTime > s.startTime) {
break;
}
}
int startBeat = bestMatch;
timeDiff = Long.MAX_VALUE;
/* Finds the end beat*/
for (; lbIndex < lowBeats.size(); lbIndex++) {
Beat b = lowBeats.get(lbIndex);
long newTimeDiff = Math.abs(s.endTime - b.endTime);
if (newTimeDiff < timeDiff) {
timeDiff = newTimeDiff;
bestMatch = lbIndex;
} else if (b.endTime > s.endTime) {
break;
}
}
int endBeat = bestMatch;
s.beats.clear();
/* Adds all beats from start to end to the section list*/
s.beats.addAll(lowBeats.subList(startBeat, endBeat));
if (s.intensity > maxSectionIntensity) {
/* Sets the maxsection intensity*/
maxSectionIntensity = (float) s.intensity;
}
}
/* Scales the intensities in the sections to fall between 0 and 1*/
/* for (Section s : midFrequency.getSections()) {
s.intensity /= maxSectionIntensity;
} */
}
@Override
/* See explanation at SimpleBeatDetector*/
public double estimateTempo() {
return lowFrequency.estimateTempo();
}
@Override
/* See explanation at SimpleBeatDetector*/
public List<Beat> getBeats() {
return lowFrequency.getBeats();
}
@Override
/* Only the middle frequency range is used for the section*/
public List<Section> getSections() {
if (midFrequency.getSections().isEmpty())
return lowFrequency.getSections();
return midFrequency.getSections();
}
}
| false | 1,309 | 18 | 1,467 | 23 | 1,463 | 18 | 1,467 | 23 | 1,861 | 19 | false | false | false | false | false | true |
898 | 84759_1 | package be.kuleuven.scorebord;
import com.google.gson.Gson;
import com.google.gson.reflect.TypeToken;
import java.io.IOException;
import java.nio.file.Files;
import java.nio.file.Paths;
import java.util.ArrayList;
import java.util.Comparator;
import java.util.List;
public class Scorebord {
private List<Speler> spelers;
private Gson gsonInstance;
public Scorebord() {
spelers = new ArrayList<>();
gsonInstance = new Gson();
if(Files.exists(Paths.get("score.json"))) {
loadFromFile();
}
}
/**
* Voegt speler toe aan scorebord. Indien reeds aanwezig, telt score op bij huidige score.
* @param spelerNaam de naam van de speler.
* @param score de score van de speler.
*/
public void voegToe(String spelerNaam, int score) {
var current = spelers.stream().filter(s -> s.getNaam().equals(spelerNaam)).findFirst();
if(current.isPresent()) {
current.get().scoor(score);
} else {
spelers.add(new Speler(spelerNaam, score));
}
save();
}
private void save() {
try {
var json = gsonInstance.toJson(spelers);
Files.write(Paths.get("score.json"), json.getBytes());
} catch (IOException e) {
throw new RuntimeException(e);
}
}
/**
* Wie is gewonnen? (huidige speler met hoogste score)
* @return naam van speler in tekst
*/
public String getWinnaar() {
return spelers.stream()
.sorted(Comparator.comparing(Speler::getScore))
.findFirst()
.orElseGet(() -> new Speler("GEEN")).getNaam();
}
/**
* Geef huidige totale score van de speler
* @param spelerNaam speler naam
* @return score vanuit het bord
*/
public int getTotaleScore(String spelerNaam) {
var result = spelers.stream().filter(s -> s.getNaam().equals(spelerNaam)).findFirst();
return result.isEmpty() ? 0 : result.get().getScore();
}
private void loadFromFile() {
try {
var collectionType = new TypeToken<List<Speler>>(){}.getType();
var json = Files.readString(Paths.get("score.json"));
spelers = gsonInstance.fromJson(json, collectionType);
} catch (IOException e) {
throw new RuntimeException(e);
}
}
}
| KULeuven-Diepenbeek/ses-course | examples/java/scorebord/src/main/java/be/kuleuven/scorebord/Scorebord.java | 744 | /**
* Wie is gewonnen? (huidige speler met hoogste score)
* @return naam van speler in tekst
*/ | block_comment | nl | package be.kuleuven.scorebord;
import com.google.gson.Gson;
import com.google.gson.reflect.TypeToken;
import java.io.IOException;
import java.nio.file.Files;
import java.nio.file.Paths;
import java.util.ArrayList;
import java.util.Comparator;
import java.util.List;
public class Scorebord {
private List<Speler> spelers;
private Gson gsonInstance;
public Scorebord() {
spelers = new ArrayList<>();
gsonInstance = new Gson();
if(Files.exists(Paths.get("score.json"))) {
loadFromFile();
}
}
/**
* Voegt speler toe aan scorebord. Indien reeds aanwezig, telt score op bij huidige score.
* @param spelerNaam de naam van de speler.
* @param score de score van de speler.
*/
public void voegToe(String spelerNaam, int score) {
var current = spelers.stream().filter(s -> s.getNaam().equals(spelerNaam)).findFirst();
if(current.isPresent()) {
current.get().scoor(score);
} else {
spelers.add(new Speler(spelerNaam, score));
}
save();
}
private void save() {
try {
var json = gsonInstance.toJson(spelers);
Files.write(Paths.get("score.json"), json.getBytes());
} catch (IOException e) {
throw new RuntimeException(e);
}
}
/**
* Wie is gewonnen?<SUF>*/
public String getWinnaar() {
return spelers.stream()
.sorted(Comparator.comparing(Speler::getScore))
.findFirst()
.orElseGet(() -> new Speler("GEEN")).getNaam();
}
/**
* Geef huidige totale score van de speler
* @param spelerNaam speler naam
* @return score vanuit het bord
*/
public int getTotaleScore(String spelerNaam) {
var result = spelers.stream().filter(s -> s.getNaam().equals(spelerNaam)).findFirst();
return result.isEmpty() ? 0 : result.get().getScore();
}
private void loadFromFile() {
try {
var collectionType = new TypeToken<List<Speler>>(){}.getType();
var json = Files.readString(Paths.get("score.json"));
spelers = gsonInstance.fromJson(json, collectionType);
} catch (IOException e) {
throw new RuntimeException(e);
}
}
}
| false | 563 | 32 | 650 | 36 | 655 | 33 | 650 | 36 | 741 | 35 | false | false | false | false | false | true |