file_id
stringlengths 4
10
| content
stringlengths 91
42.8k
| repo
stringlengths 7
108
| path
stringlengths 7
251
| token_length
int64 34
8.19k
| original_comment
stringlengths 11
11.5k
| comment_type
stringclasses 2
values | detected_lang
stringclasses 1
value | prompt
stringlengths 34
42.8k
|
---|---|---|---|---|---|---|---|---|
1611_1 | package domain;
import java.util.*;
public class Spel {
SpelerGroep spelerGroep;
Quiz quiz;
int vraagIndex = 0;
private List<Opdracht> opdrachten;
/**
* Maakt een nieuw spel aan met de gegeven spelergroep en quiz.
*
* @param spelers de groep van spelers
* @param quiz de quiz
*/
public Spel(SpelerGroep spelers, Quiz quiz) {
if(spelers == null || quiz == null) throw new IllegalArgumentException("Spelergroep of quiz is leeg");
this.spelerGroep = spelers;
this.quiz = quiz;
opdrachten = new LinkedList<>(quiz.getOpdrachten());
}
/**
* Geeft aan of er nog opdrachten zijn in de quiz.
*
* @return true als er geen opdrachten meer over zijn in de quiz, anders false
*/
public boolean isVoorbij() {
if(vraagIndex == opdrachten.size()) return true;
return false;
}
/**
* Geeft de vraag van de volgende opdracht van de quiz.
*
* @return de vraag van de volgende opdracht van de quiz
*/
public String getVolgendeVraag() {
return opdrachten.get(vraagIndex).getVraag();
}
/**
* Controleert of het antwoord juist is, kent punten toe en zet de volgende speler aan beurt.
* Indien het antwoord juist is, krijgt de speler die aan beurt was 10 punten bij. Infien fout worden er geen punten toegekend.
*
* @param antwoord het antwoord van de speler op de vraag
*/
public boolean speel(String antwoord) {
Opdracht opdracht = opdrachten.get(vraagIndex);
volgendeVraag();
if(opdracht.getAntwoord().trim().equalsIgnoreCase(antwoord)){
spelerGroep.getSpelerAanBeurt().verhoogAantalPunten(10);
return true;
}
spelerGroep.getEnVerplaatsSpelerAanBeurt();
return false;
}
/**
* Geeft de speler terug met het meeste punten.
*
* @return de speler met het meeste punten
*/
public Speler getWinnaar() {
Speler winnaar = new Speler("winnaar");
for(Speler s : spelerGroep.getSpelers()){
if(s.getAantalPunten() > winnaar.getAantalPunten()) winnaar = s;
}
return winnaar;
}
public Set<Speler> getWinnaars() {
Set<Speler> winnaars = new HashSet<>();
int hoogstepunt = 0;
for(Speler s : spelerGroep.getSpelers()){
if(s.getAantalPunten() == hoogstepunt){
winnaars.add(s);
}
if(s.getAantalPunten() > hoogstepunt){
winnaars.clear();
winnaars.add(s);
}
}
return winnaars;
}
public int getHoogstePunt(){
return getWinnaar().getAantalPunten();
}
/**
* Geeft de naam van de speler terug die nu aan beurt is.
*
* @return de naam van de speler die nu aan beurt is
*/
public String getNaamSpelerAanBeurt() {
return spelerGroep.getSpelerAanBeurt().getNaam();
}
public int getVraagIndex() {
return vraagIndex;
}
public void volgendeVraag(){
vraagIndex += 1;
}
}
| martijnmeeldijk/TI-oplossingen | Semester_2/OOP/JCF1 legit/src/domain/Spel.java | 918 | /**
* Geeft aan of er nog opdrachten zijn in de quiz.
*
* @return true als er geen opdrachten meer over zijn in de quiz, anders false
*/ | block_comment | nl | package domain;
import java.util.*;
public class Spel {
SpelerGroep spelerGroep;
Quiz quiz;
int vraagIndex = 0;
private List<Opdracht> opdrachten;
/**
* Maakt een nieuw spel aan met de gegeven spelergroep en quiz.
*
* @param spelers de groep van spelers
* @param quiz de quiz
*/
public Spel(SpelerGroep spelers, Quiz quiz) {
if(spelers == null || quiz == null) throw new IllegalArgumentException("Spelergroep of quiz is leeg");
this.spelerGroep = spelers;
this.quiz = quiz;
opdrachten = new LinkedList<>(quiz.getOpdrachten());
}
/**
* Geeft aan of<SUF>*/
public boolean isVoorbij() {
if(vraagIndex == opdrachten.size()) return true;
return false;
}
/**
* Geeft de vraag van de volgende opdracht van de quiz.
*
* @return de vraag van de volgende opdracht van de quiz
*/
public String getVolgendeVraag() {
return opdrachten.get(vraagIndex).getVraag();
}
/**
* Controleert of het antwoord juist is, kent punten toe en zet de volgende speler aan beurt.
* Indien het antwoord juist is, krijgt de speler die aan beurt was 10 punten bij. Infien fout worden er geen punten toegekend.
*
* @param antwoord het antwoord van de speler op de vraag
*/
public boolean speel(String antwoord) {
Opdracht opdracht = opdrachten.get(vraagIndex);
volgendeVraag();
if(opdracht.getAntwoord().trim().equalsIgnoreCase(antwoord)){
spelerGroep.getSpelerAanBeurt().verhoogAantalPunten(10);
return true;
}
spelerGroep.getEnVerplaatsSpelerAanBeurt();
return false;
}
/**
* Geeft de speler terug met het meeste punten.
*
* @return de speler met het meeste punten
*/
public Speler getWinnaar() {
Speler winnaar = new Speler("winnaar");
for(Speler s : spelerGroep.getSpelers()){
if(s.getAantalPunten() > winnaar.getAantalPunten()) winnaar = s;
}
return winnaar;
}
public Set<Speler> getWinnaars() {
Set<Speler> winnaars = new HashSet<>();
int hoogstepunt = 0;
for(Speler s : spelerGroep.getSpelers()){
if(s.getAantalPunten() == hoogstepunt){
winnaars.add(s);
}
if(s.getAantalPunten() > hoogstepunt){
winnaars.clear();
winnaars.add(s);
}
}
return winnaars;
}
public int getHoogstePunt(){
return getWinnaar().getAantalPunten();
}
/**
* Geeft de naam van de speler terug die nu aan beurt is.
*
* @return de naam van de speler die nu aan beurt is
*/
public String getNaamSpelerAanBeurt() {
return spelerGroep.getSpelerAanBeurt().getNaam();
}
public int getVraagIndex() {
return vraagIndex;
}
public void volgendeVraag(){
vraagIndex += 1;
}
}
|
1611_2 | package domain;
import java.util.*;
public class Spel {
SpelerGroep spelerGroep;
Quiz quiz;
int vraagIndex = 0;
private List<Opdracht> opdrachten;
/**
* Maakt een nieuw spel aan met de gegeven spelergroep en quiz.
*
* @param spelers de groep van spelers
* @param quiz de quiz
*/
public Spel(SpelerGroep spelers, Quiz quiz) {
if(spelers == null || quiz == null) throw new IllegalArgumentException("Spelergroep of quiz is leeg");
this.spelerGroep = spelers;
this.quiz = quiz;
opdrachten = new LinkedList<>(quiz.getOpdrachten());
}
/**
* Geeft aan of er nog opdrachten zijn in de quiz.
*
* @return true als er geen opdrachten meer over zijn in de quiz, anders false
*/
public boolean isVoorbij() {
if(vraagIndex == opdrachten.size()) return true;
return false;
}
/**
* Geeft de vraag van de volgende opdracht van de quiz.
*
* @return de vraag van de volgende opdracht van de quiz
*/
public String getVolgendeVraag() {
return opdrachten.get(vraagIndex).getVraag();
}
/**
* Controleert of het antwoord juist is, kent punten toe en zet de volgende speler aan beurt.
* Indien het antwoord juist is, krijgt de speler die aan beurt was 10 punten bij. Infien fout worden er geen punten toegekend.
*
* @param antwoord het antwoord van de speler op de vraag
*/
public boolean speel(String antwoord) {
Opdracht opdracht = opdrachten.get(vraagIndex);
volgendeVraag();
if(opdracht.getAntwoord().trim().equalsIgnoreCase(antwoord)){
spelerGroep.getSpelerAanBeurt().verhoogAantalPunten(10);
return true;
}
spelerGroep.getEnVerplaatsSpelerAanBeurt();
return false;
}
/**
* Geeft de speler terug met het meeste punten.
*
* @return de speler met het meeste punten
*/
public Speler getWinnaar() {
Speler winnaar = new Speler("winnaar");
for(Speler s : spelerGroep.getSpelers()){
if(s.getAantalPunten() > winnaar.getAantalPunten()) winnaar = s;
}
return winnaar;
}
public Set<Speler> getWinnaars() {
Set<Speler> winnaars = new HashSet<>();
int hoogstepunt = 0;
for(Speler s : spelerGroep.getSpelers()){
if(s.getAantalPunten() == hoogstepunt){
winnaars.add(s);
}
if(s.getAantalPunten() > hoogstepunt){
winnaars.clear();
winnaars.add(s);
}
}
return winnaars;
}
public int getHoogstePunt(){
return getWinnaar().getAantalPunten();
}
/**
* Geeft de naam van de speler terug die nu aan beurt is.
*
* @return de naam van de speler die nu aan beurt is
*/
public String getNaamSpelerAanBeurt() {
return spelerGroep.getSpelerAanBeurt().getNaam();
}
public int getVraagIndex() {
return vraagIndex;
}
public void volgendeVraag(){
vraagIndex += 1;
}
}
| martijnmeeldijk/TI-oplossingen | Semester_2/OOP/JCF1 legit/src/domain/Spel.java | 918 | /**
* Geeft de vraag van de volgende opdracht van de quiz.
*
* @return de vraag van de volgende opdracht van de quiz
*/ | block_comment | nl | package domain;
import java.util.*;
public class Spel {
SpelerGroep spelerGroep;
Quiz quiz;
int vraagIndex = 0;
private List<Opdracht> opdrachten;
/**
* Maakt een nieuw spel aan met de gegeven spelergroep en quiz.
*
* @param spelers de groep van spelers
* @param quiz de quiz
*/
public Spel(SpelerGroep spelers, Quiz quiz) {
if(spelers == null || quiz == null) throw new IllegalArgumentException("Spelergroep of quiz is leeg");
this.spelerGroep = spelers;
this.quiz = quiz;
opdrachten = new LinkedList<>(quiz.getOpdrachten());
}
/**
* Geeft aan of er nog opdrachten zijn in de quiz.
*
* @return true als er geen opdrachten meer over zijn in de quiz, anders false
*/
public boolean isVoorbij() {
if(vraagIndex == opdrachten.size()) return true;
return false;
}
/**
* Geeft de vraag<SUF>*/
public String getVolgendeVraag() {
return opdrachten.get(vraagIndex).getVraag();
}
/**
* Controleert of het antwoord juist is, kent punten toe en zet de volgende speler aan beurt.
* Indien het antwoord juist is, krijgt de speler die aan beurt was 10 punten bij. Infien fout worden er geen punten toegekend.
*
* @param antwoord het antwoord van de speler op de vraag
*/
public boolean speel(String antwoord) {
Opdracht opdracht = opdrachten.get(vraagIndex);
volgendeVraag();
if(opdracht.getAntwoord().trim().equalsIgnoreCase(antwoord)){
spelerGroep.getSpelerAanBeurt().verhoogAantalPunten(10);
return true;
}
spelerGroep.getEnVerplaatsSpelerAanBeurt();
return false;
}
/**
* Geeft de speler terug met het meeste punten.
*
* @return de speler met het meeste punten
*/
public Speler getWinnaar() {
Speler winnaar = new Speler("winnaar");
for(Speler s : spelerGroep.getSpelers()){
if(s.getAantalPunten() > winnaar.getAantalPunten()) winnaar = s;
}
return winnaar;
}
public Set<Speler> getWinnaars() {
Set<Speler> winnaars = new HashSet<>();
int hoogstepunt = 0;
for(Speler s : spelerGroep.getSpelers()){
if(s.getAantalPunten() == hoogstepunt){
winnaars.add(s);
}
if(s.getAantalPunten() > hoogstepunt){
winnaars.clear();
winnaars.add(s);
}
}
return winnaars;
}
public int getHoogstePunt(){
return getWinnaar().getAantalPunten();
}
/**
* Geeft de naam van de speler terug die nu aan beurt is.
*
* @return de naam van de speler die nu aan beurt is
*/
public String getNaamSpelerAanBeurt() {
return spelerGroep.getSpelerAanBeurt().getNaam();
}
public int getVraagIndex() {
return vraagIndex;
}
public void volgendeVraag(){
vraagIndex += 1;
}
}
|
1611_3 | package domain;
import java.util.*;
public class Spel {
SpelerGroep spelerGroep;
Quiz quiz;
int vraagIndex = 0;
private List<Opdracht> opdrachten;
/**
* Maakt een nieuw spel aan met de gegeven spelergroep en quiz.
*
* @param spelers de groep van spelers
* @param quiz de quiz
*/
public Spel(SpelerGroep spelers, Quiz quiz) {
if(spelers == null || quiz == null) throw new IllegalArgumentException("Spelergroep of quiz is leeg");
this.spelerGroep = spelers;
this.quiz = quiz;
opdrachten = new LinkedList<>(quiz.getOpdrachten());
}
/**
* Geeft aan of er nog opdrachten zijn in de quiz.
*
* @return true als er geen opdrachten meer over zijn in de quiz, anders false
*/
public boolean isVoorbij() {
if(vraagIndex == opdrachten.size()) return true;
return false;
}
/**
* Geeft de vraag van de volgende opdracht van de quiz.
*
* @return de vraag van de volgende opdracht van de quiz
*/
public String getVolgendeVraag() {
return opdrachten.get(vraagIndex).getVraag();
}
/**
* Controleert of het antwoord juist is, kent punten toe en zet de volgende speler aan beurt.
* Indien het antwoord juist is, krijgt de speler die aan beurt was 10 punten bij. Infien fout worden er geen punten toegekend.
*
* @param antwoord het antwoord van de speler op de vraag
*/
public boolean speel(String antwoord) {
Opdracht opdracht = opdrachten.get(vraagIndex);
volgendeVraag();
if(opdracht.getAntwoord().trim().equalsIgnoreCase(antwoord)){
spelerGroep.getSpelerAanBeurt().verhoogAantalPunten(10);
return true;
}
spelerGroep.getEnVerplaatsSpelerAanBeurt();
return false;
}
/**
* Geeft de speler terug met het meeste punten.
*
* @return de speler met het meeste punten
*/
public Speler getWinnaar() {
Speler winnaar = new Speler("winnaar");
for(Speler s : spelerGroep.getSpelers()){
if(s.getAantalPunten() > winnaar.getAantalPunten()) winnaar = s;
}
return winnaar;
}
public Set<Speler> getWinnaars() {
Set<Speler> winnaars = new HashSet<>();
int hoogstepunt = 0;
for(Speler s : spelerGroep.getSpelers()){
if(s.getAantalPunten() == hoogstepunt){
winnaars.add(s);
}
if(s.getAantalPunten() > hoogstepunt){
winnaars.clear();
winnaars.add(s);
}
}
return winnaars;
}
public int getHoogstePunt(){
return getWinnaar().getAantalPunten();
}
/**
* Geeft de naam van de speler terug die nu aan beurt is.
*
* @return de naam van de speler die nu aan beurt is
*/
public String getNaamSpelerAanBeurt() {
return spelerGroep.getSpelerAanBeurt().getNaam();
}
public int getVraagIndex() {
return vraagIndex;
}
public void volgendeVraag(){
vraagIndex += 1;
}
}
| martijnmeeldijk/TI-oplossingen | Semester_2/OOP/JCF1 legit/src/domain/Spel.java | 918 | /**
* Controleert of het antwoord juist is, kent punten toe en zet de volgende speler aan beurt.
* Indien het antwoord juist is, krijgt de speler die aan beurt was 10 punten bij. Infien fout worden er geen punten toegekend.
*
* @param antwoord het antwoord van de speler op de vraag
*/ | block_comment | nl | package domain;
import java.util.*;
public class Spel {
SpelerGroep spelerGroep;
Quiz quiz;
int vraagIndex = 0;
private List<Opdracht> opdrachten;
/**
* Maakt een nieuw spel aan met de gegeven spelergroep en quiz.
*
* @param spelers de groep van spelers
* @param quiz de quiz
*/
public Spel(SpelerGroep spelers, Quiz quiz) {
if(spelers == null || quiz == null) throw new IllegalArgumentException("Spelergroep of quiz is leeg");
this.spelerGroep = spelers;
this.quiz = quiz;
opdrachten = new LinkedList<>(quiz.getOpdrachten());
}
/**
* Geeft aan of er nog opdrachten zijn in de quiz.
*
* @return true als er geen opdrachten meer over zijn in de quiz, anders false
*/
public boolean isVoorbij() {
if(vraagIndex == opdrachten.size()) return true;
return false;
}
/**
* Geeft de vraag van de volgende opdracht van de quiz.
*
* @return de vraag van de volgende opdracht van de quiz
*/
public String getVolgendeVraag() {
return opdrachten.get(vraagIndex).getVraag();
}
/**
* Controleert of het<SUF>*/
public boolean speel(String antwoord) {
Opdracht opdracht = opdrachten.get(vraagIndex);
volgendeVraag();
if(opdracht.getAntwoord().trim().equalsIgnoreCase(antwoord)){
spelerGroep.getSpelerAanBeurt().verhoogAantalPunten(10);
return true;
}
spelerGroep.getEnVerplaatsSpelerAanBeurt();
return false;
}
/**
* Geeft de speler terug met het meeste punten.
*
* @return de speler met het meeste punten
*/
public Speler getWinnaar() {
Speler winnaar = new Speler("winnaar");
for(Speler s : spelerGroep.getSpelers()){
if(s.getAantalPunten() > winnaar.getAantalPunten()) winnaar = s;
}
return winnaar;
}
public Set<Speler> getWinnaars() {
Set<Speler> winnaars = new HashSet<>();
int hoogstepunt = 0;
for(Speler s : spelerGroep.getSpelers()){
if(s.getAantalPunten() == hoogstepunt){
winnaars.add(s);
}
if(s.getAantalPunten() > hoogstepunt){
winnaars.clear();
winnaars.add(s);
}
}
return winnaars;
}
public int getHoogstePunt(){
return getWinnaar().getAantalPunten();
}
/**
* Geeft de naam van de speler terug die nu aan beurt is.
*
* @return de naam van de speler die nu aan beurt is
*/
public String getNaamSpelerAanBeurt() {
return spelerGroep.getSpelerAanBeurt().getNaam();
}
public int getVraagIndex() {
return vraagIndex;
}
public void volgendeVraag(){
vraagIndex += 1;
}
}
|
1611_4 | package domain;
import java.util.*;
public class Spel {
SpelerGroep spelerGroep;
Quiz quiz;
int vraagIndex = 0;
private List<Opdracht> opdrachten;
/**
* Maakt een nieuw spel aan met de gegeven spelergroep en quiz.
*
* @param spelers de groep van spelers
* @param quiz de quiz
*/
public Spel(SpelerGroep spelers, Quiz quiz) {
if(spelers == null || quiz == null) throw new IllegalArgumentException("Spelergroep of quiz is leeg");
this.spelerGroep = spelers;
this.quiz = quiz;
opdrachten = new LinkedList<>(quiz.getOpdrachten());
}
/**
* Geeft aan of er nog opdrachten zijn in de quiz.
*
* @return true als er geen opdrachten meer over zijn in de quiz, anders false
*/
public boolean isVoorbij() {
if(vraagIndex == opdrachten.size()) return true;
return false;
}
/**
* Geeft de vraag van de volgende opdracht van de quiz.
*
* @return de vraag van de volgende opdracht van de quiz
*/
public String getVolgendeVraag() {
return opdrachten.get(vraagIndex).getVraag();
}
/**
* Controleert of het antwoord juist is, kent punten toe en zet de volgende speler aan beurt.
* Indien het antwoord juist is, krijgt de speler die aan beurt was 10 punten bij. Infien fout worden er geen punten toegekend.
*
* @param antwoord het antwoord van de speler op de vraag
*/
public boolean speel(String antwoord) {
Opdracht opdracht = opdrachten.get(vraagIndex);
volgendeVraag();
if(opdracht.getAntwoord().trim().equalsIgnoreCase(antwoord)){
spelerGroep.getSpelerAanBeurt().verhoogAantalPunten(10);
return true;
}
spelerGroep.getEnVerplaatsSpelerAanBeurt();
return false;
}
/**
* Geeft de speler terug met het meeste punten.
*
* @return de speler met het meeste punten
*/
public Speler getWinnaar() {
Speler winnaar = new Speler("winnaar");
for(Speler s : spelerGroep.getSpelers()){
if(s.getAantalPunten() > winnaar.getAantalPunten()) winnaar = s;
}
return winnaar;
}
public Set<Speler> getWinnaars() {
Set<Speler> winnaars = new HashSet<>();
int hoogstepunt = 0;
for(Speler s : spelerGroep.getSpelers()){
if(s.getAantalPunten() == hoogstepunt){
winnaars.add(s);
}
if(s.getAantalPunten() > hoogstepunt){
winnaars.clear();
winnaars.add(s);
}
}
return winnaars;
}
public int getHoogstePunt(){
return getWinnaar().getAantalPunten();
}
/**
* Geeft de naam van de speler terug die nu aan beurt is.
*
* @return de naam van de speler die nu aan beurt is
*/
public String getNaamSpelerAanBeurt() {
return spelerGroep.getSpelerAanBeurt().getNaam();
}
public int getVraagIndex() {
return vraagIndex;
}
public void volgendeVraag(){
vraagIndex += 1;
}
}
| martijnmeeldijk/TI-oplossingen | Semester_2/OOP/JCF1 legit/src/domain/Spel.java | 918 | /**
* Geeft de speler terug met het meeste punten.
*
* @return de speler met het meeste punten
*/ | block_comment | nl | package domain;
import java.util.*;
public class Spel {
SpelerGroep spelerGroep;
Quiz quiz;
int vraagIndex = 0;
private List<Opdracht> opdrachten;
/**
* Maakt een nieuw spel aan met de gegeven spelergroep en quiz.
*
* @param spelers de groep van spelers
* @param quiz de quiz
*/
public Spel(SpelerGroep spelers, Quiz quiz) {
if(spelers == null || quiz == null) throw new IllegalArgumentException("Spelergroep of quiz is leeg");
this.spelerGroep = spelers;
this.quiz = quiz;
opdrachten = new LinkedList<>(quiz.getOpdrachten());
}
/**
* Geeft aan of er nog opdrachten zijn in de quiz.
*
* @return true als er geen opdrachten meer over zijn in de quiz, anders false
*/
public boolean isVoorbij() {
if(vraagIndex == opdrachten.size()) return true;
return false;
}
/**
* Geeft de vraag van de volgende opdracht van de quiz.
*
* @return de vraag van de volgende opdracht van de quiz
*/
public String getVolgendeVraag() {
return opdrachten.get(vraagIndex).getVraag();
}
/**
* Controleert of het antwoord juist is, kent punten toe en zet de volgende speler aan beurt.
* Indien het antwoord juist is, krijgt de speler die aan beurt was 10 punten bij. Infien fout worden er geen punten toegekend.
*
* @param antwoord het antwoord van de speler op de vraag
*/
public boolean speel(String antwoord) {
Opdracht opdracht = opdrachten.get(vraagIndex);
volgendeVraag();
if(opdracht.getAntwoord().trim().equalsIgnoreCase(antwoord)){
spelerGroep.getSpelerAanBeurt().verhoogAantalPunten(10);
return true;
}
spelerGroep.getEnVerplaatsSpelerAanBeurt();
return false;
}
/**
* Geeft de speler<SUF>*/
public Speler getWinnaar() {
Speler winnaar = new Speler("winnaar");
for(Speler s : spelerGroep.getSpelers()){
if(s.getAantalPunten() > winnaar.getAantalPunten()) winnaar = s;
}
return winnaar;
}
public Set<Speler> getWinnaars() {
Set<Speler> winnaars = new HashSet<>();
int hoogstepunt = 0;
for(Speler s : spelerGroep.getSpelers()){
if(s.getAantalPunten() == hoogstepunt){
winnaars.add(s);
}
if(s.getAantalPunten() > hoogstepunt){
winnaars.clear();
winnaars.add(s);
}
}
return winnaars;
}
public int getHoogstePunt(){
return getWinnaar().getAantalPunten();
}
/**
* Geeft de naam van de speler terug die nu aan beurt is.
*
* @return de naam van de speler die nu aan beurt is
*/
public String getNaamSpelerAanBeurt() {
return spelerGroep.getSpelerAanBeurt().getNaam();
}
public int getVraagIndex() {
return vraagIndex;
}
public void volgendeVraag(){
vraagIndex += 1;
}
}
|
1612_5 | /*
* _______ _____ _____ _____
* |__ __| | __ \ / ____| __ \
* | | __ _ _ __ ___ ___ ___| | | | (___ | |__) |
* | |/ _` | '__/ __|/ _ \/ __| | | |\___ \| ___/
* | | (_| | | \__ \ (_) \__ \ |__| |____) | |
* |_|\__,_|_| |___/\___/|___/_____/|_____/|_|
*
* -------------------------------------------------------------
*
* TarsosDSP is developed by Joren Six at IPEM, University Ghent
*
* -------------------------------------------------------------
*
* Info: http://0110.be/tag/TarsosDSP
* Github: https://github.com/JorenSix/TarsosDSP
* Releases: http://0110.be/releases/TarsosDSP/
*
* TarsosDSP includes modified source code by various authors,
* for credits and info, see README.
*
*/
package be.tarsos.dsp.mfcc;
import be.tarsos.dsp.AudioEvent;
import be.tarsos.dsp.AudioProcessor;
import be.tarsos.dsp.util.fft.FFT;
import be.tarsos.dsp.util.fft.HammingWindow;
public class MFCC implements AudioProcessor {
private int amountOfCepstrumCoef; //Number of MFCCs per frame
protected int amountOfMelFilters; //Number of mel filters (SPHINX-III uses 40)
protected float lowerFilterFreq; //lower limit of filter (or 64 Hz?)
protected float upperFilterFreq; //upper limit of filter (or half of sampling freq.?)
float[] audioFloatBuffer;
//Er zijn evenveel mfccs als er frames zijn!?
//Per frame zijn er dan CEPSTRA coëficienten
private float[] mfcc;
int centerFrequencies[];
private FFT fft;
private int samplesPerFrame;
private float sampleRate;
public MFCC(int samplesPerFrame, int sampleRate){
this(samplesPerFrame, sampleRate, 30, 30, 133.3334f, ((float)sampleRate)/2f);
}
public MFCC(int samplesPerFrame, float sampleRate, int amountOfCepstrumCoef, int amountOfMelFilters, float lowerFilterFreq, float upperFilterFreq) {
this.samplesPerFrame = samplesPerFrame;
this.sampleRate = sampleRate;
this.amountOfCepstrumCoef = amountOfCepstrumCoef;
this.amountOfMelFilters = amountOfMelFilters;
this.fft = new FFT(samplesPerFrame, new HammingWindow());
this.lowerFilterFreq = Math.max(lowerFilterFreq, 25);
this.upperFilterFreq = Math.min(upperFilterFreq, sampleRate / 2);
calculateFilterBanks();
}
@Override
public boolean process(AudioEvent audioEvent) {
audioFloatBuffer = audioEvent.getFloatBuffer().clone();
// Magnitude Spectrum
float bin[] = magnitudeSpectrum(audioFloatBuffer);
// get Mel Filterbank
float fbank[] = melFilter(bin, centerFrequencies);
// Non-linear transformation
float f[] = nonLinearTransformation(fbank);
// Cepstral coefficients
mfcc = cepCoefficients(f);
return true;
}
@Override
public void processingFinished() {
}
/**
* computes the magnitude spectrum of the input frame<br>
* calls: none<br>
* called by: featureExtraction
* @param frame Input frame signal
* @return Magnitude Spectrum array
*/
public float[] magnitudeSpectrum(float frame[]){
float magSpectrum[] = new float[frame.length];
// calculate FFT for current frame
fft.forwardTransform(frame);
// calculate magnitude spectrum
for (int k = 0; k < frame.length/2; k++){
magSpectrum[frame.length/2+k] = fft.modulus(frame, frame.length/2-1-k);
magSpectrum[frame.length/2-1-k] = magSpectrum[frame.length/2+k];
}
return magSpectrum;
}
/**
* calculates the FFT bin indices<br> calls: none<br> called by:
* featureExtraction
*
*/
public final void calculateFilterBanks() {
centerFrequencies = new int[amountOfMelFilters + 2];
centerFrequencies[0] = Math.round(lowerFilterFreq / sampleRate * samplesPerFrame);
centerFrequencies[centerFrequencies.length - 1] = (int) (samplesPerFrame / 2);
double mel[] = new double[2];
mel[0] = freqToMel(lowerFilterFreq);
mel[1] = freqToMel(upperFilterFreq);
float factor = (float)((mel[1] - mel[0]) / (amountOfMelFilters + 1));
//Calculates te centerfrequencies.
for (int i = 1; i <= amountOfMelFilters; i++) {
float fc = (inverseMel(mel[0] + factor * i) / sampleRate) * samplesPerFrame;
centerFrequencies[i - 1] = Math.round(fc);
}
}
/**
* the output of mel filtering is subjected to a logarithm function (natural logarithm)<br>
* calls: none<br>
* called by: featureExtraction
* @param fbank Output of mel filtering
* @return Natural log of the output of mel filtering
*/
public float[] nonLinearTransformation(float fbank[]){
float f[] = new float[fbank.length];
final float FLOOR = -50;
for (int i = 0; i < fbank.length; i++){
f[i] = (float) Math.log(fbank[i]);
// check if ln() returns a value less than the floor
if (f[i] < FLOOR) f[i] = FLOOR;
}
return f;
}
/**
* Calculate the output of the mel filter<br> calls: none called by:
* featureExtraction
* @param bin The bins.
* @param centerFrequencies The frequency centers.
* @return Output of mel filter.
*/
public float[] melFilter(float bin[], int centerFrequencies[]) {
float temp[] = new float[amountOfMelFilters + 2];
for (int k = 1; k <= amountOfMelFilters; k++) {
float num1 = 0, num2 = 0;
float den = (centerFrequencies[k] - centerFrequencies[k - 1] + 1);
for (int i = centerFrequencies[k - 1]; i <= centerFrequencies[k]; i++) {
num1 += bin[i] * (i - centerFrequencies[k - 1] + 1);
}
num1 /= den;
den = (centerFrequencies[k + 1] - centerFrequencies[k] + 1);
for (int i = centerFrequencies[k] + 1; i <= centerFrequencies[k + 1]; i++) {
num2 += bin[i] * (1 - ((i - centerFrequencies[k]) / den));
}
temp[k] = num1 + num2;
}
float fbank[] = new float[amountOfMelFilters];
for (int i = 0; i < amountOfMelFilters; i++) {
fbank[i] = temp[i + 1];
}
return fbank;
}
/**
* Cepstral coefficients are calculated from the output of the Non-linear Transformation method<br>
* calls: none<br>
* called by: featureExtraction
* @param f Output of the Non-linear Transformation method
* @return Cepstral Coefficients
*/
public float[] cepCoefficients(float f[]){
float cepc[] = new float[amountOfCepstrumCoef];
for (int i = 0; i < cepc.length; i++){
for (int j = 0; j < f.length; j++){
cepc[i] += f[j] * Math.cos(Math.PI * i / f.length * (j + 0.5));
}
}
return cepc;
}
// /**
// * calculates center frequency<br>
// * calls: none<br>
// * called by: featureExtraction
// * @param i Index of mel filters
// * @return Center Frequency
// */
// private static float centerFreq(int i,float samplingRate){
// double mel[] = new double[2];
// mel[0] = freqToMel(lowerFilterFreq);
// mel[1] = freqToMel(samplingRate / 2);
//
// // take inverse mel of:
// double temp = mel[0] + ((mel[1] - mel[0]) / (amountOfMelFilters + 1)) * i;
// return inverseMel(temp);
// }
/**
* convert frequency to mel-frequency<br>
* calls: none<br>
* called by: featureExtraction
* @param freq Frequency
* @return Mel-Frequency
*/
protected static float freqToMel(float freq){
return (float) (2595 * log10(1 + freq / 700));
}
/**
* calculates the inverse of Mel Frequency<br>
* calls: none<br>
* called by: featureExtraction
*/
private static float inverseMel(double x) {
return (float) (700 * (Math.pow(10, x / 2595) - 1));
}
/**
* calculates logarithm with base 10<br>
* calls: none<br>
* called by: featureExtraction
* @param value Number to take the log of
* @return base 10 logarithm of the input values
*/
protected static float log10(float value){
return (float) (Math.log(value) / Math.log(10));
}
public float[] getMFCC() {
return mfcc.clone();
}
public int[] getCenterFrequencies() {
return centerFrequencies;
}
}
| malbanGit/Vide | src/be/tarsos/dsp/mfcc/MFCC.java | 2,615 | //Er zijn evenveel mfccs als er frames zijn!? | line_comment | nl | /*
* _______ _____ _____ _____
* |__ __| | __ \ / ____| __ \
* | | __ _ _ __ ___ ___ ___| | | | (___ | |__) |
* | |/ _` | '__/ __|/ _ \/ __| | | |\___ \| ___/
* | | (_| | | \__ \ (_) \__ \ |__| |____) | |
* |_|\__,_|_| |___/\___/|___/_____/|_____/|_|
*
* -------------------------------------------------------------
*
* TarsosDSP is developed by Joren Six at IPEM, University Ghent
*
* -------------------------------------------------------------
*
* Info: http://0110.be/tag/TarsosDSP
* Github: https://github.com/JorenSix/TarsosDSP
* Releases: http://0110.be/releases/TarsosDSP/
*
* TarsosDSP includes modified source code by various authors,
* for credits and info, see README.
*
*/
package be.tarsos.dsp.mfcc;
import be.tarsos.dsp.AudioEvent;
import be.tarsos.dsp.AudioProcessor;
import be.tarsos.dsp.util.fft.FFT;
import be.tarsos.dsp.util.fft.HammingWindow;
public class MFCC implements AudioProcessor {
private int amountOfCepstrumCoef; //Number of MFCCs per frame
protected int amountOfMelFilters; //Number of mel filters (SPHINX-III uses 40)
protected float lowerFilterFreq; //lower limit of filter (or 64 Hz?)
protected float upperFilterFreq; //upper limit of filter (or half of sampling freq.?)
float[] audioFloatBuffer;
//Er zijn<SUF>
//Per frame zijn er dan CEPSTRA coëficienten
private float[] mfcc;
int centerFrequencies[];
private FFT fft;
private int samplesPerFrame;
private float sampleRate;
public MFCC(int samplesPerFrame, int sampleRate){
this(samplesPerFrame, sampleRate, 30, 30, 133.3334f, ((float)sampleRate)/2f);
}
public MFCC(int samplesPerFrame, float sampleRate, int amountOfCepstrumCoef, int amountOfMelFilters, float lowerFilterFreq, float upperFilterFreq) {
this.samplesPerFrame = samplesPerFrame;
this.sampleRate = sampleRate;
this.amountOfCepstrumCoef = amountOfCepstrumCoef;
this.amountOfMelFilters = amountOfMelFilters;
this.fft = new FFT(samplesPerFrame, new HammingWindow());
this.lowerFilterFreq = Math.max(lowerFilterFreq, 25);
this.upperFilterFreq = Math.min(upperFilterFreq, sampleRate / 2);
calculateFilterBanks();
}
@Override
public boolean process(AudioEvent audioEvent) {
audioFloatBuffer = audioEvent.getFloatBuffer().clone();
// Magnitude Spectrum
float bin[] = magnitudeSpectrum(audioFloatBuffer);
// get Mel Filterbank
float fbank[] = melFilter(bin, centerFrequencies);
// Non-linear transformation
float f[] = nonLinearTransformation(fbank);
// Cepstral coefficients
mfcc = cepCoefficients(f);
return true;
}
@Override
public void processingFinished() {
}
/**
* computes the magnitude spectrum of the input frame<br>
* calls: none<br>
* called by: featureExtraction
* @param frame Input frame signal
* @return Magnitude Spectrum array
*/
public float[] magnitudeSpectrum(float frame[]){
float magSpectrum[] = new float[frame.length];
// calculate FFT for current frame
fft.forwardTransform(frame);
// calculate magnitude spectrum
for (int k = 0; k < frame.length/2; k++){
magSpectrum[frame.length/2+k] = fft.modulus(frame, frame.length/2-1-k);
magSpectrum[frame.length/2-1-k] = magSpectrum[frame.length/2+k];
}
return magSpectrum;
}
/**
* calculates the FFT bin indices<br> calls: none<br> called by:
* featureExtraction
*
*/
public final void calculateFilterBanks() {
centerFrequencies = new int[amountOfMelFilters + 2];
centerFrequencies[0] = Math.round(lowerFilterFreq / sampleRate * samplesPerFrame);
centerFrequencies[centerFrequencies.length - 1] = (int) (samplesPerFrame / 2);
double mel[] = new double[2];
mel[0] = freqToMel(lowerFilterFreq);
mel[1] = freqToMel(upperFilterFreq);
float factor = (float)((mel[1] - mel[0]) / (amountOfMelFilters + 1));
//Calculates te centerfrequencies.
for (int i = 1; i <= amountOfMelFilters; i++) {
float fc = (inverseMel(mel[0] + factor * i) / sampleRate) * samplesPerFrame;
centerFrequencies[i - 1] = Math.round(fc);
}
}
/**
* the output of mel filtering is subjected to a logarithm function (natural logarithm)<br>
* calls: none<br>
* called by: featureExtraction
* @param fbank Output of mel filtering
* @return Natural log of the output of mel filtering
*/
public float[] nonLinearTransformation(float fbank[]){
float f[] = new float[fbank.length];
final float FLOOR = -50;
for (int i = 0; i < fbank.length; i++){
f[i] = (float) Math.log(fbank[i]);
// check if ln() returns a value less than the floor
if (f[i] < FLOOR) f[i] = FLOOR;
}
return f;
}
/**
* Calculate the output of the mel filter<br> calls: none called by:
* featureExtraction
* @param bin The bins.
* @param centerFrequencies The frequency centers.
* @return Output of mel filter.
*/
public float[] melFilter(float bin[], int centerFrequencies[]) {
float temp[] = new float[amountOfMelFilters + 2];
for (int k = 1; k <= amountOfMelFilters; k++) {
float num1 = 0, num2 = 0;
float den = (centerFrequencies[k] - centerFrequencies[k - 1] + 1);
for (int i = centerFrequencies[k - 1]; i <= centerFrequencies[k]; i++) {
num1 += bin[i] * (i - centerFrequencies[k - 1] + 1);
}
num1 /= den;
den = (centerFrequencies[k + 1] - centerFrequencies[k] + 1);
for (int i = centerFrequencies[k] + 1; i <= centerFrequencies[k + 1]; i++) {
num2 += bin[i] * (1 - ((i - centerFrequencies[k]) / den));
}
temp[k] = num1 + num2;
}
float fbank[] = new float[amountOfMelFilters];
for (int i = 0; i < amountOfMelFilters; i++) {
fbank[i] = temp[i + 1];
}
return fbank;
}
/**
* Cepstral coefficients are calculated from the output of the Non-linear Transformation method<br>
* calls: none<br>
* called by: featureExtraction
* @param f Output of the Non-linear Transformation method
* @return Cepstral Coefficients
*/
public float[] cepCoefficients(float f[]){
float cepc[] = new float[amountOfCepstrumCoef];
for (int i = 0; i < cepc.length; i++){
for (int j = 0; j < f.length; j++){
cepc[i] += f[j] * Math.cos(Math.PI * i / f.length * (j + 0.5));
}
}
return cepc;
}
// /**
// * calculates center frequency<br>
// * calls: none<br>
// * called by: featureExtraction
// * @param i Index of mel filters
// * @return Center Frequency
// */
// private static float centerFreq(int i,float samplingRate){
// double mel[] = new double[2];
// mel[0] = freqToMel(lowerFilterFreq);
// mel[1] = freqToMel(samplingRate / 2);
//
// // take inverse mel of:
// double temp = mel[0] + ((mel[1] - mel[0]) / (amountOfMelFilters + 1)) * i;
// return inverseMel(temp);
// }
/**
* convert frequency to mel-frequency<br>
* calls: none<br>
* called by: featureExtraction
* @param freq Frequency
* @return Mel-Frequency
*/
protected static float freqToMel(float freq){
return (float) (2595 * log10(1 + freq / 700));
}
/**
* calculates the inverse of Mel Frequency<br>
* calls: none<br>
* called by: featureExtraction
*/
private static float inverseMel(double x) {
return (float) (700 * (Math.pow(10, x / 2595) - 1));
}
/**
* calculates logarithm with base 10<br>
* calls: none<br>
* called by: featureExtraction
* @param value Number to take the log of
* @return base 10 logarithm of the input values
*/
protected static float log10(float value){
return (float) (Math.log(value) / Math.log(10));
}
public float[] getMFCC() {
return mfcc.clone();
}
public int[] getCenterFrequencies() {
return centerFrequencies;
}
}
|
1612_6 | /*
* _______ _____ _____ _____
* |__ __| | __ \ / ____| __ \
* | | __ _ _ __ ___ ___ ___| | | | (___ | |__) |
* | |/ _` | '__/ __|/ _ \/ __| | | |\___ \| ___/
* | | (_| | | \__ \ (_) \__ \ |__| |____) | |
* |_|\__,_|_| |___/\___/|___/_____/|_____/|_|
*
* -------------------------------------------------------------
*
* TarsosDSP is developed by Joren Six at IPEM, University Ghent
*
* -------------------------------------------------------------
*
* Info: http://0110.be/tag/TarsosDSP
* Github: https://github.com/JorenSix/TarsosDSP
* Releases: http://0110.be/releases/TarsosDSP/
*
* TarsosDSP includes modified source code by various authors,
* for credits and info, see README.
*
*/
package be.tarsos.dsp.mfcc;
import be.tarsos.dsp.AudioEvent;
import be.tarsos.dsp.AudioProcessor;
import be.tarsos.dsp.util.fft.FFT;
import be.tarsos.dsp.util.fft.HammingWindow;
public class MFCC implements AudioProcessor {
private int amountOfCepstrumCoef; //Number of MFCCs per frame
protected int amountOfMelFilters; //Number of mel filters (SPHINX-III uses 40)
protected float lowerFilterFreq; //lower limit of filter (or 64 Hz?)
protected float upperFilterFreq; //upper limit of filter (or half of sampling freq.?)
float[] audioFloatBuffer;
//Er zijn evenveel mfccs als er frames zijn!?
//Per frame zijn er dan CEPSTRA coëficienten
private float[] mfcc;
int centerFrequencies[];
private FFT fft;
private int samplesPerFrame;
private float sampleRate;
public MFCC(int samplesPerFrame, int sampleRate){
this(samplesPerFrame, sampleRate, 30, 30, 133.3334f, ((float)sampleRate)/2f);
}
public MFCC(int samplesPerFrame, float sampleRate, int amountOfCepstrumCoef, int amountOfMelFilters, float lowerFilterFreq, float upperFilterFreq) {
this.samplesPerFrame = samplesPerFrame;
this.sampleRate = sampleRate;
this.amountOfCepstrumCoef = amountOfCepstrumCoef;
this.amountOfMelFilters = amountOfMelFilters;
this.fft = new FFT(samplesPerFrame, new HammingWindow());
this.lowerFilterFreq = Math.max(lowerFilterFreq, 25);
this.upperFilterFreq = Math.min(upperFilterFreq, sampleRate / 2);
calculateFilterBanks();
}
@Override
public boolean process(AudioEvent audioEvent) {
audioFloatBuffer = audioEvent.getFloatBuffer().clone();
// Magnitude Spectrum
float bin[] = magnitudeSpectrum(audioFloatBuffer);
// get Mel Filterbank
float fbank[] = melFilter(bin, centerFrequencies);
// Non-linear transformation
float f[] = nonLinearTransformation(fbank);
// Cepstral coefficients
mfcc = cepCoefficients(f);
return true;
}
@Override
public void processingFinished() {
}
/**
* computes the magnitude spectrum of the input frame<br>
* calls: none<br>
* called by: featureExtraction
* @param frame Input frame signal
* @return Magnitude Spectrum array
*/
public float[] magnitudeSpectrum(float frame[]){
float magSpectrum[] = new float[frame.length];
// calculate FFT for current frame
fft.forwardTransform(frame);
// calculate magnitude spectrum
for (int k = 0; k < frame.length/2; k++){
magSpectrum[frame.length/2+k] = fft.modulus(frame, frame.length/2-1-k);
magSpectrum[frame.length/2-1-k] = magSpectrum[frame.length/2+k];
}
return magSpectrum;
}
/**
* calculates the FFT bin indices<br> calls: none<br> called by:
* featureExtraction
*
*/
public final void calculateFilterBanks() {
centerFrequencies = new int[amountOfMelFilters + 2];
centerFrequencies[0] = Math.round(lowerFilterFreq / sampleRate * samplesPerFrame);
centerFrequencies[centerFrequencies.length - 1] = (int) (samplesPerFrame / 2);
double mel[] = new double[2];
mel[0] = freqToMel(lowerFilterFreq);
mel[1] = freqToMel(upperFilterFreq);
float factor = (float)((mel[1] - mel[0]) / (amountOfMelFilters + 1));
//Calculates te centerfrequencies.
for (int i = 1; i <= amountOfMelFilters; i++) {
float fc = (inverseMel(mel[0] + factor * i) / sampleRate) * samplesPerFrame;
centerFrequencies[i - 1] = Math.round(fc);
}
}
/**
* the output of mel filtering is subjected to a logarithm function (natural logarithm)<br>
* calls: none<br>
* called by: featureExtraction
* @param fbank Output of mel filtering
* @return Natural log of the output of mel filtering
*/
public float[] nonLinearTransformation(float fbank[]){
float f[] = new float[fbank.length];
final float FLOOR = -50;
for (int i = 0; i < fbank.length; i++){
f[i] = (float) Math.log(fbank[i]);
// check if ln() returns a value less than the floor
if (f[i] < FLOOR) f[i] = FLOOR;
}
return f;
}
/**
* Calculate the output of the mel filter<br> calls: none called by:
* featureExtraction
* @param bin The bins.
* @param centerFrequencies The frequency centers.
* @return Output of mel filter.
*/
public float[] melFilter(float bin[], int centerFrequencies[]) {
float temp[] = new float[amountOfMelFilters + 2];
for (int k = 1; k <= amountOfMelFilters; k++) {
float num1 = 0, num2 = 0;
float den = (centerFrequencies[k] - centerFrequencies[k - 1] + 1);
for (int i = centerFrequencies[k - 1]; i <= centerFrequencies[k]; i++) {
num1 += bin[i] * (i - centerFrequencies[k - 1] + 1);
}
num1 /= den;
den = (centerFrequencies[k + 1] - centerFrequencies[k] + 1);
for (int i = centerFrequencies[k] + 1; i <= centerFrequencies[k + 1]; i++) {
num2 += bin[i] * (1 - ((i - centerFrequencies[k]) / den));
}
temp[k] = num1 + num2;
}
float fbank[] = new float[amountOfMelFilters];
for (int i = 0; i < amountOfMelFilters; i++) {
fbank[i] = temp[i + 1];
}
return fbank;
}
/**
* Cepstral coefficients are calculated from the output of the Non-linear Transformation method<br>
* calls: none<br>
* called by: featureExtraction
* @param f Output of the Non-linear Transformation method
* @return Cepstral Coefficients
*/
public float[] cepCoefficients(float f[]){
float cepc[] = new float[amountOfCepstrumCoef];
for (int i = 0; i < cepc.length; i++){
for (int j = 0; j < f.length; j++){
cepc[i] += f[j] * Math.cos(Math.PI * i / f.length * (j + 0.5));
}
}
return cepc;
}
// /**
// * calculates center frequency<br>
// * calls: none<br>
// * called by: featureExtraction
// * @param i Index of mel filters
// * @return Center Frequency
// */
// private static float centerFreq(int i,float samplingRate){
// double mel[] = new double[2];
// mel[0] = freqToMel(lowerFilterFreq);
// mel[1] = freqToMel(samplingRate / 2);
//
// // take inverse mel of:
// double temp = mel[0] + ((mel[1] - mel[0]) / (amountOfMelFilters + 1)) * i;
// return inverseMel(temp);
// }
/**
* convert frequency to mel-frequency<br>
* calls: none<br>
* called by: featureExtraction
* @param freq Frequency
* @return Mel-Frequency
*/
protected static float freqToMel(float freq){
return (float) (2595 * log10(1 + freq / 700));
}
/**
* calculates the inverse of Mel Frequency<br>
* calls: none<br>
* called by: featureExtraction
*/
private static float inverseMel(double x) {
return (float) (700 * (Math.pow(10, x / 2595) - 1));
}
/**
* calculates logarithm with base 10<br>
* calls: none<br>
* called by: featureExtraction
* @param value Number to take the log of
* @return base 10 logarithm of the input values
*/
protected static float log10(float value){
return (float) (Math.log(value) / Math.log(10));
}
public float[] getMFCC() {
return mfcc.clone();
}
public int[] getCenterFrequencies() {
return centerFrequencies;
}
}
| malbanGit/Vide | src/be/tarsos/dsp/mfcc/MFCC.java | 2,615 | //Per frame zijn er dan CEPSTRA coëficienten | line_comment | nl | /*
* _______ _____ _____ _____
* |__ __| | __ \ / ____| __ \
* | | __ _ _ __ ___ ___ ___| | | | (___ | |__) |
* | |/ _` | '__/ __|/ _ \/ __| | | |\___ \| ___/
* | | (_| | | \__ \ (_) \__ \ |__| |____) | |
* |_|\__,_|_| |___/\___/|___/_____/|_____/|_|
*
* -------------------------------------------------------------
*
* TarsosDSP is developed by Joren Six at IPEM, University Ghent
*
* -------------------------------------------------------------
*
* Info: http://0110.be/tag/TarsosDSP
* Github: https://github.com/JorenSix/TarsosDSP
* Releases: http://0110.be/releases/TarsosDSP/
*
* TarsosDSP includes modified source code by various authors,
* for credits and info, see README.
*
*/
package be.tarsos.dsp.mfcc;
import be.tarsos.dsp.AudioEvent;
import be.tarsos.dsp.AudioProcessor;
import be.tarsos.dsp.util.fft.FFT;
import be.tarsos.dsp.util.fft.HammingWindow;
public class MFCC implements AudioProcessor {
private int amountOfCepstrumCoef; //Number of MFCCs per frame
protected int amountOfMelFilters; //Number of mel filters (SPHINX-III uses 40)
protected float lowerFilterFreq; //lower limit of filter (or 64 Hz?)
protected float upperFilterFreq; //upper limit of filter (or half of sampling freq.?)
float[] audioFloatBuffer;
//Er zijn evenveel mfccs als er frames zijn!?
//Per frame<SUF>
private float[] mfcc;
int centerFrequencies[];
private FFT fft;
private int samplesPerFrame;
private float sampleRate;
public MFCC(int samplesPerFrame, int sampleRate){
this(samplesPerFrame, sampleRate, 30, 30, 133.3334f, ((float)sampleRate)/2f);
}
public MFCC(int samplesPerFrame, float sampleRate, int amountOfCepstrumCoef, int amountOfMelFilters, float lowerFilterFreq, float upperFilterFreq) {
this.samplesPerFrame = samplesPerFrame;
this.sampleRate = sampleRate;
this.amountOfCepstrumCoef = amountOfCepstrumCoef;
this.amountOfMelFilters = amountOfMelFilters;
this.fft = new FFT(samplesPerFrame, new HammingWindow());
this.lowerFilterFreq = Math.max(lowerFilterFreq, 25);
this.upperFilterFreq = Math.min(upperFilterFreq, sampleRate / 2);
calculateFilterBanks();
}
@Override
public boolean process(AudioEvent audioEvent) {
audioFloatBuffer = audioEvent.getFloatBuffer().clone();
// Magnitude Spectrum
float bin[] = magnitudeSpectrum(audioFloatBuffer);
// get Mel Filterbank
float fbank[] = melFilter(bin, centerFrequencies);
// Non-linear transformation
float f[] = nonLinearTransformation(fbank);
// Cepstral coefficients
mfcc = cepCoefficients(f);
return true;
}
@Override
public void processingFinished() {
}
/**
* computes the magnitude spectrum of the input frame<br>
* calls: none<br>
* called by: featureExtraction
* @param frame Input frame signal
* @return Magnitude Spectrum array
*/
public float[] magnitudeSpectrum(float frame[]){
float magSpectrum[] = new float[frame.length];
// calculate FFT for current frame
fft.forwardTransform(frame);
// calculate magnitude spectrum
for (int k = 0; k < frame.length/2; k++){
magSpectrum[frame.length/2+k] = fft.modulus(frame, frame.length/2-1-k);
magSpectrum[frame.length/2-1-k] = magSpectrum[frame.length/2+k];
}
return magSpectrum;
}
/**
* calculates the FFT bin indices<br> calls: none<br> called by:
* featureExtraction
*
*/
public final void calculateFilterBanks() {
centerFrequencies = new int[amountOfMelFilters + 2];
centerFrequencies[0] = Math.round(lowerFilterFreq / sampleRate * samplesPerFrame);
centerFrequencies[centerFrequencies.length - 1] = (int) (samplesPerFrame / 2);
double mel[] = new double[2];
mel[0] = freqToMel(lowerFilterFreq);
mel[1] = freqToMel(upperFilterFreq);
float factor = (float)((mel[1] - mel[0]) / (amountOfMelFilters + 1));
//Calculates te centerfrequencies.
for (int i = 1; i <= amountOfMelFilters; i++) {
float fc = (inverseMel(mel[0] + factor * i) / sampleRate) * samplesPerFrame;
centerFrequencies[i - 1] = Math.round(fc);
}
}
/**
* the output of mel filtering is subjected to a logarithm function (natural logarithm)<br>
* calls: none<br>
* called by: featureExtraction
* @param fbank Output of mel filtering
* @return Natural log of the output of mel filtering
*/
public float[] nonLinearTransformation(float fbank[]){
float f[] = new float[fbank.length];
final float FLOOR = -50;
for (int i = 0; i < fbank.length; i++){
f[i] = (float) Math.log(fbank[i]);
// check if ln() returns a value less than the floor
if (f[i] < FLOOR) f[i] = FLOOR;
}
return f;
}
/**
* Calculate the output of the mel filter<br> calls: none called by:
* featureExtraction
* @param bin The bins.
* @param centerFrequencies The frequency centers.
* @return Output of mel filter.
*/
public float[] melFilter(float bin[], int centerFrequencies[]) {
float temp[] = new float[amountOfMelFilters + 2];
for (int k = 1; k <= amountOfMelFilters; k++) {
float num1 = 0, num2 = 0;
float den = (centerFrequencies[k] - centerFrequencies[k - 1] + 1);
for (int i = centerFrequencies[k - 1]; i <= centerFrequencies[k]; i++) {
num1 += bin[i] * (i - centerFrequencies[k - 1] + 1);
}
num1 /= den;
den = (centerFrequencies[k + 1] - centerFrequencies[k] + 1);
for (int i = centerFrequencies[k] + 1; i <= centerFrequencies[k + 1]; i++) {
num2 += bin[i] * (1 - ((i - centerFrequencies[k]) / den));
}
temp[k] = num1 + num2;
}
float fbank[] = new float[amountOfMelFilters];
for (int i = 0; i < amountOfMelFilters; i++) {
fbank[i] = temp[i + 1];
}
return fbank;
}
/**
* Cepstral coefficients are calculated from the output of the Non-linear Transformation method<br>
* calls: none<br>
* called by: featureExtraction
* @param f Output of the Non-linear Transformation method
* @return Cepstral Coefficients
*/
public float[] cepCoefficients(float f[]){
float cepc[] = new float[amountOfCepstrumCoef];
for (int i = 0; i < cepc.length; i++){
for (int j = 0; j < f.length; j++){
cepc[i] += f[j] * Math.cos(Math.PI * i / f.length * (j + 0.5));
}
}
return cepc;
}
// /**
// * calculates center frequency<br>
// * calls: none<br>
// * called by: featureExtraction
// * @param i Index of mel filters
// * @return Center Frequency
// */
// private static float centerFreq(int i,float samplingRate){
// double mel[] = new double[2];
// mel[0] = freqToMel(lowerFilterFreq);
// mel[1] = freqToMel(samplingRate / 2);
//
// // take inverse mel of:
// double temp = mel[0] + ((mel[1] - mel[0]) / (amountOfMelFilters + 1)) * i;
// return inverseMel(temp);
// }
/**
* convert frequency to mel-frequency<br>
* calls: none<br>
* called by: featureExtraction
* @param freq Frequency
* @return Mel-Frequency
*/
protected static float freqToMel(float freq){
return (float) (2595 * log10(1 + freq / 700));
}
/**
* calculates the inverse of Mel Frequency<br>
* calls: none<br>
* called by: featureExtraction
*/
private static float inverseMel(double x) {
return (float) (700 * (Math.pow(10, x / 2595) - 1));
}
/**
* calculates logarithm with base 10<br>
* calls: none<br>
* called by: featureExtraction
* @param value Number to take the log of
* @return base 10 logarithm of the input values
*/
protected static float log10(float value){
return (float) (Math.log(value) / Math.log(10));
}
public float[] getMFCC() {
return mfcc.clone();
}
public int[] getCenterFrequencies() {
return centerFrequencies;
}
}
|
1613_16 | /* This file is part of Juggluco, an Android app to receive and display */
/* glucose values from Freestyle Libre 2 and 3 sensors. */
/* */
/* Copyright (C) 2021 Jaap Korthals Altes <[email protected]> */
/* */
/* Juggluco is free software: you can redistribute it and/or modify */
/* it under the terms of the GNU General Public License as published */
/* by the Free Software Foundation, either version 3 of the License, or */
/* (at your option) any later version. */
/* */
/* Juggluco is distributed in the hope that it will be useful, but */
/* WITHOUT ANY WARRANTY; without even the implied warranty of */
/* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. */
/* See the GNU General Public License for more details. */
/* */
/* You should have received a copy of the GNU General Public License */
/* along with Juggluco. If not, see <https://www.gnu.org/licenses/>. */
/* */
/* Sun Mar 10 11:40:55 CET 2024 */
package tk.glucodata;
import static android.view.ViewGroup.LayoutParams.MATCH_PARENT;
import static android.view.ViewGroup.LayoutParams.WRAP_CONTENT;
import static tk.glucodata.Natives.getVoicePitch;
import static tk.glucodata.Natives.getVoiceSeparation;
import static tk.glucodata.Natives.getVoiceSpeed;
import static tk.glucodata.Natives.getVoiceTalker;
import static tk.glucodata.Natives.lastglucose;
import static tk.glucodata.Natives.settouchtalk;
import static tk.glucodata.NumberView.avoidSpinnerDropdownFocus;
import static tk.glucodata.RingTones.EnableControls;
import static tk.glucodata.settings.Settings.editoptions;
import static tk.glucodata.settings.Settings.removeContentView;
import static tk.glucodata.settings.Settings.str2float;
import static tk.glucodata.util.getbutton;
import static tk.glucodata.util.getcheckbox;
import static tk.glucodata.util.getlabel;
import static tk.glucodata.util.getlocale;
import android.app.Activity;
import android.content.Context;
import android.os.Build;
import android.speech.tts.TextToSpeech;
import android.speech.tts.Voice;
import android.text.Editable;
import android.text.InputType;
import android.text.TextWatcher;
import android.view.KeyEvent;
import android.view.View;
import android.view.ViewGroup;
import android.view.inputmethod.EditorInfo;
import android.widget.AdapterView;
import android.widget.EditText;
import android.widget.SeekBar;
import android.widget.Space;
import android.widget.Spinner;
import android.widget.TextView;
import java.util.ArrayList;
import java.util.Locale;
import java.util.Set;
public class Talker {
static public final String LOG_ID="Talker";
private TextToSpeech engine;
static private float curpitch=1.0f;
static private float curspeed=1.0f;
static private long cursep=50*1000L;
static private int voicepos=-1;
static private String playstring=null;
static private Spinner spinner=null;
//static final private int minandroid=24; //21
static final private int minandroid=21; //21
static void getvalues() {
float speed=getVoiceSpeed( );
if(speed!=0.0f) {
voicepos=getVoiceTalker( );
cursep=getVoiceSeparation( )*1000L;
curspeed=speed;
curpitch=getVoicePitch( );
SuperGattCallback.dotalk= Natives.getVoiceActive();
}
}
static private ArrayList<Voice> voiceChoice=new ArrayList();
void setvalues() {
if(engine!=null) {
var loc=getlocale();
engine.setLanguage(loc);
engine.setPitch( curpitch);
engine.setSpeechRate( curspeed);
}
}
void setvoice() {
if(engine==null)
return;
if(voicepos>=0&& voicepos<voiceChoice.size()) {
var vo= voiceChoice.get(voicepos);
engine.setVoice(voiceChoice.get(voicepos));
Log.i(LOG_ID,"after setVoice "+vo.getName());
}
else {
Log.i(LOG_ID,"setVoice out of range");
voicepos=0;
}
}
void destruct() {
if(engine!=null) {
engine.shutdown();
engine=null;
}
voiceChoice.clear();
}
Talker(Context context) {
engine=new TextToSpeech(Applic.app, new TextToSpeech.OnInitListener() {
@Override
public void onInit(int status) {
if(status != TextToSpeech.ERROR) {
setvalues();
if (android.os.Build.VERSION.SDK_INT >= minandroid) {
Set<Voice> voices=engine.getVoices();
if(voices!=null) {
var loc=getlocale();
// var lang=(context!=null)?context.getString(R.string.language):loc.getLanguage();
var lang=loc.getLanguage();
Log.i(LOG_ID,"lang="+lang);
voiceChoice.clear();
for(var voice:voices) {
if(lang.equals(voice.getLocale().getLanguage())) {
voiceChoice.add(voice);
}
}
var spin=spinner;
if(spin!=null) {
Applic.RunOnUiThread(() -> {
spin.setAdapter(new RangeAdapter<Voice>(voiceChoice, Applic.app, voice -> {
return voice.getName();
}));
if(voicepos>=0&&voicepos<voiceChoice.size())
spin.setSelection(voicepos);
});
}
}
setvoice();
}
if(playstring!=null) {
speak(playstring);
playstring=null;
}
}
else {
Log.e(LOG_ID,"getVoices()==null");
}
Log.i(LOG_ID,"after onInit");
}
});
}
public void speak(String message) {
engine.speak(message, TextToSpeech.QUEUE_FLUSH, null);
}
static long nexttime=0L;
void selspeak(String message) {
var now=System.currentTimeMillis();
if(now>nexttime) {
nexttime=now+cursep;
speak(message);
}
}
static private double base2=Math.log(2);
static private double multiplyer=10000.0/base2;
static int ratio2progress(float ratio) {
if(ratio<0.18)
return 0;
return (int)Math.round(Math.log(ratio)*multiplyer)+25000;
}
static float progress2ratio(int progress) {
return (float)Math.exp((double)(progress-25000)/multiplyer);
}
private static View[] slider(MainActivity context,float init) {
var speed=new SeekBar(context);
// speed.setMin(-25000);
speed.setMax(50000);
speed.setProgress(ratio2progress(init));
var displayspeed=new EditText(context);
// displayspeed.setPadding(0,0,0,0);
displayspeed.setImeOptions(editoptions);
displayspeed.setInputType(InputType.TYPE_CLASS_NUMBER | InputType.TYPE_NUMBER_FLAG_DECIMAL);
displayspeed.setMinEms(2);
String formstr=String.format(Locale.US, "%.2f",init);
speed.setLayoutParams(new ViewGroup.LayoutParams( MATCH_PARENT, WRAP_CONTENT));
displayspeed.setText( formstr);
speed.setOnSeekBarChangeListener(new SeekBar.OnSeekBarChangeListener() {
@Override
public void onProgressChanged (SeekBar seekBar, int progress, boolean fromUser) {
float num=progress2ratio(progress);
String form=String.format(Locale.US, "%.2f",num);
displayspeed.setText( form);
Log.i(LOG_ID,"onProgressChanged "+form);
}
@Override
public void onStartTrackingTouch(SeekBar seekBar) {
Log.i(LOG_ID,"onStartTrackingTouch");
}
@Override
public void onStopTrackingTouch(SeekBar seekBar) {
Log.i(LOG_ID,"onStopTrackingTouch");
}
});
displayspeed.setOnEditorActionListener( new TextView.OnEditorActionListener() {
@Override
public boolean onEditorAction(TextView v, int actionId, KeyEvent event) {
if (event != null && event.getKeyCode() == KeyEvent.KEYCODE_ENTER || actionId == EditorInfo.IME_ACTION_DONE) {
Log.i(LOG_ID,"onEditorAction");
var speedstr=v.getText().toString();
if(speedstr != null) {
float curspeed = str2float(speedstr);
speed.setProgress(ratio2progress(curspeed));
Log.i(LOG_ID,"onEditorAction: "+speedstr+" "+curspeed);
tk.glucodata.help.hidekeyboard(context);
}
return true;
}
return false;
}});
/*
displayspeed.addTextChangedListener( new TextWatcher() {
public void afterTextChanged(Editable ed) {
var speedstr=ed.toString();
if(speedstr != null) {
float curspeed = str2float(speedstr);
speed.setProgress(ratio2progress(curspeed));
Log.i(LOG_ID,"afterTextChanged: "+speedstr+" "+curspeed);
}
}
public void beforeTextChanged(CharSequence s, int start, int count, int after) { }
public void onTextChanged(CharSequence s, int start, int before, int count) { }
});*/
return new View[] {speed,displayspeed};
}
public static boolean shouldtalk() {
return SuperGattCallback.dotalk||Natives.gettouchtalk()||Natives.speakmessages()||Natives.speakalarms();
}
public static boolean istalking() {
return SuperGattCallback.talker!=null;
}
public static void config(MainActivity context) {
if(!istalking()) {
SuperGattCallback.newtalker(context);
}
var separation=new EditText(context);
separation.setImeOptions(editoptions);
separation.setInputType(InputType.TYPE_CLASS_NUMBER | InputType.TYPE_NUMBER_FLAG_DECIMAL);
separation.setMinEms(2);
int sep=(int)(cursep/1000L);
separation.setText(sep+"");
var seplabel=getlabel(context,context.getString(R.string.secondsbetween));
float density=GlucoseCurve.metrics.density;
int pad=(int)(density*3);
seplabel.setPadding(pad*3,0,0,0);
var speeds=slider(context,curspeed);
var pitchs=slider(context,curpitch);
var cancel=getbutton(context,R.string.cancel);
var helpview=getbutton(context,R.string.helpname);
helpview.setOnClickListener(v-> help.help(R.string.talkhelp,context));
var save=getbutton(context,R.string.save);
var width= GlucoseCurve.getwidth();
var speedlabel=getlabel(context,context.getString(R.string.speed));
speedlabel.setPadding(0,0,0,0);
var pitchlabel=getlabel(context,context.getString(R.string.pitch));
pitchlabel.setPadding(0,pad*5,0,0);
var voicelabel=getlabel(context,context.getString(R.string.talker));
var active=getcheckbox(context,R.string.speakglucose, SuperGattCallback.dotalk);
active.setPadding(0,0,pad*3,0);
var test=getbutton(context,context.getString(R.string.test));
var spin= spinner!=null?spinner:((android.os.Build.VERSION.SDK_INT >= minandroid)? (spinner=new Spinner(context)):null);
int[] spinpos={-1};
View[] firstrow;
if(android.os.Build.VERSION.SDK_INT >= minandroid) {
spin.setOnItemSelectedListener(new AdapterView.OnItemSelectedListener() {
@Override
public void onItemSelected (AdapterView<?> parent, View view, int position, long id) {
Log.i(LOG_ID,"onItemSelected "+position);
spinpos[0]=position;
}
@Override
public void onNothingSelected (AdapterView<?> parent) {
} });
avoidSpinnerDropdownFocus(spin);
spin.setAdapter(new RangeAdapter<Voice>(voiceChoice, context, voice -> {
return voice.getName();
}));
Log.i(LOG_ID,"voicepos="+voicepos);
if(voicepos>=0&&voicepos<voiceChoice.size())
spin.setSelection(voicepos);
spinpos[0]=-1;
firstrow=new View[]{active,seplabel,separation,voicelabel,spin};
}
else {
var space=new Space(context);
space.setMinimumWidth((int)(width*0.4));
firstrow=new View[]{active,seplabel,separation,space};
}
var touchtalk= getcheckbox(context,context.getString(R.string.talk_touch), Natives.gettouchtalk());
var speakmessages= getcheckbox(context,context.getString(R.string.speakmessages), Natives.speakmessages());
var speakalarms= getcheckbox(context,context.getString(R.string.speakalarms), Natives.speakalarms());
var secondrow=new View[]{touchtalk, speakmessages, speakalarms };
var layout=new Layout(context,(l,w,h)-> {
// if(width>w) l.setX((width-w)/2);
return new int[] {w,h};
},firstrow,secondrow,new View[]{speedlabel},new View[]{speeds[1]}, new View[]{speeds[0]},new View[]{pitchlabel},new View[]{pitchs[1]}, new View[]{pitchs[0]}, new View[]{cancel,helpview,test,save});
//layout.setBackgroundResource(R.drawable.dialogbackground);
layout.setBackgroundColor( Applic.backgroundcolor);
context.setonback(()-> {
tk.glucodata.help.hidekeyboard(context);
removeContentView(layout);
spinner=null;
if(Menus.on)
Menus.show(context);
});
cancel.setOnClickListener(v-> {
context.doonback();
});
Runnable getvalues=()-> {
try {
if (android.os.Build.VERSION.SDK_INT >= minandroid) {
int pos=spinpos[0];
if(pos>=0) {
voicepos=pos;
}
}
var str = separation.getText().toString();
if(str != null) {
cursep = Integer.parseInt(str)*1000L;
var now=System.currentTimeMillis();
nexttime=now+cursep;
}
var speedstr=((EditText)speeds[1]).getText().toString();
if(speedstr != null) {
curspeed = str2float(speedstr);
Log.i(LOG_ID,"speedstr: "+speedstr+" "+curspeed);
}
var pitchstr=((EditText)pitchs[1]).getText().toString();
if(pitchstr != null) {
curpitch = str2float(pitchstr);
Log.i(LOG_ID,"pitchstr: "+pitchstr+" "+curpitch);
}
;
} catch(Throwable th) {
Log.stack(LOG_ID,"parseInt",th);
}
};
save.setOnClickListener(v-> {
getvalues.run();
if(active.isChecked()||touchtalk.isChecked()||speakmessages.isChecked()||speakalarms.isChecked()) {
SuperGattCallback.newtalker(context);
SuperGattCallback.dotalk = active.isChecked();
settouchtalk(touchtalk.isChecked());
Natives.setspeakmessages(speakmessages.isChecked());
Natives.setspeakalarms(speakalarms.isChecked());
}
else {
settouchtalk(false);
Natives.setspeakmessages(false);
Natives.setspeakalarms(false);
SuperGattCallback.endtalk();
}
Natives.saveVoice(curspeed,curpitch,(int)(cursep/1000L),voicepos,SuperGattCallback.dotalk);
context.doonback();
});
test.setOnClickListener(v-> {
var gl=lastglucose();
var say=(gl!=null&&gl.value!=null)?gl.value:"8.7";
getvalues.run();
if(istalking()) {
var talk=SuperGattCallback.talker;
if(talk!=null) {
talk.setvalues();
talk.setvoice();
talk.speak(say);
return;
}
}
playstring=say;
SuperGattCallback.newtalker(context);
});
context.addContentView(layout, new ViewGroup.LayoutParams(MATCH_PARENT, WRAP_CONTENT));
}
}
/*
TODO
van EditText naar Slider
Hoe met test?
Probleem: veranderingen moeten eerst uitgevoerd zijn voordat test mogelijk is.
Mogelijkheden:
-
*/
| j-kaltes/Juggluco | Common/src/mobile/java/tk/glucodata/Talker.java | 4,443 | /*
TODO
van EditText naar Slider
Hoe met test?
Probleem: veranderingen moeten eerst uitgevoerd zijn voordat test mogelijk is.
Mogelijkheden:
-
*/ | block_comment | nl | /* This file is part of Juggluco, an Android app to receive and display */
/* glucose values from Freestyle Libre 2 and 3 sensors. */
/* */
/* Copyright (C) 2021 Jaap Korthals Altes <[email protected]> */
/* */
/* Juggluco is free software: you can redistribute it and/or modify */
/* it under the terms of the GNU General Public License as published */
/* by the Free Software Foundation, either version 3 of the License, or */
/* (at your option) any later version. */
/* */
/* Juggluco is distributed in the hope that it will be useful, but */
/* WITHOUT ANY WARRANTY; without even the implied warranty of */
/* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. */
/* See the GNU General Public License for more details. */
/* */
/* You should have received a copy of the GNU General Public License */
/* along with Juggluco. If not, see <https://www.gnu.org/licenses/>. */
/* */
/* Sun Mar 10 11:40:55 CET 2024 */
package tk.glucodata;
import static android.view.ViewGroup.LayoutParams.MATCH_PARENT;
import static android.view.ViewGroup.LayoutParams.WRAP_CONTENT;
import static tk.glucodata.Natives.getVoicePitch;
import static tk.glucodata.Natives.getVoiceSeparation;
import static tk.glucodata.Natives.getVoiceSpeed;
import static tk.glucodata.Natives.getVoiceTalker;
import static tk.glucodata.Natives.lastglucose;
import static tk.glucodata.Natives.settouchtalk;
import static tk.glucodata.NumberView.avoidSpinnerDropdownFocus;
import static tk.glucodata.RingTones.EnableControls;
import static tk.glucodata.settings.Settings.editoptions;
import static tk.glucodata.settings.Settings.removeContentView;
import static tk.glucodata.settings.Settings.str2float;
import static tk.glucodata.util.getbutton;
import static tk.glucodata.util.getcheckbox;
import static tk.glucodata.util.getlabel;
import static tk.glucodata.util.getlocale;
import android.app.Activity;
import android.content.Context;
import android.os.Build;
import android.speech.tts.TextToSpeech;
import android.speech.tts.Voice;
import android.text.Editable;
import android.text.InputType;
import android.text.TextWatcher;
import android.view.KeyEvent;
import android.view.View;
import android.view.ViewGroup;
import android.view.inputmethod.EditorInfo;
import android.widget.AdapterView;
import android.widget.EditText;
import android.widget.SeekBar;
import android.widget.Space;
import android.widget.Spinner;
import android.widget.TextView;
import java.util.ArrayList;
import java.util.Locale;
import java.util.Set;
public class Talker {
static public final String LOG_ID="Talker";
private TextToSpeech engine;
static private float curpitch=1.0f;
static private float curspeed=1.0f;
static private long cursep=50*1000L;
static private int voicepos=-1;
static private String playstring=null;
static private Spinner spinner=null;
//static final private int minandroid=24; //21
static final private int minandroid=21; //21
static void getvalues() {
float speed=getVoiceSpeed( );
if(speed!=0.0f) {
voicepos=getVoiceTalker( );
cursep=getVoiceSeparation( )*1000L;
curspeed=speed;
curpitch=getVoicePitch( );
SuperGattCallback.dotalk= Natives.getVoiceActive();
}
}
static private ArrayList<Voice> voiceChoice=new ArrayList();
void setvalues() {
if(engine!=null) {
var loc=getlocale();
engine.setLanguage(loc);
engine.setPitch( curpitch);
engine.setSpeechRate( curspeed);
}
}
void setvoice() {
if(engine==null)
return;
if(voicepos>=0&& voicepos<voiceChoice.size()) {
var vo= voiceChoice.get(voicepos);
engine.setVoice(voiceChoice.get(voicepos));
Log.i(LOG_ID,"after setVoice "+vo.getName());
}
else {
Log.i(LOG_ID,"setVoice out of range");
voicepos=0;
}
}
void destruct() {
if(engine!=null) {
engine.shutdown();
engine=null;
}
voiceChoice.clear();
}
Talker(Context context) {
engine=new TextToSpeech(Applic.app, new TextToSpeech.OnInitListener() {
@Override
public void onInit(int status) {
if(status != TextToSpeech.ERROR) {
setvalues();
if (android.os.Build.VERSION.SDK_INT >= minandroid) {
Set<Voice> voices=engine.getVoices();
if(voices!=null) {
var loc=getlocale();
// var lang=(context!=null)?context.getString(R.string.language):loc.getLanguage();
var lang=loc.getLanguage();
Log.i(LOG_ID,"lang="+lang);
voiceChoice.clear();
for(var voice:voices) {
if(lang.equals(voice.getLocale().getLanguage())) {
voiceChoice.add(voice);
}
}
var spin=spinner;
if(spin!=null) {
Applic.RunOnUiThread(() -> {
spin.setAdapter(new RangeAdapter<Voice>(voiceChoice, Applic.app, voice -> {
return voice.getName();
}));
if(voicepos>=0&&voicepos<voiceChoice.size())
spin.setSelection(voicepos);
});
}
}
setvoice();
}
if(playstring!=null) {
speak(playstring);
playstring=null;
}
}
else {
Log.e(LOG_ID,"getVoices()==null");
}
Log.i(LOG_ID,"after onInit");
}
});
}
public void speak(String message) {
engine.speak(message, TextToSpeech.QUEUE_FLUSH, null);
}
static long nexttime=0L;
void selspeak(String message) {
var now=System.currentTimeMillis();
if(now>nexttime) {
nexttime=now+cursep;
speak(message);
}
}
static private double base2=Math.log(2);
static private double multiplyer=10000.0/base2;
static int ratio2progress(float ratio) {
if(ratio<0.18)
return 0;
return (int)Math.round(Math.log(ratio)*multiplyer)+25000;
}
static float progress2ratio(int progress) {
return (float)Math.exp((double)(progress-25000)/multiplyer);
}
private static View[] slider(MainActivity context,float init) {
var speed=new SeekBar(context);
// speed.setMin(-25000);
speed.setMax(50000);
speed.setProgress(ratio2progress(init));
var displayspeed=new EditText(context);
// displayspeed.setPadding(0,0,0,0);
displayspeed.setImeOptions(editoptions);
displayspeed.setInputType(InputType.TYPE_CLASS_NUMBER | InputType.TYPE_NUMBER_FLAG_DECIMAL);
displayspeed.setMinEms(2);
String formstr=String.format(Locale.US, "%.2f",init);
speed.setLayoutParams(new ViewGroup.LayoutParams( MATCH_PARENT, WRAP_CONTENT));
displayspeed.setText( formstr);
speed.setOnSeekBarChangeListener(new SeekBar.OnSeekBarChangeListener() {
@Override
public void onProgressChanged (SeekBar seekBar, int progress, boolean fromUser) {
float num=progress2ratio(progress);
String form=String.format(Locale.US, "%.2f",num);
displayspeed.setText( form);
Log.i(LOG_ID,"onProgressChanged "+form);
}
@Override
public void onStartTrackingTouch(SeekBar seekBar) {
Log.i(LOG_ID,"onStartTrackingTouch");
}
@Override
public void onStopTrackingTouch(SeekBar seekBar) {
Log.i(LOG_ID,"onStopTrackingTouch");
}
});
displayspeed.setOnEditorActionListener( new TextView.OnEditorActionListener() {
@Override
public boolean onEditorAction(TextView v, int actionId, KeyEvent event) {
if (event != null && event.getKeyCode() == KeyEvent.KEYCODE_ENTER || actionId == EditorInfo.IME_ACTION_DONE) {
Log.i(LOG_ID,"onEditorAction");
var speedstr=v.getText().toString();
if(speedstr != null) {
float curspeed = str2float(speedstr);
speed.setProgress(ratio2progress(curspeed));
Log.i(LOG_ID,"onEditorAction: "+speedstr+" "+curspeed);
tk.glucodata.help.hidekeyboard(context);
}
return true;
}
return false;
}});
/*
displayspeed.addTextChangedListener( new TextWatcher() {
public void afterTextChanged(Editable ed) {
var speedstr=ed.toString();
if(speedstr != null) {
float curspeed = str2float(speedstr);
speed.setProgress(ratio2progress(curspeed));
Log.i(LOG_ID,"afterTextChanged: "+speedstr+" "+curspeed);
}
}
public void beforeTextChanged(CharSequence s, int start, int count, int after) { }
public void onTextChanged(CharSequence s, int start, int before, int count) { }
});*/
return new View[] {speed,displayspeed};
}
public static boolean shouldtalk() {
return SuperGattCallback.dotalk||Natives.gettouchtalk()||Natives.speakmessages()||Natives.speakalarms();
}
public static boolean istalking() {
return SuperGattCallback.talker!=null;
}
public static void config(MainActivity context) {
if(!istalking()) {
SuperGattCallback.newtalker(context);
}
var separation=new EditText(context);
separation.setImeOptions(editoptions);
separation.setInputType(InputType.TYPE_CLASS_NUMBER | InputType.TYPE_NUMBER_FLAG_DECIMAL);
separation.setMinEms(2);
int sep=(int)(cursep/1000L);
separation.setText(sep+"");
var seplabel=getlabel(context,context.getString(R.string.secondsbetween));
float density=GlucoseCurve.metrics.density;
int pad=(int)(density*3);
seplabel.setPadding(pad*3,0,0,0);
var speeds=slider(context,curspeed);
var pitchs=slider(context,curpitch);
var cancel=getbutton(context,R.string.cancel);
var helpview=getbutton(context,R.string.helpname);
helpview.setOnClickListener(v-> help.help(R.string.talkhelp,context));
var save=getbutton(context,R.string.save);
var width= GlucoseCurve.getwidth();
var speedlabel=getlabel(context,context.getString(R.string.speed));
speedlabel.setPadding(0,0,0,0);
var pitchlabel=getlabel(context,context.getString(R.string.pitch));
pitchlabel.setPadding(0,pad*5,0,0);
var voicelabel=getlabel(context,context.getString(R.string.talker));
var active=getcheckbox(context,R.string.speakglucose, SuperGattCallback.dotalk);
active.setPadding(0,0,pad*3,0);
var test=getbutton(context,context.getString(R.string.test));
var spin= spinner!=null?spinner:((android.os.Build.VERSION.SDK_INT >= minandroid)? (spinner=new Spinner(context)):null);
int[] spinpos={-1};
View[] firstrow;
if(android.os.Build.VERSION.SDK_INT >= minandroid) {
spin.setOnItemSelectedListener(new AdapterView.OnItemSelectedListener() {
@Override
public void onItemSelected (AdapterView<?> parent, View view, int position, long id) {
Log.i(LOG_ID,"onItemSelected "+position);
spinpos[0]=position;
}
@Override
public void onNothingSelected (AdapterView<?> parent) {
} });
avoidSpinnerDropdownFocus(spin);
spin.setAdapter(new RangeAdapter<Voice>(voiceChoice, context, voice -> {
return voice.getName();
}));
Log.i(LOG_ID,"voicepos="+voicepos);
if(voicepos>=0&&voicepos<voiceChoice.size())
spin.setSelection(voicepos);
spinpos[0]=-1;
firstrow=new View[]{active,seplabel,separation,voicelabel,spin};
}
else {
var space=new Space(context);
space.setMinimumWidth((int)(width*0.4));
firstrow=new View[]{active,seplabel,separation,space};
}
var touchtalk= getcheckbox(context,context.getString(R.string.talk_touch), Natives.gettouchtalk());
var speakmessages= getcheckbox(context,context.getString(R.string.speakmessages), Natives.speakmessages());
var speakalarms= getcheckbox(context,context.getString(R.string.speakalarms), Natives.speakalarms());
var secondrow=new View[]{touchtalk, speakmessages, speakalarms };
var layout=new Layout(context,(l,w,h)-> {
// if(width>w) l.setX((width-w)/2);
return new int[] {w,h};
},firstrow,secondrow,new View[]{speedlabel},new View[]{speeds[1]}, new View[]{speeds[0]},new View[]{pitchlabel},new View[]{pitchs[1]}, new View[]{pitchs[0]}, new View[]{cancel,helpview,test,save});
//layout.setBackgroundResource(R.drawable.dialogbackground);
layout.setBackgroundColor( Applic.backgroundcolor);
context.setonback(()-> {
tk.glucodata.help.hidekeyboard(context);
removeContentView(layout);
spinner=null;
if(Menus.on)
Menus.show(context);
});
cancel.setOnClickListener(v-> {
context.doonback();
});
Runnable getvalues=()-> {
try {
if (android.os.Build.VERSION.SDK_INT >= minandroid) {
int pos=spinpos[0];
if(pos>=0) {
voicepos=pos;
}
}
var str = separation.getText().toString();
if(str != null) {
cursep = Integer.parseInt(str)*1000L;
var now=System.currentTimeMillis();
nexttime=now+cursep;
}
var speedstr=((EditText)speeds[1]).getText().toString();
if(speedstr != null) {
curspeed = str2float(speedstr);
Log.i(LOG_ID,"speedstr: "+speedstr+" "+curspeed);
}
var pitchstr=((EditText)pitchs[1]).getText().toString();
if(pitchstr != null) {
curpitch = str2float(pitchstr);
Log.i(LOG_ID,"pitchstr: "+pitchstr+" "+curpitch);
}
;
} catch(Throwable th) {
Log.stack(LOG_ID,"parseInt",th);
}
};
save.setOnClickListener(v-> {
getvalues.run();
if(active.isChecked()||touchtalk.isChecked()||speakmessages.isChecked()||speakalarms.isChecked()) {
SuperGattCallback.newtalker(context);
SuperGattCallback.dotalk = active.isChecked();
settouchtalk(touchtalk.isChecked());
Natives.setspeakmessages(speakmessages.isChecked());
Natives.setspeakalarms(speakalarms.isChecked());
}
else {
settouchtalk(false);
Natives.setspeakmessages(false);
Natives.setspeakalarms(false);
SuperGattCallback.endtalk();
}
Natives.saveVoice(curspeed,curpitch,(int)(cursep/1000L),voicepos,SuperGattCallback.dotalk);
context.doonback();
});
test.setOnClickListener(v-> {
var gl=lastglucose();
var say=(gl!=null&&gl.value!=null)?gl.value:"8.7";
getvalues.run();
if(istalking()) {
var talk=SuperGattCallback.talker;
if(talk!=null) {
talk.setvalues();
talk.setvoice();
talk.speak(say);
return;
}
}
playstring=say;
SuperGattCallback.newtalker(context);
});
context.addContentView(layout, new ViewGroup.LayoutParams(MATCH_PARENT, WRAP_CONTENT));
}
}
/*
TODO
van EditText<SUF>*/
|
1615_0 | package nl.openconvert.converters;
/**
* Kijk ook naar docx4j spul
* Conversie via open office zoals door oxgarage zou beter kunnen zijn....
*/
import nl.openconvert.filehandling.SimpleInputOutputProcess;
import nl.openconvert.util.XML;
import org.apache.poi.xwpf.converter.xhtml.XHTMLConverter;
import org.apache.poi.xwpf.converter.xhtml.XHTMLOptions;
//import org.apache.poi.xwpf.converter.xthml.*;
//import org.apache.poi.xwpf.converter.xthml.*;
import org.apache.poi.xwpf.usermodel.XWPFDocument;
import org.w3c.dom.Document;
import org.xml.sax.SAXException;
import java.io.File;
import java.io.FileInputStream;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.InputStream;
import java.io.OutputStream;
import java.util.Properties;
import javax.xml.parsers.ParserConfigurationException;
public class Docx2HTML implements SimpleInputOutputProcess
{
public static void main(String[] args)
{
createHTML(args[0], args[1]);
}
public static Document Word2HtmlDocument(String docFile)
{
File tempFile;
try
{
tempFile = File.createTempFile(docFile, ".html.tmp");
tempFile.deleteOnExit();
createHTML(docFile, tempFile.getCanonicalPath());
Document d = XML.parse( tempFile.getCanonicalPath());
tempFile.delete();
return d;
} catch (IOException e)
{
// TODO Auto-generated catch block
e.printStackTrace();
} catch (ParserConfigurationException e)
{
// TODO Auto-generated catch block
e.printStackTrace();
} catch (SAXException e)
{
// TODO Auto-generated catch block
e.printStackTrace();
}
return null;
}
static void createHTML(String inFile, String outFile)
{
try {
long start = System.currentTimeMillis();
// 1) Load DOCX into XWPFDocument
InputStream is = new FileInputStream(new File(inFile));
XWPFDocument document = new XWPFDocument(is);
// 2) Prepare Html options
XHTMLOptions options = XHTMLOptions.create();
// 3) Convert XWPFDocument to HTML
OutputStream out = new FileOutputStream(outFile);
XHTMLConverter.getInstance().convert(document, out, options);
// System.err.println("Generate html/HelloWorld.html with "+ (System.currentTimeMillis() - start) + "ms");
} catch (Throwable e) {
e.printStackTrace();
}
}
@Override
public void handleFile(String inFilename, String outFilename)
{
// TODO Auto-generated method stub
createHTML(inFilename, outFilename);
}
@Override
public void setProperties(Properties properties)
{
// TODO Auto-generated method stub
}
@Override
public void close()
{
// TODO Auto-generated method stub
}
}
| INL/OpenConvert | src/nl/openconvert/converters/Docx2HTML.java | 839 | /**
* Kijk ook naar docx4j spul
* Conversie via open office zoals door oxgarage zou beter kunnen zijn....
*/ | block_comment | nl | package nl.openconvert.converters;
/**
* Kijk ook naar<SUF>*/
import nl.openconvert.filehandling.SimpleInputOutputProcess;
import nl.openconvert.util.XML;
import org.apache.poi.xwpf.converter.xhtml.XHTMLConverter;
import org.apache.poi.xwpf.converter.xhtml.XHTMLOptions;
//import org.apache.poi.xwpf.converter.xthml.*;
//import org.apache.poi.xwpf.converter.xthml.*;
import org.apache.poi.xwpf.usermodel.XWPFDocument;
import org.w3c.dom.Document;
import org.xml.sax.SAXException;
import java.io.File;
import java.io.FileInputStream;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.InputStream;
import java.io.OutputStream;
import java.util.Properties;
import javax.xml.parsers.ParserConfigurationException;
public class Docx2HTML implements SimpleInputOutputProcess
{
public static void main(String[] args)
{
createHTML(args[0], args[1]);
}
public static Document Word2HtmlDocument(String docFile)
{
File tempFile;
try
{
tempFile = File.createTempFile(docFile, ".html.tmp");
tempFile.deleteOnExit();
createHTML(docFile, tempFile.getCanonicalPath());
Document d = XML.parse( tempFile.getCanonicalPath());
tempFile.delete();
return d;
} catch (IOException e)
{
// TODO Auto-generated catch block
e.printStackTrace();
} catch (ParserConfigurationException e)
{
// TODO Auto-generated catch block
e.printStackTrace();
} catch (SAXException e)
{
// TODO Auto-generated catch block
e.printStackTrace();
}
return null;
}
static void createHTML(String inFile, String outFile)
{
try {
long start = System.currentTimeMillis();
// 1) Load DOCX into XWPFDocument
InputStream is = new FileInputStream(new File(inFile));
XWPFDocument document = new XWPFDocument(is);
// 2) Prepare Html options
XHTMLOptions options = XHTMLOptions.create();
// 3) Convert XWPFDocument to HTML
OutputStream out = new FileOutputStream(outFile);
XHTMLConverter.getInstance().convert(document, out, options);
// System.err.println("Generate html/HelloWorld.html with "+ (System.currentTimeMillis() - start) + "ms");
} catch (Throwable e) {
e.printStackTrace();
}
}
@Override
public void handleFile(String inFilename, String outFilename)
{
// TODO Auto-generated method stub
createHTML(inFilename, outFilename);
}
@Override
public void setProperties(Properties properties)
{
// TODO Auto-generated method stub
}
@Override
public void close()
{
// TODO Auto-generated method stub
}
}
|
1616_0 | import nl.han.ica.oopg.alarm.Alarm;
import nl.han.ica.oopg.alarm.IAlarmListener;
import nl.han.ica.oopg.objects.TextObject;
import java.util.ArrayList;
import java.util.Iterator;
public class Wave implements IAlarmListener {
private ShooterApp world;
private int enemyCount;
private float enemiesPerSecond;
private Species[] species;
private ArrayList<EnemySpawner> spawners = new ArrayList<>();
private TextObject text;
private WeaponType weapon;
private Player player;
/**
* @param world huidige wereld
* @param player speler in de wave
* @param weapon wapen wat gebruikt wordt in de wave
* @param enemyCount hoeveelheid enemies
* @param enemiesPerSecond hoeveelheid enemies per seconde
* @param species array met soorten enemies
*/
public Wave(ShooterApp world, Player player, WeaponType weapon, int enemyCount, float enemiesPerSecond, Species[] species) {
this.world = world;
this.enemyCount = enemyCount;
this.enemiesPerSecond = enemiesPerSecond;
this.species = species;
this.weapon = weapon;
this.player = player;
}
/** Begint de wave
* @param waveCount welke wave het is
*/
public void start(int waveCount) {
player.setWeapon(weapon);
text = new TextObject("Wave " + waveCount, 60);
text.setX(world.getWidth());
text.setY(world.getHeight()/2);
text.setxSpeed(-4);
text.setForeColor(255, 255, 255, 255);
world.addGameObject(text);
addAlarm();
}
/**
* Maakt de spawners aan
*/
public void createSpawners() {
for (int i = 0; i < species.length; i++) {
spawners.add(new EnemySpawner(world, enemiesPerSecond / species.length, species[i]));
}
}
/**
* Stop met spawnen van enemies
*/
public void stopSpawning() {
Iterator<EnemySpawner> spawnersIterator = spawners.iterator();
while (spawnersIterator.hasNext()) {
spawnersIterator.next().stop();
}
}
/**
* @return of alle enemies in de wave gespawnt zijn
*/
public boolean allEnemiesSpawned() {
int totalEnemiesSpawned = 0;
for (EnemySpawner es: spawners) {
totalEnemiesSpawned += es.getEnemiesSpawned();
}
return totalEnemiesSpawned >= enemyCount;
}
/**
* @return of alle enemies in de wave dood zijn
*/
public boolean allEnemiesKilled() {
for(EnemySpawner es: spawners) {
if (!es.allEnemiesDead()) {
return false;
}
}
return true;
}
public void addAlarm() {
Alarm waveStart = new Alarm("Start wave", 5);
waveStart.addTarget(this);
waveStart.start();
}
public void triggerAlarm(String s) {
createSpawners();
world.deleteGameObject(text);
}
}
| ysbakker/2DShooter | src/Wave.java | 794 | /**
* @param world huidige wereld
* @param player speler in de wave
* @param weapon wapen wat gebruikt wordt in de wave
* @param enemyCount hoeveelheid enemies
* @param enemiesPerSecond hoeveelheid enemies per seconde
* @param species array met soorten enemies
*/ | block_comment | nl | import nl.han.ica.oopg.alarm.Alarm;
import nl.han.ica.oopg.alarm.IAlarmListener;
import nl.han.ica.oopg.objects.TextObject;
import java.util.ArrayList;
import java.util.Iterator;
public class Wave implements IAlarmListener {
private ShooterApp world;
private int enemyCount;
private float enemiesPerSecond;
private Species[] species;
private ArrayList<EnemySpawner> spawners = new ArrayList<>();
private TextObject text;
private WeaponType weapon;
private Player player;
/**
* @param world huidige<SUF>*/
public Wave(ShooterApp world, Player player, WeaponType weapon, int enemyCount, float enemiesPerSecond, Species[] species) {
this.world = world;
this.enemyCount = enemyCount;
this.enemiesPerSecond = enemiesPerSecond;
this.species = species;
this.weapon = weapon;
this.player = player;
}
/** Begint de wave
* @param waveCount welke wave het is
*/
public void start(int waveCount) {
player.setWeapon(weapon);
text = new TextObject("Wave " + waveCount, 60);
text.setX(world.getWidth());
text.setY(world.getHeight()/2);
text.setxSpeed(-4);
text.setForeColor(255, 255, 255, 255);
world.addGameObject(text);
addAlarm();
}
/**
* Maakt de spawners aan
*/
public void createSpawners() {
for (int i = 0; i < species.length; i++) {
spawners.add(new EnemySpawner(world, enemiesPerSecond / species.length, species[i]));
}
}
/**
* Stop met spawnen van enemies
*/
public void stopSpawning() {
Iterator<EnemySpawner> spawnersIterator = spawners.iterator();
while (spawnersIterator.hasNext()) {
spawnersIterator.next().stop();
}
}
/**
* @return of alle enemies in de wave gespawnt zijn
*/
public boolean allEnemiesSpawned() {
int totalEnemiesSpawned = 0;
for (EnemySpawner es: spawners) {
totalEnemiesSpawned += es.getEnemiesSpawned();
}
return totalEnemiesSpawned >= enemyCount;
}
/**
* @return of alle enemies in de wave dood zijn
*/
public boolean allEnemiesKilled() {
for(EnemySpawner es: spawners) {
if (!es.allEnemiesDead()) {
return false;
}
}
return true;
}
public void addAlarm() {
Alarm waveStart = new Alarm("Start wave", 5);
waveStart.addTarget(this);
waveStart.start();
}
public void triggerAlarm(String s) {
createSpawners();
world.deleteGameObject(text);
}
}
|
1616_1 | import nl.han.ica.oopg.alarm.Alarm;
import nl.han.ica.oopg.alarm.IAlarmListener;
import nl.han.ica.oopg.objects.TextObject;
import java.util.ArrayList;
import java.util.Iterator;
public class Wave implements IAlarmListener {
private ShooterApp world;
private int enemyCount;
private float enemiesPerSecond;
private Species[] species;
private ArrayList<EnemySpawner> spawners = new ArrayList<>();
private TextObject text;
private WeaponType weapon;
private Player player;
/**
* @param world huidige wereld
* @param player speler in de wave
* @param weapon wapen wat gebruikt wordt in de wave
* @param enemyCount hoeveelheid enemies
* @param enemiesPerSecond hoeveelheid enemies per seconde
* @param species array met soorten enemies
*/
public Wave(ShooterApp world, Player player, WeaponType weapon, int enemyCount, float enemiesPerSecond, Species[] species) {
this.world = world;
this.enemyCount = enemyCount;
this.enemiesPerSecond = enemiesPerSecond;
this.species = species;
this.weapon = weapon;
this.player = player;
}
/** Begint de wave
* @param waveCount welke wave het is
*/
public void start(int waveCount) {
player.setWeapon(weapon);
text = new TextObject("Wave " + waveCount, 60);
text.setX(world.getWidth());
text.setY(world.getHeight()/2);
text.setxSpeed(-4);
text.setForeColor(255, 255, 255, 255);
world.addGameObject(text);
addAlarm();
}
/**
* Maakt de spawners aan
*/
public void createSpawners() {
for (int i = 0; i < species.length; i++) {
spawners.add(new EnemySpawner(world, enemiesPerSecond / species.length, species[i]));
}
}
/**
* Stop met spawnen van enemies
*/
public void stopSpawning() {
Iterator<EnemySpawner> spawnersIterator = spawners.iterator();
while (spawnersIterator.hasNext()) {
spawnersIterator.next().stop();
}
}
/**
* @return of alle enemies in de wave gespawnt zijn
*/
public boolean allEnemiesSpawned() {
int totalEnemiesSpawned = 0;
for (EnemySpawner es: spawners) {
totalEnemiesSpawned += es.getEnemiesSpawned();
}
return totalEnemiesSpawned >= enemyCount;
}
/**
* @return of alle enemies in de wave dood zijn
*/
public boolean allEnemiesKilled() {
for(EnemySpawner es: spawners) {
if (!es.allEnemiesDead()) {
return false;
}
}
return true;
}
public void addAlarm() {
Alarm waveStart = new Alarm("Start wave", 5);
waveStart.addTarget(this);
waveStart.start();
}
public void triggerAlarm(String s) {
createSpawners();
world.deleteGameObject(text);
}
}
| ysbakker/2DShooter | src/Wave.java | 794 | /** Begint de wave
* @param waveCount welke wave het is
*/ | block_comment | nl | import nl.han.ica.oopg.alarm.Alarm;
import nl.han.ica.oopg.alarm.IAlarmListener;
import nl.han.ica.oopg.objects.TextObject;
import java.util.ArrayList;
import java.util.Iterator;
public class Wave implements IAlarmListener {
private ShooterApp world;
private int enemyCount;
private float enemiesPerSecond;
private Species[] species;
private ArrayList<EnemySpawner> spawners = new ArrayList<>();
private TextObject text;
private WeaponType weapon;
private Player player;
/**
* @param world huidige wereld
* @param player speler in de wave
* @param weapon wapen wat gebruikt wordt in de wave
* @param enemyCount hoeveelheid enemies
* @param enemiesPerSecond hoeveelheid enemies per seconde
* @param species array met soorten enemies
*/
public Wave(ShooterApp world, Player player, WeaponType weapon, int enemyCount, float enemiesPerSecond, Species[] species) {
this.world = world;
this.enemyCount = enemyCount;
this.enemiesPerSecond = enemiesPerSecond;
this.species = species;
this.weapon = weapon;
this.player = player;
}
/** Begint de wave<SUF>*/
public void start(int waveCount) {
player.setWeapon(weapon);
text = new TextObject("Wave " + waveCount, 60);
text.setX(world.getWidth());
text.setY(world.getHeight()/2);
text.setxSpeed(-4);
text.setForeColor(255, 255, 255, 255);
world.addGameObject(text);
addAlarm();
}
/**
* Maakt de spawners aan
*/
public void createSpawners() {
for (int i = 0; i < species.length; i++) {
spawners.add(new EnemySpawner(world, enemiesPerSecond / species.length, species[i]));
}
}
/**
* Stop met spawnen van enemies
*/
public void stopSpawning() {
Iterator<EnemySpawner> spawnersIterator = spawners.iterator();
while (spawnersIterator.hasNext()) {
spawnersIterator.next().stop();
}
}
/**
* @return of alle enemies in de wave gespawnt zijn
*/
public boolean allEnemiesSpawned() {
int totalEnemiesSpawned = 0;
for (EnemySpawner es: spawners) {
totalEnemiesSpawned += es.getEnemiesSpawned();
}
return totalEnemiesSpawned >= enemyCount;
}
/**
* @return of alle enemies in de wave dood zijn
*/
public boolean allEnemiesKilled() {
for(EnemySpawner es: spawners) {
if (!es.allEnemiesDead()) {
return false;
}
}
return true;
}
public void addAlarm() {
Alarm waveStart = new Alarm("Start wave", 5);
waveStart.addTarget(this);
waveStart.start();
}
public void triggerAlarm(String s) {
createSpawners();
world.deleteGameObject(text);
}
}
|
1616_2 | import nl.han.ica.oopg.alarm.Alarm;
import nl.han.ica.oopg.alarm.IAlarmListener;
import nl.han.ica.oopg.objects.TextObject;
import java.util.ArrayList;
import java.util.Iterator;
public class Wave implements IAlarmListener {
private ShooterApp world;
private int enemyCount;
private float enemiesPerSecond;
private Species[] species;
private ArrayList<EnemySpawner> spawners = new ArrayList<>();
private TextObject text;
private WeaponType weapon;
private Player player;
/**
* @param world huidige wereld
* @param player speler in de wave
* @param weapon wapen wat gebruikt wordt in de wave
* @param enemyCount hoeveelheid enemies
* @param enemiesPerSecond hoeveelheid enemies per seconde
* @param species array met soorten enemies
*/
public Wave(ShooterApp world, Player player, WeaponType weapon, int enemyCount, float enemiesPerSecond, Species[] species) {
this.world = world;
this.enemyCount = enemyCount;
this.enemiesPerSecond = enemiesPerSecond;
this.species = species;
this.weapon = weapon;
this.player = player;
}
/** Begint de wave
* @param waveCount welke wave het is
*/
public void start(int waveCount) {
player.setWeapon(weapon);
text = new TextObject("Wave " + waveCount, 60);
text.setX(world.getWidth());
text.setY(world.getHeight()/2);
text.setxSpeed(-4);
text.setForeColor(255, 255, 255, 255);
world.addGameObject(text);
addAlarm();
}
/**
* Maakt de spawners aan
*/
public void createSpawners() {
for (int i = 0; i < species.length; i++) {
spawners.add(new EnemySpawner(world, enemiesPerSecond / species.length, species[i]));
}
}
/**
* Stop met spawnen van enemies
*/
public void stopSpawning() {
Iterator<EnemySpawner> spawnersIterator = spawners.iterator();
while (spawnersIterator.hasNext()) {
spawnersIterator.next().stop();
}
}
/**
* @return of alle enemies in de wave gespawnt zijn
*/
public boolean allEnemiesSpawned() {
int totalEnemiesSpawned = 0;
for (EnemySpawner es: spawners) {
totalEnemiesSpawned += es.getEnemiesSpawned();
}
return totalEnemiesSpawned >= enemyCount;
}
/**
* @return of alle enemies in de wave dood zijn
*/
public boolean allEnemiesKilled() {
for(EnemySpawner es: spawners) {
if (!es.allEnemiesDead()) {
return false;
}
}
return true;
}
public void addAlarm() {
Alarm waveStart = new Alarm("Start wave", 5);
waveStart.addTarget(this);
waveStart.start();
}
public void triggerAlarm(String s) {
createSpawners();
world.deleteGameObject(text);
}
}
| ysbakker/2DShooter | src/Wave.java | 794 | /**
* Maakt de spawners aan
*/ | block_comment | nl | import nl.han.ica.oopg.alarm.Alarm;
import nl.han.ica.oopg.alarm.IAlarmListener;
import nl.han.ica.oopg.objects.TextObject;
import java.util.ArrayList;
import java.util.Iterator;
public class Wave implements IAlarmListener {
private ShooterApp world;
private int enemyCount;
private float enemiesPerSecond;
private Species[] species;
private ArrayList<EnemySpawner> spawners = new ArrayList<>();
private TextObject text;
private WeaponType weapon;
private Player player;
/**
* @param world huidige wereld
* @param player speler in de wave
* @param weapon wapen wat gebruikt wordt in de wave
* @param enemyCount hoeveelheid enemies
* @param enemiesPerSecond hoeveelheid enemies per seconde
* @param species array met soorten enemies
*/
public Wave(ShooterApp world, Player player, WeaponType weapon, int enemyCount, float enemiesPerSecond, Species[] species) {
this.world = world;
this.enemyCount = enemyCount;
this.enemiesPerSecond = enemiesPerSecond;
this.species = species;
this.weapon = weapon;
this.player = player;
}
/** Begint de wave
* @param waveCount welke wave het is
*/
public void start(int waveCount) {
player.setWeapon(weapon);
text = new TextObject("Wave " + waveCount, 60);
text.setX(world.getWidth());
text.setY(world.getHeight()/2);
text.setxSpeed(-4);
text.setForeColor(255, 255, 255, 255);
world.addGameObject(text);
addAlarm();
}
/**
* Maakt de spawners<SUF>*/
public void createSpawners() {
for (int i = 0; i < species.length; i++) {
spawners.add(new EnemySpawner(world, enemiesPerSecond / species.length, species[i]));
}
}
/**
* Stop met spawnen van enemies
*/
public void stopSpawning() {
Iterator<EnemySpawner> spawnersIterator = spawners.iterator();
while (spawnersIterator.hasNext()) {
spawnersIterator.next().stop();
}
}
/**
* @return of alle enemies in de wave gespawnt zijn
*/
public boolean allEnemiesSpawned() {
int totalEnemiesSpawned = 0;
for (EnemySpawner es: spawners) {
totalEnemiesSpawned += es.getEnemiesSpawned();
}
return totalEnemiesSpawned >= enemyCount;
}
/**
* @return of alle enemies in de wave dood zijn
*/
public boolean allEnemiesKilled() {
for(EnemySpawner es: spawners) {
if (!es.allEnemiesDead()) {
return false;
}
}
return true;
}
public void addAlarm() {
Alarm waveStart = new Alarm("Start wave", 5);
waveStart.addTarget(this);
waveStart.start();
}
public void triggerAlarm(String s) {
createSpawners();
world.deleteGameObject(text);
}
}
|
1616_4 | import nl.han.ica.oopg.alarm.Alarm;
import nl.han.ica.oopg.alarm.IAlarmListener;
import nl.han.ica.oopg.objects.TextObject;
import java.util.ArrayList;
import java.util.Iterator;
public class Wave implements IAlarmListener {
private ShooterApp world;
private int enemyCount;
private float enemiesPerSecond;
private Species[] species;
private ArrayList<EnemySpawner> spawners = new ArrayList<>();
private TextObject text;
private WeaponType weapon;
private Player player;
/**
* @param world huidige wereld
* @param player speler in de wave
* @param weapon wapen wat gebruikt wordt in de wave
* @param enemyCount hoeveelheid enemies
* @param enemiesPerSecond hoeveelheid enemies per seconde
* @param species array met soorten enemies
*/
public Wave(ShooterApp world, Player player, WeaponType weapon, int enemyCount, float enemiesPerSecond, Species[] species) {
this.world = world;
this.enemyCount = enemyCount;
this.enemiesPerSecond = enemiesPerSecond;
this.species = species;
this.weapon = weapon;
this.player = player;
}
/** Begint de wave
* @param waveCount welke wave het is
*/
public void start(int waveCount) {
player.setWeapon(weapon);
text = new TextObject("Wave " + waveCount, 60);
text.setX(world.getWidth());
text.setY(world.getHeight()/2);
text.setxSpeed(-4);
text.setForeColor(255, 255, 255, 255);
world.addGameObject(text);
addAlarm();
}
/**
* Maakt de spawners aan
*/
public void createSpawners() {
for (int i = 0; i < species.length; i++) {
spawners.add(new EnemySpawner(world, enemiesPerSecond / species.length, species[i]));
}
}
/**
* Stop met spawnen van enemies
*/
public void stopSpawning() {
Iterator<EnemySpawner> spawnersIterator = spawners.iterator();
while (spawnersIterator.hasNext()) {
spawnersIterator.next().stop();
}
}
/**
* @return of alle enemies in de wave gespawnt zijn
*/
public boolean allEnemiesSpawned() {
int totalEnemiesSpawned = 0;
for (EnemySpawner es: spawners) {
totalEnemiesSpawned += es.getEnemiesSpawned();
}
return totalEnemiesSpawned >= enemyCount;
}
/**
* @return of alle enemies in de wave dood zijn
*/
public boolean allEnemiesKilled() {
for(EnemySpawner es: spawners) {
if (!es.allEnemiesDead()) {
return false;
}
}
return true;
}
public void addAlarm() {
Alarm waveStart = new Alarm("Start wave", 5);
waveStart.addTarget(this);
waveStart.start();
}
public void triggerAlarm(String s) {
createSpawners();
world.deleteGameObject(text);
}
}
| ysbakker/2DShooter | src/Wave.java | 794 | /**
* @return of alle enemies in de wave gespawnt zijn
*/ | block_comment | nl | import nl.han.ica.oopg.alarm.Alarm;
import nl.han.ica.oopg.alarm.IAlarmListener;
import nl.han.ica.oopg.objects.TextObject;
import java.util.ArrayList;
import java.util.Iterator;
public class Wave implements IAlarmListener {
private ShooterApp world;
private int enemyCount;
private float enemiesPerSecond;
private Species[] species;
private ArrayList<EnemySpawner> spawners = new ArrayList<>();
private TextObject text;
private WeaponType weapon;
private Player player;
/**
* @param world huidige wereld
* @param player speler in de wave
* @param weapon wapen wat gebruikt wordt in de wave
* @param enemyCount hoeveelheid enemies
* @param enemiesPerSecond hoeveelheid enemies per seconde
* @param species array met soorten enemies
*/
public Wave(ShooterApp world, Player player, WeaponType weapon, int enemyCount, float enemiesPerSecond, Species[] species) {
this.world = world;
this.enemyCount = enemyCount;
this.enemiesPerSecond = enemiesPerSecond;
this.species = species;
this.weapon = weapon;
this.player = player;
}
/** Begint de wave
* @param waveCount welke wave het is
*/
public void start(int waveCount) {
player.setWeapon(weapon);
text = new TextObject("Wave " + waveCount, 60);
text.setX(world.getWidth());
text.setY(world.getHeight()/2);
text.setxSpeed(-4);
text.setForeColor(255, 255, 255, 255);
world.addGameObject(text);
addAlarm();
}
/**
* Maakt de spawners aan
*/
public void createSpawners() {
for (int i = 0; i < species.length; i++) {
spawners.add(new EnemySpawner(world, enemiesPerSecond / species.length, species[i]));
}
}
/**
* Stop met spawnen van enemies
*/
public void stopSpawning() {
Iterator<EnemySpawner> spawnersIterator = spawners.iterator();
while (spawnersIterator.hasNext()) {
spawnersIterator.next().stop();
}
}
/**
* @return of alle<SUF>*/
public boolean allEnemiesSpawned() {
int totalEnemiesSpawned = 0;
for (EnemySpawner es: spawners) {
totalEnemiesSpawned += es.getEnemiesSpawned();
}
return totalEnemiesSpawned >= enemyCount;
}
/**
* @return of alle enemies in de wave dood zijn
*/
public boolean allEnemiesKilled() {
for(EnemySpawner es: spawners) {
if (!es.allEnemiesDead()) {
return false;
}
}
return true;
}
public void addAlarm() {
Alarm waveStart = new Alarm("Start wave", 5);
waveStart.addTarget(this);
waveStart.start();
}
public void triggerAlarm(String s) {
createSpawners();
world.deleteGameObject(text);
}
}
|
1616_5 | import nl.han.ica.oopg.alarm.Alarm;
import nl.han.ica.oopg.alarm.IAlarmListener;
import nl.han.ica.oopg.objects.TextObject;
import java.util.ArrayList;
import java.util.Iterator;
public class Wave implements IAlarmListener {
private ShooterApp world;
private int enemyCount;
private float enemiesPerSecond;
private Species[] species;
private ArrayList<EnemySpawner> spawners = new ArrayList<>();
private TextObject text;
private WeaponType weapon;
private Player player;
/**
* @param world huidige wereld
* @param player speler in de wave
* @param weapon wapen wat gebruikt wordt in de wave
* @param enemyCount hoeveelheid enemies
* @param enemiesPerSecond hoeveelheid enemies per seconde
* @param species array met soorten enemies
*/
public Wave(ShooterApp world, Player player, WeaponType weapon, int enemyCount, float enemiesPerSecond, Species[] species) {
this.world = world;
this.enemyCount = enemyCount;
this.enemiesPerSecond = enemiesPerSecond;
this.species = species;
this.weapon = weapon;
this.player = player;
}
/** Begint de wave
* @param waveCount welke wave het is
*/
public void start(int waveCount) {
player.setWeapon(weapon);
text = new TextObject("Wave " + waveCount, 60);
text.setX(world.getWidth());
text.setY(world.getHeight()/2);
text.setxSpeed(-4);
text.setForeColor(255, 255, 255, 255);
world.addGameObject(text);
addAlarm();
}
/**
* Maakt de spawners aan
*/
public void createSpawners() {
for (int i = 0; i < species.length; i++) {
spawners.add(new EnemySpawner(world, enemiesPerSecond / species.length, species[i]));
}
}
/**
* Stop met spawnen van enemies
*/
public void stopSpawning() {
Iterator<EnemySpawner> spawnersIterator = spawners.iterator();
while (spawnersIterator.hasNext()) {
spawnersIterator.next().stop();
}
}
/**
* @return of alle enemies in de wave gespawnt zijn
*/
public boolean allEnemiesSpawned() {
int totalEnemiesSpawned = 0;
for (EnemySpawner es: spawners) {
totalEnemiesSpawned += es.getEnemiesSpawned();
}
return totalEnemiesSpawned >= enemyCount;
}
/**
* @return of alle enemies in de wave dood zijn
*/
public boolean allEnemiesKilled() {
for(EnemySpawner es: spawners) {
if (!es.allEnemiesDead()) {
return false;
}
}
return true;
}
public void addAlarm() {
Alarm waveStart = new Alarm("Start wave", 5);
waveStart.addTarget(this);
waveStart.start();
}
public void triggerAlarm(String s) {
createSpawners();
world.deleteGameObject(text);
}
}
| ysbakker/2DShooter | src/Wave.java | 794 | /**
* @return of alle enemies in de wave dood zijn
*/ | block_comment | nl | import nl.han.ica.oopg.alarm.Alarm;
import nl.han.ica.oopg.alarm.IAlarmListener;
import nl.han.ica.oopg.objects.TextObject;
import java.util.ArrayList;
import java.util.Iterator;
public class Wave implements IAlarmListener {
private ShooterApp world;
private int enemyCount;
private float enemiesPerSecond;
private Species[] species;
private ArrayList<EnemySpawner> spawners = new ArrayList<>();
private TextObject text;
private WeaponType weapon;
private Player player;
/**
* @param world huidige wereld
* @param player speler in de wave
* @param weapon wapen wat gebruikt wordt in de wave
* @param enemyCount hoeveelheid enemies
* @param enemiesPerSecond hoeveelheid enemies per seconde
* @param species array met soorten enemies
*/
public Wave(ShooterApp world, Player player, WeaponType weapon, int enemyCount, float enemiesPerSecond, Species[] species) {
this.world = world;
this.enemyCount = enemyCount;
this.enemiesPerSecond = enemiesPerSecond;
this.species = species;
this.weapon = weapon;
this.player = player;
}
/** Begint de wave
* @param waveCount welke wave het is
*/
public void start(int waveCount) {
player.setWeapon(weapon);
text = new TextObject("Wave " + waveCount, 60);
text.setX(world.getWidth());
text.setY(world.getHeight()/2);
text.setxSpeed(-4);
text.setForeColor(255, 255, 255, 255);
world.addGameObject(text);
addAlarm();
}
/**
* Maakt de spawners aan
*/
public void createSpawners() {
for (int i = 0; i < species.length; i++) {
spawners.add(new EnemySpawner(world, enemiesPerSecond / species.length, species[i]));
}
}
/**
* Stop met spawnen van enemies
*/
public void stopSpawning() {
Iterator<EnemySpawner> spawnersIterator = spawners.iterator();
while (spawnersIterator.hasNext()) {
spawnersIterator.next().stop();
}
}
/**
* @return of alle enemies in de wave gespawnt zijn
*/
public boolean allEnemiesSpawned() {
int totalEnemiesSpawned = 0;
for (EnemySpawner es: spawners) {
totalEnemiesSpawned += es.getEnemiesSpawned();
}
return totalEnemiesSpawned >= enemyCount;
}
/**
* @return of alle<SUF>*/
public boolean allEnemiesKilled() {
for(EnemySpawner es: spawners) {
if (!es.allEnemiesDead()) {
return false;
}
}
return true;
}
public void addAlarm() {
Alarm waveStart = new Alarm("Start wave", 5);
waveStart.addTarget(this);
waveStart.start();
}
public void triggerAlarm(String s) {
createSpawners();
world.deleteGameObject(text);
}
}
|
1617_0 | package state;
import java.util.Scanner;
/*
De klassen in deze package demonstreren de werking van het State pattern:
https://en.wikipedia.org/wiki/State_pattern
Het is een simulatie van een machine waar blikjes cola uit komen. Een blikje kost twee euro en de machine accepteert
munten van vijftig cent en van één euro. Elke keer dat iemand een muntje inwerpt, verandert de machine van status.
Hoe de machine reageert op een muntje, is afhankelijk van de status waarin deze zich op dat moment bevindt. Maar omdat
dat machine in elke status beide munten accepteert, moet voor elke status deze volledige interactie zijn gedefinieerd.
Dat wordt afgedwongen door de twee methoden in de State-interface. Elke State-klasse implementeert deze interface, dus
je kunt garanderen dat voor elke State deze interactie volledig is gedefinieerd. Zie het commentaar in de State-klasse.
Om het voorbeeld wat interactiever te maken, wordt gebruik gemaakt van een input-scanner.
*/
public class Demo {
public static void main(String[] args) {
ColaMachine machine = new ColaMachine();
System.out.println("Welkom bij de awesome cola-machine.");
System.out.println("Deze geweldige verfrissende drank nu voor slechts twee euro.");
System.out.println("Dit ding accepteert munten van €0,50 (50) en €1,00 (100)");
System.out.println("Gooi geld in:");
while (true) {
@SuppressWarnings("resource")
Scanner in = new Scanner(System.in);
in = new Scanner(System.in);
int foo = in.nextInt();
machine.insertMoney(foo);
}
}
}
| bart314/OOP3 | week3/state/Demo.java | 414 | /*
De klassen in deze package demonstreren de werking van het State pattern:
https://en.wikipedia.org/wiki/State_pattern
Het is een simulatie van een machine waar blikjes cola uit komen. Een blikje kost twee euro en de machine accepteert
munten van vijftig cent en van één euro. Elke keer dat iemand een muntje inwerpt, verandert de machine van status.
Hoe de machine reageert op een muntje, is afhankelijk van de status waarin deze zich op dat moment bevindt. Maar omdat
dat machine in elke status beide munten accepteert, moet voor elke status deze volledige interactie zijn gedefinieerd.
Dat wordt afgedwongen door de twee methoden in de State-interface. Elke State-klasse implementeert deze interface, dus
je kunt garanderen dat voor elke State deze interactie volledig is gedefinieerd. Zie het commentaar in de State-klasse.
Om het voorbeeld wat interactiever te maken, wordt gebruik gemaakt van een input-scanner.
*/ | block_comment | nl | package state;
import java.util.Scanner;
/*
De klassen in<SUF>*/
public class Demo {
public static void main(String[] args) {
ColaMachine machine = new ColaMachine();
System.out.println("Welkom bij de awesome cola-machine.");
System.out.println("Deze geweldige verfrissende drank nu voor slechts twee euro.");
System.out.println("Dit ding accepteert munten van €0,50 (50) en €1,00 (100)");
System.out.println("Gooi geld in:");
while (true) {
@SuppressWarnings("resource")
Scanner in = new Scanner(System.in);
in = new Scanner(System.in);
int foo = in.nextInt();
machine.insertMoney(foo);
}
}
}
|
1619_1 | /*
* Copyright (C) 2012-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.admin.monitoring;
import nl.b3p.mail.Mailer;
import java.text.SimpleDateFormat;
import java.util.*;
import javax.persistence.EntityManager;
import nl.b3p.viewer.config.security.Group;
import nl.b3p.viewer.config.security.User;
import nl.b3p.viewer.config.services.GeoService;
import org.apache.commons.logging.Log;
import org.apache.commons.logging.LogFactory;
import org.quartz.*;
import org.stripesstuff.stripersist.Stripersist;
/**
*
* @author Matthijs Laan
*/
public class MonitorJob implements Job, InterruptableJob {
private static final Log log = LogFactory.getLog(MonitorJob.class);
private boolean interrupted = false;
public void interrupt() throws UnableToInterruptJobException {
log.info("Setting interrupt flag");
interrupted = true;
}
private boolean isInterrupted() {
return interrupted;
}
public void execute(JobExecutionContext jec) throws JobExecutionException {
try {
Stripersist.requestInit();
EntityManager em = Stripersist.getEntityManager();
StringBuilder monitoringFailures = new StringBuilder();
int online = 0, offline = 0;
// TODO: where monitoringEnabled = true...
for(GeoService gs: (List<GeoService>)em.createQuery("from GeoService").getResultList()) {
String debugMsg = String.format("%s service %s (#%d) with URL: %s",
gs.getProtocol(),
gs.getName(),
gs.getId(),
gs.getUrl()
);
try {
if(isInterrupted()) {
log.info("Interrupted, ending monitoring job");
return;
}
gs.checkOnline(em);
online++;
gs.setMonitoringStatusOK(true);
log.debug("ONLINE: " + debugMsg);
} catch(Exception e) {
gs.setMonitoringStatusOK(false);
offline++;
log.debug("OFFLINE: " + debugMsg);
if(log.isTraceEnabled()) {
log.trace("Exception", e);
}
String message = e.toString();
Throwable cause = e.getCause();
while(cause != null) {
message += "; " + cause.toString();
cause = cause.getCause();
}
monitoringFailures.append(String.format("%s service %s (#%d)\nURL: %s\nFout: %s\n\n",
gs.getProtocol(),
gs.getName(),
gs.getId(),
gs.getUrl(),
message));
}
}
em.getTransaction().commit();
log.info(String.format("Total services %d, online: %d, offline: %d, runtime: %d s",
online+offline,
online,
offline,
jec.getJobRunTime() / 1000));
if(offline > 0) {
Set emails = new HashSet();
for(User admin: (List<User>)em.createQuery("select u from User u "
+ "join u.groups g "
+ "where g.name = '" + Group.SERVICE_ADMIN + "' ").getResultList()) {
emails.add(admin.getDetails().get(User.DETAIL_EMAIL));
}
emails.remove(null);
if(!emails.isEmpty()) {
StringBuilder mail = new StringBuilder();
SimpleDateFormat f = new SimpleDateFormat("dd-MM-yyy HH:mm:ss");
mail.append(String.format("Bij een controle op %s zijn in het gegevensregister %d services gevonden waarbij fouten zijn geconstateerd.\n"
+ "\nDe volgende controle zal worden uitgevoerd op %s.\nHieronder staat de lijst met probleemservices:\n\n",
f.format(jec.getFireTime()),
offline,
f.format(jec.getNextFireTime())));
mail.append(monitoringFailures);
mail(jec, emails, offline + " services zijn offline bij controle", mail.toString());
}
}
} catch(Exception e) {
log.error("Error", e);
} finally {
Stripersist.requestComplete();
}
}
private void mail(JobExecutionContext jec, Set emails, String subject, String mail) {
try {
log.info("Sending mail to service admins: " + Arrays.toString(emails.toArray()));
for(String email: (Set<String>)emails) {
if(isInterrupted()) {
log.info("Interrupted, ending monitoring job");
return;
}
try {
Mailer.sendMail(
(String)jec.getJobDetail().getJobDataMap().get("from.name"),
(String)jec.getJobDetail().getJobDataMap().get("from.email"),
email, subject, mail);
} catch(Exception e) {
log.error("Error sending mail to service admin " + email, e);
}
}
} catch(Exception e) {
log.error("Error sending mail to service admins", e);
}
}
}
| B3Partners/tailormap | viewer-admin/src/main/java/nl/b3p/viewer/admin/monitoring/MonitorJob.java | 1,449 | /**
*
* @author Matthijs Laan
*/ | block_comment | nl | /*
* Copyright (C) 2012-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.admin.monitoring;
import nl.b3p.mail.Mailer;
import java.text.SimpleDateFormat;
import java.util.*;
import javax.persistence.EntityManager;
import nl.b3p.viewer.config.security.Group;
import nl.b3p.viewer.config.security.User;
import nl.b3p.viewer.config.services.GeoService;
import org.apache.commons.logging.Log;
import org.apache.commons.logging.LogFactory;
import org.quartz.*;
import org.stripesstuff.stripersist.Stripersist;
/**
*
* @author Matthijs Laan<SUF>*/
public class MonitorJob implements Job, InterruptableJob {
private static final Log log = LogFactory.getLog(MonitorJob.class);
private boolean interrupted = false;
public void interrupt() throws UnableToInterruptJobException {
log.info("Setting interrupt flag");
interrupted = true;
}
private boolean isInterrupted() {
return interrupted;
}
public void execute(JobExecutionContext jec) throws JobExecutionException {
try {
Stripersist.requestInit();
EntityManager em = Stripersist.getEntityManager();
StringBuilder monitoringFailures = new StringBuilder();
int online = 0, offline = 0;
// TODO: where monitoringEnabled = true...
for(GeoService gs: (List<GeoService>)em.createQuery("from GeoService").getResultList()) {
String debugMsg = String.format("%s service %s (#%d) with URL: %s",
gs.getProtocol(),
gs.getName(),
gs.getId(),
gs.getUrl()
);
try {
if(isInterrupted()) {
log.info("Interrupted, ending monitoring job");
return;
}
gs.checkOnline(em);
online++;
gs.setMonitoringStatusOK(true);
log.debug("ONLINE: " + debugMsg);
} catch(Exception e) {
gs.setMonitoringStatusOK(false);
offline++;
log.debug("OFFLINE: " + debugMsg);
if(log.isTraceEnabled()) {
log.trace("Exception", e);
}
String message = e.toString();
Throwable cause = e.getCause();
while(cause != null) {
message += "; " + cause.toString();
cause = cause.getCause();
}
monitoringFailures.append(String.format("%s service %s (#%d)\nURL: %s\nFout: %s\n\n",
gs.getProtocol(),
gs.getName(),
gs.getId(),
gs.getUrl(),
message));
}
}
em.getTransaction().commit();
log.info(String.format("Total services %d, online: %d, offline: %d, runtime: %d s",
online+offline,
online,
offline,
jec.getJobRunTime() / 1000));
if(offline > 0) {
Set emails = new HashSet();
for(User admin: (List<User>)em.createQuery("select u from User u "
+ "join u.groups g "
+ "where g.name = '" + Group.SERVICE_ADMIN + "' ").getResultList()) {
emails.add(admin.getDetails().get(User.DETAIL_EMAIL));
}
emails.remove(null);
if(!emails.isEmpty()) {
StringBuilder mail = new StringBuilder();
SimpleDateFormat f = new SimpleDateFormat("dd-MM-yyy HH:mm:ss");
mail.append(String.format("Bij een controle op %s zijn in het gegevensregister %d services gevonden waarbij fouten zijn geconstateerd.\n"
+ "\nDe volgende controle zal worden uitgevoerd op %s.\nHieronder staat de lijst met probleemservices:\n\n",
f.format(jec.getFireTime()),
offline,
f.format(jec.getNextFireTime())));
mail.append(monitoringFailures);
mail(jec, emails, offline + " services zijn offline bij controle", mail.toString());
}
}
} catch(Exception e) {
log.error("Error", e);
} finally {
Stripersist.requestComplete();
}
}
private void mail(JobExecutionContext jec, Set emails, String subject, String mail) {
try {
log.info("Sending mail to service admins: " + Arrays.toString(emails.toArray()));
for(String email: (Set<String>)emails) {
if(isInterrupted()) {
log.info("Interrupted, ending monitoring job");
return;
}
try {
Mailer.sendMail(
(String)jec.getJobDetail().getJobDataMap().get("from.name"),
(String)jec.getJobDetail().getJobDataMap().get("from.email"),
email, subject, mail);
} catch(Exception e) {
log.error("Error sending mail to service admin " + email, e);
}
}
} catch(Exception e) {
log.error("Error sending mail to service admins", e);
}
}
}
|
1621_0 | package plugins.forum;
import java.util.ArrayList;
import java.util.List;
public class Help
{
public List<Question> questionList = new ArrayList<Question>();
public Help()
{
questionList.add(new Question("ProdNA",
"Ik kan een product niet vinden",
"Dat kan kloppen, maar het kan ook zijn dat het product waarnaar je zoekt onder een andere naam " +
"beschikbaar is. Bijvoorbeeld, een <B>boterham</B> kun je vinden onder <B><I>Broodje</I></B>. " +
"Van <B>thee</B> zijn voorlopig alleen nog <B><I>Kruidenthee, Pepermuntthee en Vruchtenthee</I></B> beschikbaar. " +
"<P ALIGN=\"justify\">We zijn van plan om de Voedingsdagboek-database op te schonen en zullen het je laten weten als het zover is. " +
"Maar we richten ons eerst op het uitbreiden van de website.</P>"));
// questionList.add(new Question("Amount",
// "Hoe kan ik de hoeveelheid van een consumptie aanpasssen?",
// "Je kan de hoeveelheid van een consumptie als volgt wijzigen. " +
// "Selecteer de consumptie en voer de gewenste hoeveelheid in. " +
// "Hierbij kun je kiezen of je de hoeveelheid aangeeft in porties of in grammen. Als je niets aangeeft dan gaan we uit van 1 portie. " +
// "Klik nu op toevoegen om de hoeveelheid van de geselecteerde consumptie aan te passen."));
}
}
| molgenis/molgenis-app-autobetes | TODO/handwritten/java/plugins/forum/Help.java | 394 | // "Hoe kan ik de hoeveelheid van een consumptie aanpasssen?", | line_comment | nl | package plugins.forum;
import java.util.ArrayList;
import java.util.List;
public class Help
{
public List<Question> questionList = new ArrayList<Question>();
public Help()
{
questionList.add(new Question("ProdNA",
"Ik kan een product niet vinden",
"Dat kan kloppen, maar het kan ook zijn dat het product waarnaar je zoekt onder een andere naam " +
"beschikbaar is. Bijvoorbeeld, een <B>boterham</B> kun je vinden onder <B><I>Broodje</I></B>. " +
"Van <B>thee</B> zijn voorlopig alleen nog <B><I>Kruidenthee, Pepermuntthee en Vruchtenthee</I></B> beschikbaar. " +
"<P ALIGN=\"justify\">We zijn van plan om de Voedingsdagboek-database op te schonen en zullen het je laten weten als het zover is. " +
"Maar we richten ons eerst op het uitbreiden van de website.</P>"));
// questionList.add(new Question("Amount",
// "Hoe kan<SUF>
// "Je kan de hoeveelheid van een consumptie als volgt wijzigen. " +
// "Selecteer de consumptie en voer de gewenste hoeveelheid in. " +
// "Hierbij kun je kiezen of je de hoeveelheid aangeeft in porties of in grammen. Als je niets aangeeft dan gaan we uit van 1 portie. " +
// "Klik nu op toevoegen om de hoeveelheid van de geselecteerde consumptie aan te passen."));
}
}
|
1621_1 | package plugins.forum;
import java.util.ArrayList;
import java.util.List;
public class Help
{
public List<Question> questionList = new ArrayList<Question>();
public Help()
{
questionList.add(new Question("ProdNA",
"Ik kan een product niet vinden",
"Dat kan kloppen, maar het kan ook zijn dat het product waarnaar je zoekt onder een andere naam " +
"beschikbaar is. Bijvoorbeeld, een <B>boterham</B> kun je vinden onder <B><I>Broodje</I></B>. " +
"Van <B>thee</B> zijn voorlopig alleen nog <B><I>Kruidenthee, Pepermuntthee en Vruchtenthee</I></B> beschikbaar. " +
"<P ALIGN=\"justify\">We zijn van plan om de Voedingsdagboek-database op te schonen en zullen het je laten weten als het zover is. " +
"Maar we richten ons eerst op het uitbreiden van de website.</P>"));
// questionList.add(new Question("Amount",
// "Hoe kan ik de hoeveelheid van een consumptie aanpasssen?",
// "Je kan de hoeveelheid van een consumptie als volgt wijzigen. " +
// "Selecteer de consumptie en voer de gewenste hoeveelheid in. " +
// "Hierbij kun je kiezen of je de hoeveelheid aangeeft in porties of in grammen. Als je niets aangeeft dan gaan we uit van 1 portie. " +
// "Klik nu op toevoegen om de hoeveelheid van de geselecteerde consumptie aan te passen."));
}
}
| molgenis/molgenis-app-autobetes | TODO/handwritten/java/plugins/forum/Help.java | 394 | // "Je kan de hoeveelheid van een consumptie als volgt wijzigen. " + | line_comment | nl | package plugins.forum;
import java.util.ArrayList;
import java.util.List;
public class Help
{
public List<Question> questionList = new ArrayList<Question>();
public Help()
{
questionList.add(new Question("ProdNA",
"Ik kan een product niet vinden",
"Dat kan kloppen, maar het kan ook zijn dat het product waarnaar je zoekt onder een andere naam " +
"beschikbaar is. Bijvoorbeeld, een <B>boterham</B> kun je vinden onder <B><I>Broodje</I></B>. " +
"Van <B>thee</B> zijn voorlopig alleen nog <B><I>Kruidenthee, Pepermuntthee en Vruchtenthee</I></B> beschikbaar. " +
"<P ALIGN=\"justify\">We zijn van plan om de Voedingsdagboek-database op te schonen en zullen het je laten weten als het zover is. " +
"Maar we richten ons eerst op het uitbreiden van de website.</P>"));
// questionList.add(new Question("Amount",
// "Hoe kan ik de hoeveelheid van een consumptie aanpasssen?",
// "Je kan<SUF>
// "Selecteer de consumptie en voer de gewenste hoeveelheid in. " +
// "Hierbij kun je kiezen of je de hoeveelheid aangeeft in porties of in grammen. Als je niets aangeeft dan gaan we uit van 1 portie. " +
// "Klik nu op toevoegen om de hoeveelheid van de geselecteerde consumptie aan te passen."));
}
}
|
1621_2 | package plugins.forum;
import java.util.ArrayList;
import java.util.List;
public class Help
{
public List<Question> questionList = new ArrayList<Question>();
public Help()
{
questionList.add(new Question("ProdNA",
"Ik kan een product niet vinden",
"Dat kan kloppen, maar het kan ook zijn dat het product waarnaar je zoekt onder een andere naam " +
"beschikbaar is. Bijvoorbeeld, een <B>boterham</B> kun je vinden onder <B><I>Broodje</I></B>. " +
"Van <B>thee</B> zijn voorlopig alleen nog <B><I>Kruidenthee, Pepermuntthee en Vruchtenthee</I></B> beschikbaar. " +
"<P ALIGN=\"justify\">We zijn van plan om de Voedingsdagboek-database op te schonen en zullen het je laten weten als het zover is. " +
"Maar we richten ons eerst op het uitbreiden van de website.</P>"));
// questionList.add(new Question("Amount",
// "Hoe kan ik de hoeveelheid van een consumptie aanpasssen?",
// "Je kan de hoeveelheid van een consumptie als volgt wijzigen. " +
// "Selecteer de consumptie en voer de gewenste hoeveelheid in. " +
// "Hierbij kun je kiezen of je de hoeveelheid aangeeft in porties of in grammen. Als je niets aangeeft dan gaan we uit van 1 portie. " +
// "Klik nu op toevoegen om de hoeveelheid van de geselecteerde consumptie aan te passen."));
}
}
| molgenis/molgenis-app-autobetes | TODO/handwritten/java/plugins/forum/Help.java | 394 | // "Selecteer de consumptie en voer de gewenste hoeveelheid in. " + | line_comment | nl | package plugins.forum;
import java.util.ArrayList;
import java.util.List;
public class Help
{
public List<Question> questionList = new ArrayList<Question>();
public Help()
{
questionList.add(new Question("ProdNA",
"Ik kan een product niet vinden",
"Dat kan kloppen, maar het kan ook zijn dat het product waarnaar je zoekt onder een andere naam " +
"beschikbaar is. Bijvoorbeeld, een <B>boterham</B> kun je vinden onder <B><I>Broodje</I></B>. " +
"Van <B>thee</B> zijn voorlopig alleen nog <B><I>Kruidenthee, Pepermuntthee en Vruchtenthee</I></B> beschikbaar. " +
"<P ALIGN=\"justify\">We zijn van plan om de Voedingsdagboek-database op te schonen en zullen het je laten weten als het zover is. " +
"Maar we richten ons eerst op het uitbreiden van de website.</P>"));
// questionList.add(new Question("Amount",
// "Hoe kan ik de hoeveelheid van een consumptie aanpasssen?",
// "Je kan de hoeveelheid van een consumptie als volgt wijzigen. " +
// "Selecteer de<SUF>
// "Hierbij kun je kiezen of je de hoeveelheid aangeeft in porties of in grammen. Als je niets aangeeft dan gaan we uit van 1 portie. " +
// "Klik nu op toevoegen om de hoeveelheid van de geselecteerde consumptie aan te passen."));
}
}
|
1621_3 | package plugins.forum;
import java.util.ArrayList;
import java.util.List;
public class Help
{
public List<Question> questionList = new ArrayList<Question>();
public Help()
{
questionList.add(new Question("ProdNA",
"Ik kan een product niet vinden",
"Dat kan kloppen, maar het kan ook zijn dat het product waarnaar je zoekt onder een andere naam " +
"beschikbaar is. Bijvoorbeeld, een <B>boterham</B> kun je vinden onder <B><I>Broodje</I></B>. " +
"Van <B>thee</B> zijn voorlopig alleen nog <B><I>Kruidenthee, Pepermuntthee en Vruchtenthee</I></B> beschikbaar. " +
"<P ALIGN=\"justify\">We zijn van plan om de Voedingsdagboek-database op te schonen en zullen het je laten weten als het zover is. " +
"Maar we richten ons eerst op het uitbreiden van de website.</P>"));
// questionList.add(new Question("Amount",
// "Hoe kan ik de hoeveelheid van een consumptie aanpasssen?",
// "Je kan de hoeveelheid van een consumptie als volgt wijzigen. " +
// "Selecteer de consumptie en voer de gewenste hoeveelheid in. " +
// "Hierbij kun je kiezen of je de hoeveelheid aangeeft in porties of in grammen. Als je niets aangeeft dan gaan we uit van 1 portie. " +
// "Klik nu op toevoegen om de hoeveelheid van de geselecteerde consumptie aan te passen."));
}
}
| molgenis/molgenis-app-autobetes | TODO/handwritten/java/plugins/forum/Help.java | 394 | // "Hierbij kun je kiezen of je de hoeveelheid aangeeft in porties of in grammen. Als je niets aangeeft dan gaan we uit van 1 portie. " + | line_comment | nl | package plugins.forum;
import java.util.ArrayList;
import java.util.List;
public class Help
{
public List<Question> questionList = new ArrayList<Question>();
public Help()
{
questionList.add(new Question("ProdNA",
"Ik kan een product niet vinden",
"Dat kan kloppen, maar het kan ook zijn dat het product waarnaar je zoekt onder een andere naam " +
"beschikbaar is. Bijvoorbeeld, een <B>boterham</B> kun je vinden onder <B><I>Broodje</I></B>. " +
"Van <B>thee</B> zijn voorlopig alleen nog <B><I>Kruidenthee, Pepermuntthee en Vruchtenthee</I></B> beschikbaar. " +
"<P ALIGN=\"justify\">We zijn van plan om de Voedingsdagboek-database op te schonen en zullen het je laten weten als het zover is. " +
"Maar we richten ons eerst op het uitbreiden van de website.</P>"));
// questionList.add(new Question("Amount",
// "Hoe kan ik de hoeveelheid van een consumptie aanpasssen?",
// "Je kan de hoeveelheid van een consumptie als volgt wijzigen. " +
// "Selecteer de consumptie en voer de gewenste hoeveelheid in. " +
// "Hierbij kun<SUF>
// "Klik nu op toevoegen om de hoeveelheid van de geselecteerde consumptie aan te passen."));
}
}
|
1621_4 | package plugins.forum;
import java.util.ArrayList;
import java.util.List;
public class Help
{
public List<Question> questionList = new ArrayList<Question>();
public Help()
{
questionList.add(new Question("ProdNA",
"Ik kan een product niet vinden",
"Dat kan kloppen, maar het kan ook zijn dat het product waarnaar je zoekt onder een andere naam " +
"beschikbaar is. Bijvoorbeeld, een <B>boterham</B> kun je vinden onder <B><I>Broodje</I></B>. " +
"Van <B>thee</B> zijn voorlopig alleen nog <B><I>Kruidenthee, Pepermuntthee en Vruchtenthee</I></B> beschikbaar. " +
"<P ALIGN=\"justify\">We zijn van plan om de Voedingsdagboek-database op te schonen en zullen het je laten weten als het zover is. " +
"Maar we richten ons eerst op het uitbreiden van de website.</P>"));
// questionList.add(new Question("Amount",
// "Hoe kan ik de hoeveelheid van een consumptie aanpasssen?",
// "Je kan de hoeveelheid van een consumptie als volgt wijzigen. " +
// "Selecteer de consumptie en voer de gewenste hoeveelheid in. " +
// "Hierbij kun je kiezen of je de hoeveelheid aangeeft in porties of in grammen. Als je niets aangeeft dan gaan we uit van 1 portie. " +
// "Klik nu op toevoegen om de hoeveelheid van de geselecteerde consumptie aan te passen."));
}
}
| molgenis/molgenis-app-autobetes | TODO/handwritten/java/plugins/forum/Help.java | 394 | // "Klik nu op toevoegen om de hoeveelheid van de geselecteerde consumptie aan te passen.")); | line_comment | nl | package plugins.forum;
import java.util.ArrayList;
import java.util.List;
public class Help
{
public List<Question> questionList = new ArrayList<Question>();
public Help()
{
questionList.add(new Question("ProdNA",
"Ik kan een product niet vinden",
"Dat kan kloppen, maar het kan ook zijn dat het product waarnaar je zoekt onder een andere naam " +
"beschikbaar is. Bijvoorbeeld, een <B>boterham</B> kun je vinden onder <B><I>Broodje</I></B>. " +
"Van <B>thee</B> zijn voorlopig alleen nog <B><I>Kruidenthee, Pepermuntthee en Vruchtenthee</I></B> beschikbaar. " +
"<P ALIGN=\"justify\">We zijn van plan om de Voedingsdagboek-database op te schonen en zullen het je laten weten als het zover is. " +
"Maar we richten ons eerst op het uitbreiden van de website.</P>"));
// questionList.add(new Question("Amount",
// "Hoe kan ik de hoeveelheid van een consumptie aanpasssen?",
// "Je kan de hoeveelheid van een consumptie als volgt wijzigen. " +
// "Selecteer de consumptie en voer de gewenste hoeveelheid in. " +
// "Hierbij kun je kiezen of je de hoeveelheid aangeeft in porties of in grammen. Als je niets aangeeft dan gaan we uit van 1 portie. " +
// "Klik nu<SUF>
}
}
|
1623_0 | package oefening2;
import java.util.Date;
import java.util.Calendar;
/**
* Werkcollege 4, oefening 2 Een Message is de basisklasse van een bericht aan
* de valven postdatum en uiterste datum worden voorzien, plus een manier om
* berichten te kunnen lezen
* @author Ruben Dejonckheere
*/
public abstract class Message {
/**
* postdatum is final omdat deze slechts 1 maal mag worden vastgelegd
* namelijk bij de creatie
*/
private final Date postdatum;
private Persoon persoon;
protected Date uiterste;
protected Message() {
postdatum = Calendar.getInstance().getTime();
}
protected Message(Date arguiterste, Persoon issuer) {
this();
setPersoon(issuer);
uiterste = arguiterste;
}
public Persoon getPersoon() {
return persoon;
}
public void setPersoon(Persoon persoon) {
this.persoon = persoon;
}
/**
* Deze methode mag niet de echte pointer naar het Date object van postdatum
* teruggeven, vandaar de clone
*
* @return een kopie van de postdatum
*/
public Date getPostdatum() {
return (Date) postdatum.clone();
}
/**
* We maken hier een Object return type van, omdat nu nog absoluut niet
* duidelijk is wat het return type van een message zou kunnen zijn.
*
* @return de inhoud van het bericht, als java.lang.Object
*/
public abstract Object read();
}
| EHB-TI/Programming-Essentials-2 | Werkcollege4/src/oefening2/Message.java | 386 | /**
* Werkcollege 4, oefening 2 Een Message is de basisklasse van een bericht aan
* de valven postdatum en uiterste datum worden voorzien, plus een manier om
* berichten te kunnen lezen
* @author Ruben Dejonckheere
*/ | block_comment | nl | package oefening2;
import java.util.Date;
import java.util.Calendar;
/**
* Werkcollege 4, oefening<SUF>*/
public abstract class Message {
/**
* postdatum is final omdat deze slechts 1 maal mag worden vastgelegd
* namelijk bij de creatie
*/
private final Date postdatum;
private Persoon persoon;
protected Date uiterste;
protected Message() {
postdatum = Calendar.getInstance().getTime();
}
protected Message(Date arguiterste, Persoon issuer) {
this();
setPersoon(issuer);
uiterste = arguiterste;
}
public Persoon getPersoon() {
return persoon;
}
public void setPersoon(Persoon persoon) {
this.persoon = persoon;
}
/**
* Deze methode mag niet de echte pointer naar het Date object van postdatum
* teruggeven, vandaar de clone
*
* @return een kopie van de postdatum
*/
public Date getPostdatum() {
return (Date) postdatum.clone();
}
/**
* We maken hier een Object return type van, omdat nu nog absoluut niet
* duidelijk is wat het return type van een message zou kunnen zijn.
*
* @return de inhoud van het bericht, als java.lang.Object
*/
public abstract Object read();
}
|
1623_1 | package oefening2;
import java.util.Date;
import java.util.Calendar;
/**
* Werkcollege 4, oefening 2 Een Message is de basisklasse van een bericht aan
* de valven postdatum en uiterste datum worden voorzien, plus een manier om
* berichten te kunnen lezen
* @author Ruben Dejonckheere
*/
public abstract class Message {
/**
* postdatum is final omdat deze slechts 1 maal mag worden vastgelegd
* namelijk bij de creatie
*/
private final Date postdatum;
private Persoon persoon;
protected Date uiterste;
protected Message() {
postdatum = Calendar.getInstance().getTime();
}
protected Message(Date arguiterste, Persoon issuer) {
this();
setPersoon(issuer);
uiterste = arguiterste;
}
public Persoon getPersoon() {
return persoon;
}
public void setPersoon(Persoon persoon) {
this.persoon = persoon;
}
/**
* Deze methode mag niet de echte pointer naar het Date object van postdatum
* teruggeven, vandaar de clone
*
* @return een kopie van de postdatum
*/
public Date getPostdatum() {
return (Date) postdatum.clone();
}
/**
* We maken hier een Object return type van, omdat nu nog absoluut niet
* duidelijk is wat het return type van een message zou kunnen zijn.
*
* @return de inhoud van het bericht, als java.lang.Object
*/
public abstract Object read();
}
| EHB-TI/Programming-Essentials-2 | Werkcollege4/src/oefening2/Message.java | 386 | /**
* postdatum is final omdat deze slechts 1 maal mag worden vastgelegd
* namelijk bij de creatie
*/ | block_comment | nl | package oefening2;
import java.util.Date;
import java.util.Calendar;
/**
* Werkcollege 4, oefening 2 Een Message is de basisklasse van een bericht aan
* de valven postdatum en uiterste datum worden voorzien, plus een manier om
* berichten te kunnen lezen
* @author Ruben Dejonckheere
*/
public abstract class Message {
/**
* postdatum is final<SUF>*/
private final Date postdatum;
private Persoon persoon;
protected Date uiterste;
protected Message() {
postdatum = Calendar.getInstance().getTime();
}
protected Message(Date arguiterste, Persoon issuer) {
this();
setPersoon(issuer);
uiterste = arguiterste;
}
public Persoon getPersoon() {
return persoon;
}
public void setPersoon(Persoon persoon) {
this.persoon = persoon;
}
/**
* Deze methode mag niet de echte pointer naar het Date object van postdatum
* teruggeven, vandaar de clone
*
* @return een kopie van de postdatum
*/
public Date getPostdatum() {
return (Date) postdatum.clone();
}
/**
* We maken hier een Object return type van, omdat nu nog absoluut niet
* duidelijk is wat het return type van een message zou kunnen zijn.
*
* @return de inhoud van het bericht, als java.lang.Object
*/
public abstract Object read();
}
|
1623_2 | package oefening2;
import java.util.Date;
import java.util.Calendar;
/**
* Werkcollege 4, oefening 2 Een Message is de basisklasse van een bericht aan
* de valven postdatum en uiterste datum worden voorzien, plus een manier om
* berichten te kunnen lezen
* @author Ruben Dejonckheere
*/
public abstract class Message {
/**
* postdatum is final omdat deze slechts 1 maal mag worden vastgelegd
* namelijk bij de creatie
*/
private final Date postdatum;
private Persoon persoon;
protected Date uiterste;
protected Message() {
postdatum = Calendar.getInstance().getTime();
}
protected Message(Date arguiterste, Persoon issuer) {
this();
setPersoon(issuer);
uiterste = arguiterste;
}
public Persoon getPersoon() {
return persoon;
}
public void setPersoon(Persoon persoon) {
this.persoon = persoon;
}
/**
* Deze methode mag niet de echte pointer naar het Date object van postdatum
* teruggeven, vandaar de clone
*
* @return een kopie van de postdatum
*/
public Date getPostdatum() {
return (Date) postdatum.clone();
}
/**
* We maken hier een Object return type van, omdat nu nog absoluut niet
* duidelijk is wat het return type van een message zou kunnen zijn.
*
* @return de inhoud van het bericht, als java.lang.Object
*/
public abstract Object read();
}
| EHB-TI/Programming-Essentials-2 | Werkcollege4/src/oefening2/Message.java | 386 | /**
* Deze methode mag niet de echte pointer naar het Date object van postdatum
* teruggeven, vandaar de clone
*
* @return een kopie van de postdatum
*/ | block_comment | nl | package oefening2;
import java.util.Date;
import java.util.Calendar;
/**
* Werkcollege 4, oefening 2 Een Message is de basisklasse van een bericht aan
* de valven postdatum en uiterste datum worden voorzien, plus een manier om
* berichten te kunnen lezen
* @author Ruben Dejonckheere
*/
public abstract class Message {
/**
* postdatum is final omdat deze slechts 1 maal mag worden vastgelegd
* namelijk bij de creatie
*/
private final Date postdatum;
private Persoon persoon;
protected Date uiterste;
protected Message() {
postdatum = Calendar.getInstance().getTime();
}
protected Message(Date arguiterste, Persoon issuer) {
this();
setPersoon(issuer);
uiterste = arguiterste;
}
public Persoon getPersoon() {
return persoon;
}
public void setPersoon(Persoon persoon) {
this.persoon = persoon;
}
/**
* Deze methode mag<SUF>*/
public Date getPostdatum() {
return (Date) postdatum.clone();
}
/**
* We maken hier een Object return type van, omdat nu nog absoluut niet
* duidelijk is wat het return type van een message zou kunnen zijn.
*
* @return de inhoud van het bericht, als java.lang.Object
*/
public abstract Object read();
}
|
1623_3 | package oefening2;
import java.util.Date;
import java.util.Calendar;
/**
* Werkcollege 4, oefening 2 Een Message is de basisklasse van een bericht aan
* de valven postdatum en uiterste datum worden voorzien, plus een manier om
* berichten te kunnen lezen
* @author Ruben Dejonckheere
*/
public abstract class Message {
/**
* postdatum is final omdat deze slechts 1 maal mag worden vastgelegd
* namelijk bij de creatie
*/
private final Date postdatum;
private Persoon persoon;
protected Date uiterste;
protected Message() {
postdatum = Calendar.getInstance().getTime();
}
protected Message(Date arguiterste, Persoon issuer) {
this();
setPersoon(issuer);
uiterste = arguiterste;
}
public Persoon getPersoon() {
return persoon;
}
public void setPersoon(Persoon persoon) {
this.persoon = persoon;
}
/**
* Deze methode mag niet de echte pointer naar het Date object van postdatum
* teruggeven, vandaar de clone
*
* @return een kopie van de postdatum
*/
public Date getPostdatum() {
return (Date) postdatum.clone();
}
/**
* We maken hier een Object return type van, omdat nu nog absoluut niet
* duidelijk is wat het return type van een message zou kunnen zijn.
*
* @return de inhoud van het bericht, als java.lang.Object
*/
public abstract Object read();
}
| EHB-TI/Programming-Essentials-2 | Werkcollege4/src/oefening2/Message.java | 386 | /**
* We maken hier een Object return type van, omdat nu nog absoluut niet
* duidelijk is wat het return type van een message zou kunnen zijn.
*
* @return de inhoud van het bericht, als java.lang.Object
*/ | block_comment | nl | package oefening2;
import java.util.Date;
import java.util.Calendar;
/**
* Werkcollege 4, oefening 2 Een Message is de basisklasse van een bericht aan
* de valven postdatum en uiterste datum worden voorzien, plus een manier om
* berichten te kunnen lezen
* @author Ruben Dejonckheere
*/
public abstract class Message {
/**
* postdatum is final omdat deze slechts 1 maal mag worden vastgelegd
* namelijk bij de creatie
*/
private final Date postdatum;
private Persoon persoon;
protected Date uiterste;
protected Message() {
postdatum = Calendar.getInstance().getTime();
}
protected Message(Date arguiterste, Persoon issuer) {
this();
setPersoon(issuer);
uiterste = arguiterste;
}
public Persoon getPersoon() {
return persoon;
}
public void setPersoon(Persoon persoon) {
this.persoon = persoon;
}
/**
* Deze methode mag niet de echte pointer naar het Date object van postdatum
* teruggeven, vandaar de clone
*
* @return een kopie van de postdatum
*/
public Date getPostdatum() {
return (Date) postdatum.clone();
}
/**
* We maken hier<SUF>*/
public abstract Object read();
}
|
1625_3 | /**
* Created by Sneeuwpopsneeuw on 12-Apr-16.
*/
public class Problem007_10001stPrime {
public static void main (String args[]) {
magic();
}
public static void magic() {
long max = 999999999; // if it goes wrong it will stop here
int m = 1; // number
int counter = 0; // amount of counters
for (int i = 2; i <= max; i++) { // bijna infinite loop met build in stop
counter = 0;
for (int n = 2; n < i; n++)
if (i % n == 0)
counter++;
if (counter == 0) { // dit is een prime
System.out.println(m+" : "+i);
m++;
}
if (m == (10001 + 1)) { // als we bij de nummertje 10001 zijn geef het antwoord
System.out.println("Answere = " + i);
break;
}
}
}
}
/*
By listing the first six prime numbers: 2, 3, 5, 7, 11, and 13, we can see that the 6^th prime is 13.
What is the 10001^st prime number?
*/ | timostrating/ProjectEuler | java/Problem007_10001stPrime.java | 348 | // bijna infinite loop met build in stop | line_comment | nl | /**
* Created by Sneeuwpopsneeuw on 12-Apr-16.
*/
public class Problem007_10001stPrime {
public static void main (String args[]) {
magic();
}
public static void magic() {
long max = 999999999; // if it goes wrong it will stop here
int m = 1; // number
int counter = 0; // amount of counters
for (int i = 2; i <= max; i++) { // bijna infinite<SUF>
counter = 0;
for (int n = 2; n < i; n++)
if (i % n == 0)
counter++;
if (counter == 0) { // dit is een prime
System.out.println(m+" : "+i);
m++;
}
if (m == (10001 + 1)) { // als we bij de nummertje 10001 zijn geef het antwoord
System.out.println("Answere = " + i);
break;
}
}
}
}
/*
By listing the first six prime numbers: 2, 3, 5, 7, 11, and 13, we can see that the 6^th prime is 13.
What is the 10001^st prime number?
*/ |
1625_4 | /**
* Created by Sneeuwpopsneeuw on 12-Apr-16.
*/
public class Problem007_10001stPrime {
public static void main (String args[]) {
magic();
}
public static void magic() {
long max = 999999999; // if it goes wrong it will stop here
int m = 1; // number
int counter = 0; // amount of counters
for (int i = 2; i <= max; i++) { // bijna infinite loop met build in stop
counter = 0;
for (int n = 2; n < i; n++)
if (i % n == 0)
counter++;
if (counter == 0) { // dit is een prime
System.out.println(m+" : "+i);
m++;
}
if (m == (10001 + 1)) { // als we bij de nummertje 10001 zijn geef het antwoord
System.out.println("Answere = " + i);
break;
}
}
}
}
/*
By listing the first six prime numbers: 2, 3, 5, 7, 11, and 13, we can see that the 6^th prime is 13.
What is the 10001^st prime number?
*/ | timostrating/ProjectEuler | java/Problem007_10001stPrime.java | 348 | // dit is een prime | line_comment | nl | /**
* Created by Sneeuwpopsneeuw on 12-Apr-16.
*/
public class Problem007_10001stPrime {
public static void main (String args[]) {
magic();
}
public static void magic() {
long max = 999999999; // if it goes wrong it will stop here
int m = 1; // number
int counter = 0; // amount of counters
for (int i = 2; i <= max; i++) { // bijna infinite loop met build in stop
counter = 0;
for (int n = 2; n < i; n++)
if (i % n == 0)
counter++;
if (counter == 0) { // dit is<SUF>
System.out.println(m+" : "+i);
m++;
}
if (m == (10001 + 1)) { // als we bij de nummertje 10001 zijn geef het antwoord
System.out.println("Answere = " + i);
break;
}
}
}
}
/*
By listing the first six prime numbers: 2, 3, 5, 7, 11, and 13, we can see that the 6^th prime is 13.
What is the 10001^st prime number?
*/ |
1625_5 | /**
* Created by Sneeuwpopsneeuw on 12-Apr-16.
*/
public class Problem007_10001stPrime {
public static void main (String args[]) {
magic();
}
public static void magic() {
long max = 999999999; // if it goes wrong it will stop here
int m = 1; // number
int counter = 0; // amount of counters
for (int i = 2; i <= max; i++) { // bijna infinite loop met build in stop
counter = 0;
for (int n = 2; n < i; n++)
if (i % n == 0)
counter++;
if (counter == 0) { // dit is een prime
System.out.println(m+" : "+i);
m++;
}
if (m == (10001 + 1)) { // als we bij de nummertje 10001 zijn geef het antwoord
System.out.println("Answere = " + i);
break;
}
}
}
}
/*
By listing the first six prime numbers: 2, 3, 5, 7, 11, and 13, we can see that the 6^th prime is 13.
What is the 10001^st prime number?
*/ | timostrating/ProjectEuler | java/Problem007_10001stPrime.java | 348 | // als we bij de nummertje 10001 zijn geef het antwoord | line_comment | nl | /**
* Created by Sneeuwpopsneeuw on 12-Apr-16.
*/
public class Problem007_10001stPrime {
public static void main (String args[]) {
magic();
}
public static void magic() {
long max = 999999999; // if it goes wrong it will stop here
int m = 1; // number
int counter = 0; // amount of counters
for (int i = 2; i <= max; i++) { // bijna infinite loop met build in stop
counter = 0;
for (int n = 2; n < i; n++)
if (i % n == 0)
counter++;
if (counter == 0) { // dit is een prime
System.out.println(m+" : "+i);
m++;
}
if (m == (10001 + 1)) { // als we<SUF>
System.out.println("Answere = " + i);
break;
}
}
}
}
/*
By listing the first six prime numbers: 2, 3, 5, 7, 11, and 13, we can see that the 6^th prime is 13.
What is the 10001^st prime number?
*/ |
1627_0 | package com.voipgrid.vialer.api.models;
import android.text.TextUtils;
import com.google.gson.annotations.SerializedName;
import java.util.ArrayList;
import java.util.List;
public class UserDestination {
@SerializedName("fixeddestinations")
private List<FixedDestination> fixedDestinations;
@SerializedName("phoneaccounts")
private List<PhoneAccount> phoneAccounts;
@SerializedName("selecteduserdestination")
private SelectedUserDestination selectedUserDestination;
@SerializedName("id")
private String id;
@SerializedName("internal_number")
private String internalNumber;
public List<FixedDestination> getFixedDestinations() {
return fixedDestinations;
}
public void setFixedDestinations(List<FixedDestination> fixedDestinations) {
this.fixedDestinations = fixedDestinations;
}
public List<PhoneAccount> getPhoneAccounts() {
return phoneAccounts;
}
public void setPhoneAccounts(List<PhoneAccount> phoneAccounts) {
this.phoneAccounts = phoneAccounts;
}
public SelectedUserDestination getSelectedUserDestination() {
return selectedUserDestination;
}
public void setSelectedUserDestination(SelectedUserDestination selectedUserDestination) {
this.selectedUserDestination = selectedUserDestination;
}
public Destination getActiveDestination() {
// Je moet door de phone accounts en fixed accounts heen loopen om de lijst van mogelijke
// nummers waar je bereikbaar op bent.
List<Destination> destinations = getDestinations();
// In de selecteduserdestination zitten twee keys welke het id hebben van of een phone
// account of een fixed destination en van die keys heeft er altijd eentje een waarde
if(selectedUserDestination != null) {
String selectedDestinationId = null;
if(!TextUtils.isEmpty(selectedUserDestination.getFixedDestinationId())) {
selectedDestinationId = selectedUserDestination.getFixedDestinationId();
} else if(!TextUtils.isEmpty(selectedUserDestination.getPhoneAccountId())) {
selectedDestinationId = selectedUserDestination.getPhoneAccountId();
}
if(!TextUtils.isEmpty(selectedDestinationId)) {
// tijdens de loop door de phone accounts en fixed destinations moet je dan een de
// check hebben of de waarde van de key in de selecteduserdestination gelijk zijn
for(int i=0, size=destinations.size(); i<size; i++) {
Destination destination = destinations.get(i);
if(selectedDestinationId.equals(destination.getId())) {
return destination;
}
}
}
}
return null;
}
public List<Destination> getDestinations() {
List<Destination> destinations = new ArrayList();
if(fixedDestinations != null) {
destinations.addAll(fixedDestinations);
}
if(phoneAccounts != null) {
destinations.addAll(phoneAccounts);
}
return destinations;
}
public SelectedUserDestination getSelectUserDestination() {
return selectedUserDestination;
}
public String getId() {
return id;
}
public void setId(String id) {
this.id = id;
}
public String getInternalNumber() {
return internalNumber;
}
}
| VoIPGRID/vialer-android | app/src/main/java/com/voipgrid/vialer/api/models/UserDestination.java | 755 | // Je moet door de phone accounts en fixed accounts heen loopen om de lijst van mogelijke | line_comment | nl | package com.voipgrid.vialer.api.models;
import android.text.TextUtils;
import com.google.gson.annotations.SerializedName;
import java.util.ArrayList;
import java.util.List;
public class UserDestination {
@SerializedName("fixeddestinations")
private List<FixedDestination> fixedDestinations;
@SerializedName("phoneaccounts")
private List<PhoneAccount> phoneAccounts;
@SerializedName("selecteduserdestination")
private SelectedUserDestination selectedUserDestination;
@SerializedName("id")
private String id;
@SerializedName("internal_number")
private String internalNumber;
public List<FixedDestination> getFixedDestinations() {
return fixedDestinations;
}
public void setFixedDestinations(List<FixedDestination> fixedDestinations) {
this.fixedDestinations = fixedDestinations;
}
public List<PhoneAccount> getPhoneAccounts() {
return phoneAccounts;
}
public void setPhoneAccounts(List<PhoneAccount> phoneAccounts) {
this.phoneAccounts = phoneAccounts;
}
public SelectedUserDestination getSelectedUserDestination() {
return selectedUserDestination;
}
public void setSelectedUserDestination(SelectedUserDestination selectedUserDestination) {
this.selectedUserDestination = selectedUserDestination;
}
public Destination getActiveDestination() {
// Je moet<SUF>
// nummers waar je bereikbaar op bent.
List<Destination> destinations = getDestinations();
// In de selecteduserdestination zitten twee keys welke het id hebben van of een phone
// account of een fixed destination en van die keys heeft er altijd eentje een waarde
if(selectedUserDestination != null) {
String selectedDestinationId = null;
if(!TextUtils.isEmpty(selectedUserDestination.getFixedDestinationId())) {
selectedDestinationId = selectedUserDestination.getFixedDestinationId();
} else if(!TextUtils.isEmpty(selectedUserDestination.getPhoneAccountId())) {
selectedDestinationId = selectedUserDestination.getPhoneAccountId();
}
if(!TextUtils.isEmpty(selectedDestinationId)) {
// tijdens de loop door de phone accounts en fixed destinations moet je dan een de
// check hebben of de waarde van de key in de selecteduserdestination gelijk zijn
for(int i=0, size=destinations.size(); i<size; i++) {
Destination destination = destinations.get(i);
if(selectedDestinationId.equals(destination.getId())) {
return destination;
}
}
}
}
return null;
}
public List<Destination> getDestinations() {
List<Destination> destinations = new ArrayList();
if(fixedDestinations != null) {
destinations.addAll(fixedDestinations);
}
if(phoneAccounts != null) {
destinations.addAll(phoneAccounts);
}
return destinations;
}
public SelectedUserDestination getSelectUserDestination() {
return selectedUserDestination;
}
public String getId() {
return id;
}
public void setId(String id) {
this.id = id;
}
public String getInternalNumber() {
return internalNumber;
}
}
|
1627_1 | package com.voipgrid.vialer.api.models;
import android.text.TextUtils;
import com.google.gson.annotations.SerializedName;
import java.util.ArrayList;
import java.util.List;
public class UserDestination {
@SerializedName("fixeddestinations")
private List<FixedDestination> fixedDestinations;
@SerializedName("phoneaccounts")
private List<PhoneAccount> phoneAccounts;
@SerializedName("selecteduserdestination")
private SelectedUserDestination selectedUserDestination;
@SerializedName("id")
private String id;
@SerializedName("internal_number")
private String internalNumber;
public List<FixedDestination> getFixedDestinations() {
return fixedDestinations;
}
public void setFixedDestinations(List<FixedDestination> fixedDestinations) {
this.fixedDestinations = fixedDestinations;
}
public List<PhoneAccount> getPhoneAccounts() {
return phoneAccounts;
}
public void setPhoneAccounts(List<PhoneAccount> phoneAccounts) {
this.phoneAccounts = phoneAccounts;
}
public SelectedUserDestination getSelectedUserDestination() {
return selectedUserDestination;
}
public void setSelectedUserDestination(SelectedUserDestination selectedUserDestination) {
this.selectedUserDestination = selectedUserDestination;
}
public Destination getActiveDestination() {
// Je moet door de phone accounts en fixed accounts heen loopen om de lijst van mogelijke
// nummers waar je bereikbaar op bent.
List<Destination> destinations = getDestinations();
// In de selecteduserdestination zitten twee keys welke het id hebben van of een phone
// account of een fixed destination en van die keys heeft er altijd eentje een waarde
if(selectedUserDestination != null) {
String selectedDestinationId = null;
if(!TextUtils.isEmpty(selectedUserDestination.getFixedDestinationId())) {
selectedDestinationId = selectedUserDestination.getFixedDestinationId();
} else if(!TextUtils.isEmpty(selectedUserDestination.getPhoneAccountId())) {
selectedDestinationId = selectedUserDestination.getPhoneAccountId();
}
if(!TextUtils.isEmpty(selectedDestinationId)) {
// tijdens de loop door de phone accounts en fixed destinations moet je dan een de
// check hebben of de waarde van de key in de selecteduserdestination gelijk zijn
for(int i=0, size=destinations.size(); i<size; i++) {
Destination destination = destinations.get(i);
if(selectedDestinationId.equals(destination.getId())) {
return destination;
}
}
}
}
return null;
}
public List<Destination> getDestinations() {
List<Destination> destinations = new ArrayList();
if(fixedDestinations != null) {
destinations.addAll(fixedDestinations);
}
if(phoneAccounts != null) {
destinations.addAll(phoneAccounts);
}
return destinations;
}
public SelectedUserDestination getSelectUserDestination() {
return selectedUserDestination;
}
public String getId() {
return id;
}
public void setId(String id) {
this.id = id;
}
public String getInternalNumber() {
return internalNumber;
}
}
| VoIPGRID/vialer-android | app/src/main/java/com/voipgrid/vialer/api/models/UserDestination.java | 755 | // nummers waar je bereikbaar op bent. | line_comment | nl | package com.voipgrid.vialer.api.models;
import android.text.TextUtils;
import com.google.gson.annotations.SerializedName;
import java.util.ArrayList;
import java.util.List;
public class UserDestination {
@SerializedName("fixeddestinations")
private List<FixedDestination> fixedDestinations;
@SerializedName("phoneaccounts")
private List<PhoneAccount> phoneAccounts;
@SerializedName("selecteduserdestination")
private SelectedUserDestination selectedUserDestination;
@SerializedName("id")
private String id;
@SerializedName("internal_number")
private String internalNumber;
public List<FixedDestination> getFixedDestinations() {
return fixedDestinations;
}
public void setFixedDestinations(List<FixedDestination> fixedDestinations) {
this.fixedDestinations = fixedDestinations;
}
public List<PhoneAccount> getPhoneAccounts() {
return phoneAccounts;
}
public void setPhoneAccounts(List<PhoneAccount> phoneAccounts) {
this.phoneAccounts = phoneAccounts;
}
public SelectedUserDestination getSelectedUserDestination() {
return selectedUserDestination;
}
public void setSelectedUserDestination(SelectedUserDestination selectedUserDestination) {
this.selectedUserDestination = selectedUserDestination;
}
public Destination getActiveDestination() {
// Je moet door de phone accounts en fixed accounts heen loopen om de lijst van mogelijke
// nummers waar<SUF>
List<Destination> destinations = getDestinations();
// In de selecteduserdestination zitten twee keys welke het id hebben van of een phone
// account of een fixed destination en van die keys heeft er altijd eentje een waarde
if(selectedUserDestination != null) {
String selectedDestinationId = null;
if(!TextUtils.isEmpty(selectedUserDestination.getFixedDestinationId())) {
selectedDestinationId = selectedUserDestination.getFixedDestinationId();
} else if(!TextUtils.isEmpty(selectedUserDestination.getPhoneAccountId())) {
selectedDestinationId = selectedUserDestination.getPhoneAccountId();
}
if(!TextUtils.isEmpty(selectedDestinationId)) {
// tijdens de loop door de phone accounts en fixed destinations moet je dan een de
// check hebben of de waarde van de key in de selecteduserdestination gelijk zijn
for(int i=0, size=destinations.size(); i<size; i++) {
Destination destination = destinations.get(i);
if(selectedDestinationId.equals(destination.getId())) {
return destination;
}
}
}
}
return null;
}
public List<Destination> getDestinations() {
List<Destination> destinations = new ArrayList();
if(fixedDestinations != null) {
destinations.addAll(fixedDestinations);
}
if(phoneAccounts != null) {
destinations.addAll(phoneAccounts);
}
return destinations;
}
public SelectedUserDestination getSelectUserDestination() {
return selectedUserDestination;
}
public String getId() {
return id;
}
public void setId(String id) {
this.id = id;
}
public String getInternalNumber() {
return internalNumber;
}
}
|
1627_2 | package com.voipgrid.vialer.api.models;
import android.text.TextUtils;
import com.google.gson.annotations.SerializedName;
import java.util.ArrayList;
import java.util.List;
public class UserDestination {
@SerializedName("fixeddestinations")
private List<FixedDestination> fixedDestinations;
@SerializedName("phoneaccounts")
private List<PhoneAccount> phoneAccounts;
@SerializedName("selecteduserdestination")
private SelectedUserDestination selectedUserDestination;
@SerializedName("id")
private String id;
@SerializedName("internal_number")
private String internalNumber;
public List<FixedDestination> getFixedDestinations() {
return fixedDestinations;
}
public void setFixedDestinations(List<FixedDestination> fixedDestinations) {
this.fixedDestinations = fixedDestinations;
}
public List<PhoneAccount> getPhoneAccounts() {
return phoneAccounts;
}
public void setPhoneAccounts(List<PhoneAccount> phoneAccounts) {
this.phoneAccounts = phoneAccounts;
}
public SelectedUserDestination getSelectedUserDestination() {
return selectedUserDestination;
}
public void setSelectedUserDestination(SelectedUserDestination selectedUserDestination) {
this.selectedUserDestination = selectedUserDestination;
}
public Destination getActiveDestination() {
// Je moet door de phone accounts en fixed accounts heen loopen om de lijst van mogelijke
// nummers waar je bereikbaar op bent.
List<Destination> destinations = getDestinations();
// In de selecteduserdestination zitten twee keys welke het id hebben van of een phone
// account of een fixed destination en van die keys heeft er altijd eentje een waarde
if(selectedUserDestination != null) {
String selectedDestinationId = null;
if(!TextUtils.isEmpty(selectedUserDestination.getFixedDestinationId())) {
selectedDestinationId = selectedUserDestination.getFixedDestinationId();
} else if(!TextUtils.isEmpty(selectedUserDestination.getPhoneAccountId())) {
selectedDestinationId = selectedUserDestination.getPhoneAccountId();
}
if(!TextUtils.isEmpty(selectedDestinationId)) {
// tijdens de loop door de phone accounts en fixed destinations moet je dan een de
// check hebben of de waarde van de key in de selecteduserdestination gelijk zijn
for(int i=0, size=destinations.size(); i<size; i++) {
Destination destination = destinations.get(i);
if(selectedDestinationId.equals(destination.getId())) {
return destination;
}
}
}
}
return null;
}
public List<Destination> getDestinations() {
List<Destination> destinations = new ArrayList();
if(fixedDestinations != null) {
destinations.addAll(fixedDestinations);
}
if(phoneAccounts != null) {
destinations.addAll(phoneAccounts);
}
return destinations;
}
public SelectedUserDestination getSelectUserDestination() {
return selectedUserDestination;
}
public String getId() {
return id;
}
public void setId(String id) {
this.id = id;
}
public String getInternalNumber() {
return internalNumber;
}
}
| VoIPGRID/vialer-android | app/src/main/java/com/voipgrid/vialer/api/models/UserDestination.java | 755 | // In de selecteduserdestination zitten twee keys welke het id hebben van of een phone | line_comment | nl | package com.voipgrid.vialer.api.models;
import android.text.TextUtils;
import com.google.gson.annotations.SerializedName;
import java.util.ArrayList;
import java.util.List;
public class UserDestination {
@SerializedName("fixeddestinations")
private List<FixedDestination> fixedDestinations;
@SerializedName("phoneaccounts")
private List<PhoneAccount> phoneAccounts;
@SerializedName("selecteduserdestination")
private SelectedUserDestination selectedUserDestination;
@SerializedName("id")
private String id;
@SerializedName("internal_number")
private String internalNumber;
public List<FixedDestination> getFixedDestinations() {
return fixedDestinations;
}
public void setFixedDestinations(List<FixedDestination> fixedDestinations) {
this.fixedDestinations = fixedDestinations;
}
public List<PhoneAccount> getPhoneAccounts() {
return phoneAccounts;
}
public void setPhoneAccounts(List<PhoneAccount> phoneAccounts) {
this.phoneAccounts = phoneAccounts;
}
public SelectedUserDestination getSelectedUserDestination() {
return selectedUserDestination;
}
public void setSelectedUserDestination(SelectedUserDestination selectedUserDestination) {
this.selectedUserDestination = selectedUserDestination;
}
public Destination getActiveDestination() {
// Je moet door de phone accounts en fixed accounts heen loopen om de lijst van mogelijke
// nummers waar je bereikbaar op bent.
List<Destination> destinations = getDestinations();
// In de<SUF>
// account of een fixed destination en van die keys heeft er altijd eentje een waarde
if(selectedUserDestination != null) {
String selectedDestinationId = null;
if(!TextUtils.isEmpty(selectedUserDestination.getFixedDestinationId())) {
selectedDestinationId = selectedUserDestination.getFixedDestinationId();
} else if(!TextUtils.isEmpty(selectedUserDestination.getPhoneAccountId())) {
selectedDestinationId = selectedUserDestination.getPhoneAccountId();
}
if(!TextUtils.isEmpty(selectedDestinationId)) {
// tijdens de loop door de phone accounts en fixed destinations moet je dan een de
// check hebben of de waarde van de key in de selecteduserdestination gelijk zijn
for(int i=0, size=destinations.size(); i<size; i++) {
Destination destination = destinations.get(i);
if(selectedDestinationId.equals(destination.getId())) {
return destination;
}
}
}
}
return null;
}
public List<Destination> getDestinations() {
List<Destination> destinations = new ArrayList();
if(fixedDestinations != null) {
destinations.addAll(fixedDestinations);
}
if(phoneAccounts != null) {
destinations.addAll(phoneAccounts);
}
return destinations;
}
public SelectedUserDestination getSelectUserDestination() {
return selectedUserDestination;
}
public String getId() {
return id;
}
public void setId(String id) {
this.id = id;
}
public String getInternalNumber() {
return internalNumber;
}
}
|
1627_3 | package com.voipgrid.vialer.api.models;
import android.text.TextUtils;
import com.google.gson.annotations.SerializedName;
import java.util.ArrayList;
import java.util.List;
public class UserDestination {
@SerializedName("fixeddestinations")
private List<FixedDestination> fixedDestinations;
@SerializedName("phoneaccounts")
private List<PhoneAccount> phoneAccounts;
@SerializedName("selecteduserdestination")
private SelectedUserDestination selectedUserDestination;
@SerializedName("id")
private String id;
@SerializedName("internal_number")
private String internalNumber;
public List<FixedDestination> getFixedDestinations() {
return fixedDestinations;
}
public void setFixedDestinations(List<FixedDestination> fixedDestinations) {
this.fixedDestinations = fixedDestinations;
}
public List<PhoneAccount> getPhoneAccounts() {
return phoneAccounts;
}
public void setPhoneAccounts(List<PhoneAccount> phoneAccounts) {
this.phoneAccounts = phoneAccounts;
}
public SelectedUserDestination getSelectedUserDestination() {
return selectedUserDestination;
}
public void setSelectedUserDestination(SelectedUserDestination selectedUserDestination) {
this.selectedUserDestination = selectedUserDestination;
}
public Destination getActiveDestination() {
// Je moet door de phone accounts en fixed accounts heen loopen om de lijst van mogelijke
// nummers waar je bereikbaar op bent.
List<Destination> destinations = getDestinations();
// In de selecteduserdestination zitten twee keys welke het id hebben van of een phone
// account of een fixed destination en van die keys heeft er altijd eentje een waarde
if(selectedUserDestination != null) {
String selectedDestinationId = null;
if(!TextUtils.isEmpty(selectedUserDestination.getFixedDestinationId())) {
selectedDestinationId = selectedUserDestination.getFixedDestinationId();
} else if(!TextUtils.isEmpty(selectedUserDestination.getPhoneAccountId())) {
selectedDestinationId = selectedUserDestination.getPhoneAccountId();
}
if(!TextUtils.isEmpty(selectedDestinationId)) {
// tijdens de loop door de phone accounts en fixed destinations moet je dan een de
// check hebben of de waarde van de key in de selecteduserdestination gelijk zijn
for(int i=0, size=destinations.size(); i<size; i++) {
Destination destination = destinations.get(i);
if(selectedDestinationId.equals(destination.getId())) {
return destination;
}
}
}
}
return null;
}
public List<Destination> getDestinations() {
List<Destination> destinations = new ArrayList();
if(fixedDestinations != null) {
destinations.addAll(fixedDestinations);
}
if(phoneAccounts != null) {
destinations.addAll(phoneAccounts);
}
return destinations;
}
public SelectedUserDestination getSelectUserDestination() {
return selectedUserDestination;
}
public String getId() {
return id;
}
public void setId(String id) {
this.id = id;
}
public String getInternalNumber() {
return internalNumber;
}
}
| VoIPGRID/vialer-android | app/src/main/java/com/voipgrid/vialer/api/models/UserDestination.java | 755 | // account of een fixed destination en van die keys heeft er altijd eentje een waarde | line_comment | nl | package com.voipgrid.vialer.api.models;
import android.text.TextUtils;
import com.google.gson.annotations.SerializedName;
import java.util.ArrayList;
import java.util.List;
public class UserDestination {
@SerializedName("fixeddestinations")
private List<FixedDestination> fixedDestinations;
@SerializedName("phoneaccounts")
private List<PhoneAccount> phoneAccounts;
@SerializedName("selecteduserdestination")
private SelectedUserDestination selectedUserDestination;
@SerializedName("id")
private String id;
@SerializedName("internal_number")
private String internalNumber;
public List<FixedDestination> getFixedDestinations() {
return fixedDestinations;
}
public void setFixedDestinations(List<FixedDestination> fixedDestinations) {
this.fixedDestinations = fixedDestinations;
}
public List<PhoneAccount> getPhoneAccounts() {
return phoneAccounts;
}
public void setPhoneAccounts(List<PhoneAccount> phoneAccounts) {
this.phoneAccounts = phoneAccounts;
}
public SelectedUserDestination getSelectedUserDestination() {
return selectedUserDestination;
}
public void setSelectedUserDestination(SelectedUserDestination selectedUserDestination) {
this.selectedUserDestination = selectedUserDestination;
}
public Destination getActiveDestination() {
// Je moet door de phone accounts en fixed accounts heen loopen om de lijst van mogelijke
// nummers waar je bereikbaar op bent.
List<Destination> destinations = getDestinations();
// In de selecteduserdestination zitten twee keys welke het id hebben van of een phone
// account of<SUF>
if(selectedUserDestination != null) {
String selectedDestinationId = null;
if(!TextUtils.isEmpty(selectedUserDestination.getFixedDestinationId())) {
selectedDestinationId = selectedUserDestination.getFixedDestinationId();
} else if(!TextUtils.isEmpty(selectedUserDestination.getPhoneAccountId())) {
selectedDestinationId = selectedUserDestination.getPhoneAccountId();
}
if(!TextUtils.isEmpty(selectedDestinationId)) {
// tijdens de loop door de phone accounts en fixed destinations moet je dan een de
// check hebben of de waarde van de key in de selecteduserdestination gelijk zijn
for(int i=0, size=destinations.size(); i<size; i++) {
Destination destination = destinations.get(i);
if(selectedDestinationId.equals(destination.getId())) {
return destination;
}
}
}
}
return null;
}
public List<Destination> getDestinations() {
List<Destination> destinations = new ArrayList();
if(fixedDestinations != null) {
destinations.addAll(fixedDestinations);
}
if(phoneAccounts != null) {
destinations.addAll(phoneAccounts);
}
return destinations;
}
public SelectedUserDestination getSelectUserDestination() {
return selectedUserDestination;
}
public String getId() {
return id;
}
public void setId(String id) {
this.id = id;
}
public String getInternalNumber() {
return internalNumber;
}
}
|
1627_4 | package com.voipgrid.vialer.api.models;
import android.text.TextUtils;
import com.google.gson.annotations.SerializedName;
import java.util.ArrayList;
import java.util.List;
public class UserDestination {
@SerializedName("fixeddestinations")
private List<FixedDestination> fixedDestinations;
@SerializedName("phoneaccounts")
private List<PhoneAccount> phoneAccounts;
@SerializedName("selecteduserdestination")
private SelectedUserDestination selectedUserDestination;
@SerializedName("id")
private String id;
@SerializedName("internal_number")
private String internalNumber;
public List<FixedDestination> getFixedDestinations() {
return fixedDestinations;
}
public void setFixedDestinations(List<FixedDestination> fixedDestinations) {
this.fixedDestinations = fixedDestinations;
}
public List<PhoneAccount> getPhoneAccounts() {
return phoneAccounts;
}
public void setPhoneAccounts(List<PhoneAccount> phoneAccounts) {
this.phoneAccounts = phoneAccounts;
}
public SelectedUserDestination getSelectedUserDestination() {
return selectedUserDestination;
}
public void setSelectedUserDestination(SelectedUserDestination selectedUserDestination) {
this.selectedUserDestination = selectedUserDestination;
}
public Destination getActiveDestination() {
// Je moet door de phone accounts en fixed accounts heen loopen om de lijst van mogelijke
// nummers waar je bereikbaar op bent.
List<Destination> destinations = getDestinations();
// In de selecteduserdestination zitten twee keys welke het id hebben van of een phone
// account of een fixed destination en van die keys heeft er altijd eentje een waarde
if(selectedUserDestination != null) {
String selectedDestinationId = null;
if(!TextUtils.isEmpty(selectedUserDestination.getFixedDestinationId())) {
selectedDestinationId = selectedUserDestination.getFixedDestinationId();
} else if(!TextUtils.isEmpty(selectedUserDestination.getPhoneAccountId())) {
selectedDestinationId = selectedUserDestination.getPhoneAccountId();
}
if(!TextUtils.isEmpty(selectedDestinationId)) {
// tijdens de loop door de phone accounts en fixed destinations moet je dan een de
// check hebben of de waarde van de key in de selecteduserdestination gelijk zijn
for(int i=0, size=destinations.size(); i<size; i++) {
Destination destination = destinations.get(i);
if(selectedDestinationId.equals(destination.getId())) {
return destination;
}
}
}
}
return null;
}
public List<Destination> getDestinations() {
List<Destination> destinations = new ArrayList();
if(fixedDestinations != null) {
destinations.addAll(fixedDestinations);
}
if(phoneAccounts != null) {
destinations.addAll(phoneAccounts);
}
return destinations;
}
public SelectedUserDestination getSelectUserDestination() {
return selectedUserDestination;
}
public String getId() {
return id;
}
public void setId(String id) {
this.id = id;
}
public String getInternalNumber() {
return internalNumber;
}
}
| VoIPGRID/vialer-android | app/src/main/java/com/voipgrid/vialer/api/models/UserDestination.java | 755 | // tijdens de loop door de phone accounts en fixed destinations moet je dan een de | line_comment | nl | package com.voipgrid.vialer.api.models;
import android.text.TextUtils;
import com.google.gson.annotations.SerializedName;
import java.util.ArrayList;
import java.util.List;
public class UserDestination {
@SerializedName("fixeddestinations")
private List<FixedDestination> fixedDestinations;
@SerializedName("phoneaccounts")
private List<PhoneAccount> phoneAccounts;
@SerializedName("selecteduserdestination")
private SelectedUserDestination selectedUserDestination;
@SerializedName("id")
private String id;
@SerializedName("internal_number")
private String internalNumber;
public List<FixedDestination> getFixedDestinations() {
return fixedDestinations;
}
public void setFixedDestinations(List<FixedDestination> fixedDestinations) {
this.fixedDestinations = fixedDestinations;
}
public List<PhoneAccount> getPhoneAccounts() {
return phoneAccounts;
}
public void setPhoneAccounts(List<PhoneAccount> phoneAccounts) {
this.phoneAccounts = phoneAccounts;
}
public SelectedUserDestination getSelectedUserDestination() {
return selectedUserDestination;
}
public void setSelectedUserDestination(SelectedUserDestination selectedUserDestination) {
this.selectedUserDestination = selectedUserDestination;
}
public Destination getActiveDestination() {
// Je moet door de phone accounts en fixed accounts heen loopen om de lijst van mogelijke
// nummers waar je bereikbaar op bent.
List<Destination> destinations = getDestinations();
// In de selecteduserdestination zitten twee keys welke het id hebben van of een phone
// account of een fixed destination en van die keys heeft er altijd eentje een waarde
if(selectedUserDestination != null) {
String selectedDestinationId = null;
if(!TextUtils.isEmpty(selectedUserDestination.getFixedDestinationId())) {
selectedDestinationId = selectedUserDestination.getFixedDestinationId();
} else if(!TextUtils.isEmpty(selectedUserDestination.getPhoneAccountId())) {
selectedDestinationId = selectedUserDestination.getPhoneAccountId();
}
if(!TextUtils.isEmpty(selectedDestinationId)) {
// tijdens de<SUF>
// check hebben of de waarde van de key in de selecteduserdestination gelijk zijn
for(int i=0, size=destinations.size(); i<size; i++) {
Destination destination = destinations.get(i);
if(selectedDestinationId.equals(destination.getId())) {
return destination;
}
}
}
}
return null;
}
public List<Destination> getDestinations() {
List<Destination> destinations = new ArrayList();
if(fixedDestinations != null) {
destinations.addAll(fixedDestinations);
}
if(phoneAccounts != null) {
destinations.addAll(phoneAccounts);
}
return destinations;
}
public SelectedUserDestination getSelectUserDestination() {
return selectedUserDestination;
}
public String getId() {
return id;
}
public void setId(String id) {
this.id = id;
}
public String getInternalNumber() {
return internalNumber;
}
}
|
1627_5 | package com.voipgrid.vialer.api.models;
import android.text.TextUtils;
import com.google.gson.annotations.SerializedName;
import java.util.ArrayList;
import java.util.List;
public class UserDestination {
@SerializedName("fixeddestinations")
private List<FixedDestination> fixedDestinations;
@SerializedName("phoneaccounts")
private List<PhoneAccount> phoneAccounts;
@SerializedName("selecteduserdestination")
private SelectedUserDestination selectedUserDestination;
@SerializedName("id")
private String id;
@SerializedName("internal_number")
private String internalNumber;
public List<FixedDestination> getFixedDestinations() {
return fixedDestinations;
}
public void setFixedDestinations(List<FixedDestination> fixedDestinations) {
this.fixedDestinations = fixedDestinations;
}
public List<PhoneAccount> getPhoneAccounts() {
return phoneAccounts;
}
public void setPhoneAccounts(List<PhoneAccount> phoneAccounts) {
this.phoneAccounts = phoneAccounts;
}
public SelectedUserDestination getSelectedUserDestination() {
return selectedUserDestination;
}
public void setSelectedUserDestination(SelectedUserDestination selectedUserDestination) {
this.selectedUserDestination = selectedUserDestination;
}
public Destination getActiveDestination() {
// Je moet door de phone accounts en fixed accounts heen loopen om de lijst van mogelijke
// nummers waar je bereikbaar op bent.
List<Destination> destinations = getDestinations();
// In de selecteduserdestination zitten twee keys welke het id hebben van of een phone
// account of een fixed destination en van die keys heeft er altijd eentje een waarde
if(selectedUserDestination != null) {
String selectedDestinationId = null;
if(!TextUtils.isEmpty(selectedUserDestination.getFixedDestinationId())) {
selectedDestinationId = selectedUserDestination.getFixedDestinationId();
} else if(!TextUtils.isEmpty(selectedUserDestination.getPhoneAccountId())) {
selectedDestinationId = selectedUserDestination.getPhoneAccountId();
}
if(!TextUtils.isEmpty(selectedDestinationId)) {
// tijdens de loop door de phone accounts en fixed destinations moet je dan een de
// check hebben of de waarde van de key in de selecteduserdestination gelijk zijn
for(int i=0, size=destinations.size(); i<size; i++) {
Destination destination = destinations.get(i);
if(selectedDestinationId.equals(destination.getId())) {
return destination;
}
}
}
}
return null;
}
public List<Destination> getDestinations() {
List<Destination> destinations = new ArrayList();
if(fixedDestinations != null) {
destinations.addAll(fixedDestinations);
}
if(phoneAccounts != null) {
destinations.addAll(phoneAccounts);
}
return destinations;
}
public SelectedUserDestination getSelectUserDestination() {
return selectedUserDestination;
}
public String getId() {
return id;
}
public void setId(String id) {
this.id = id;
}
public String getInternalNumber() {
return internalNumber;
}
}
| VoIPGRID/vialer-android | app/src/main/java/com/voipgrid/vialer/api/models/UserDestination.java | 755 | // check hebben of de waarde van de key in de selecteduserdestination gelijk zijn | line_comment | nl | package com.voipgrid.vialer.api.models;
import android.text.TextUtils;
import com.google.gson.annotations.SerializedName;
import java.util.ArrayList;
import java.util.List;
public class UserDestination {
@SerializedName("fixeddestinations")
private List<FixedDestination> fixedDestinations;
@SerializedName("phoneaccounts")
private List<PhoneAccount> phoneAccounts;
@SerializedName("selecteduserdestination")
private SelectedUserDestination selectedUserDestination;
@SerializedName("id")
private String id;
@SerializedName("internal_number")
private String internalNumber;
public List<FixedDestination> getFixedDestinations() {
return fixedDestinations;
}
public void setFixedDestinations(List<FixedDestination> fixedDestinations) {
this.fixedDestinations = fixedDestinations;
}
public List<PhoneAccount> getPhoneAccounts() {
return phoneAccounts;
}
public void setPhoneAccounts(List<PhoneAccount> phoneAccounts) {
this.phoneAccounts = phoneAccounts;
}
public SelectedUserDestination getSelectedUserDestination() {
return selectedUserDestination;
}
public void setSelectedUserDestination(SelectedUserDestination selectedUserDestination) {
this.selectedUserDestination = selectedUserDestination;
}
public Destination getActiveDestination() {
// Je moet door de phone accounts en fixed accounts heen loopen om de lijst van mogelijke
// nummers waar je bereikbaar op bent.
List<Destination> destinations = getDestinations();
// In de selecteduserdestination zitten twee keys welke het id hebben van of een phone
// account of een fixed destination en van die keys heeft er altijd eentje een waarde
if(selectedUserDestination != null) {
String selectedDestinationId = null;
if(!TextUtils.isEmpty(selectedUserDestination.getFixedDestinationId())) {
selectedDestinationId = selectedUserDestination.getFixedDestinationId();
} else if(!TextUtils.isEmpty(selectedUserDestination.getPhoneAccountId())) {
selectedDestinationId = selectedUserDestination.getPhoneAccountId();
}
if(!TextUtils.isEmpty(selectedDestinationId)) {
// tijdens de loop door de phone accounts en fixed destinations moet je dan een de
// check hebben<SUF>
for(int i=0, size=destinations.size(); i<size; i++) {
Destination destination = destinations.get(i);
if(selectedDestinationId.equals(destination.getId())) {
return destination;
}
}
}
}
return null;
}
public List<Destination> getDestinations() {
List<Destination> destinations = new ArrayList();
if(fixedDestinations != null) {
destinations.addAll(fixedDestinations);
}
if(phoneAccounts != null) {
destinations.addAll(phoneAccounts);
}
return destinations;
}
public SelectedUserDestination getSelectUserDestination() {
return selectedUserDestination;
}
public String getId() {
return id;
}
public void setId(String id) {
this.id = id;
}
public String getInternalNumber() {
return internalNumber;
}
}
|
1629_0 | package io.gameoftrades.studentNN;
import io.gameoftrades.model.Handelaar;
import io.gameoftrades.model.algoritme.HandelsplanAlgoritme;
import io.gameoftrades.model.algoritme.SnelstePadAlgoritme;
import io.gameoftrades.model.algoritme.StedenTourAlgoritme;
import io.gameoftrades.model.lader.WereldLader;
/**
* Welkom bij Game of Trades!
*
* Voordat er begonnen kan worden moet eerst de 'studentNN' package omgenoemd worden
* zodat iedere groep zijn eigen namespace heeft. Vervang de NN met je groep nummer.
* Dus als je in groep 3 zit dan wordt de packagenaam 'student03' en ben je in groep
* 42 dan wordt de package naam 'student42'.
*
* Om te controleren of je het goed hebt gedaan is er de ProjectSanityTest die je kan draaien.
*
*/
public class HandelaarImpl implements Handelaar {
/**
* Opdracht 1, zie ook de handige test-set in WereldLaderImplTest.
*/
@Override
public WereldLader nieuweWereldLader() {
return new WereldLaderImpl();
}
/**
* Opdracht 2
*/
@Override
public SnelstePadAlgoritme nieuwSnelstePadAlgoritme() {
// TODO Auto-generated method stub
return null;
}
/**
* Opdracht 3
*/
@Override
public StedenTourAlgoritme nieuwStedenTourAlgoritme() {
// TODO Auto-generated method stub
return null;
}
/**
* Opdracht 4
*/
@Override
public HandelsplanAlgoritme nieuwHandelsplanAlgoritme() {
// TODO Auto-generated method stub
return null;
}
}
| gameoftrades/gameoftrades-student-kit | src/main/java/io/gameoftrades/studentNN/HandelaarImpl.java | 465 | /**
* Welkom bij Game of Trades!
*
* Voordat er begonnen kan worden moet eerst de 'studentNN' package omgenoemd worden
* zodat iedere groep zijn eigen namespace heeft. Vervang de NN met je groep nummer.
* Dus als je in groep 3 zit dan wordt de packagenaam 'student03' en ben je in groep
* 42 dan wordt de package naam 'student42'.
*
* Om te controleren of je het goed hebt gedaan is er de ProjectSanityTest die je kan draaien.
*
*/ | block_comment | nl | package io.gameoftrades.studentNN;
import io.gameoftrades.model.Handelaar;
import io.gameoftrades.model.algoritme.HandelsplanAlgoritme;
import io.gameoftrades.model.algoritme.SnelstePadAlgoritme;
import io.gameoftrades.model.algoritme.StedenTourAlgoritme;
import io.gameoftrades.model.lader.WereldLader;
/**
* Welkom bij Game<SUF>*/
public class HandelaarImpl implements Handelaar {
/**
* Opdracht 1, zie ook de handige test-set in WereldLaderImplTest.
*/
@Override
public WereldLader nieuweWereldLader() {
return new WereldLaderImpl();
}
/**
* Opdracht 2
*/
@Override
public SnelstePadAlgoritme nieuwSnelstePadAlgoritme() {
// TODO Auto-generated method stub
return null;
}
/**
* Opdracht 3
*/
@Override
public StedenTourAlgoritme nieuwStedenTourAlgoritme() {
// TODO Auto-generated method stub
return null;
}
/**
* Opdracht 4
*/
@Override
public HandelsplanAlgoritme nieuwHandelsplanAlgoritme() {
// TODO Auto-generated method stub
return null;
}
}
|
1629_1 | package io.gameoftrades.studentNN;
import io.gameoftrades.model.Handelaar;
import io.gameoftrades.model.algoritme.HandelsplanAlgoritme;
import io.gameoftrades.model.algoritme.SnelstePadAlgoritme;
import io.gameoftrades.model.algoritme.StedenTourAlgoritme;
import io.gameoftrades.model.lader.WereldLader;
/**
* Welkom bij Game of Trades!
*
* Voordat er begonnen kan worden moet eerst de 'studentNN' package omgenoemd worden
* zodat iedere groep zijn eigen namespace heeft. Vervang de NN met je groep nummer.
* Dus als je in groep 3 zit dan wordt de packagenaam 'student03' en ben je in groep
* 42 dan wordt de package naam 'student42'.
*
* Om te controleren of je het goed hebt gedaan is er de ProjectSanityTest die je kan draaien.
*
*/
public class HandelaarImpl implements Handelaar {
/**
* Opdracht 1, zie ook de handige test-set in WereldLaderImplTest.
*/
@Override
public WereldLader nieuweWereldLader() {
return new WereldLaderImpl();
}
/**
* Opdracht 2
*/
@Override
public SnelstePadAlgoritme nieuwSnelstePadAlgoritme() {
// TODO Auto-generated method stub
return null;
}
/**
* Opdracht 3
*/
@Override
public StedenTourAlgoritme nieuwStedenTourAlgoritme() {
// TODO Auto-generated method stub
return null;
}
/**
* Opdracht 4
*/
@Override
public HandelsplanAlgoritme nieuwHandelsplanAlgoritme() {
// TODO Auto-generated method stub
return null;
}
}
| gameoftrades/gameoftrades-student-kit | src/main/java/io/gameoftrades/studentNN/HandelaarImpl.java | 465 | /**
* Opdracht 1, zie ook de handige test-set in WereldLaderImplTest.
*/ | block_comment | nl | package io.gameoftrades.studentNN;
import io.gameoftrades.model.Handelaar;
import io.gameoftrades.model.algoritme.HandelsplanAlgoritme;
import io.gameoftrades.model.algoritme.SnelstePadAlgoritme;
import io.gameoftrades.model.algoritme.StedenTourAlgoritme;
import io.gameoftrades.model.lader.WereldLader;
/**
* Welkom bij Game of Trades!
*
* Voordat er begonnen kan worden moet eerst de 'studentNN' package omgenoemd worden
* zodat iedere groep zijn eigen namespace heeft. Vervang de NN met je groep nummer.
* Dus als je in groep 3 zit dan wordt de packagenaam 'student03' en ben je in groep
* 42 dan wordt de package naam 'student42'.
*
* Om te controleren of je het goed hebt gedaan is er de ProjectSanityTest die je kan draaien.
*
*/
public class HandelaarImpl implements Handelaar {
/**
* Opdracht 1, zie<SUF>*/
@Override
public WereldLader nieuweWereldLader() {
return new WereldLaderImpl();
}
/**
* Opdracht 2
*/
@Override
public SnelstePadAlgoritme nieuwSnelstePadAlgoritme() {
// TODO Auto-generated method stub
return null;
}
/**
* Opdracht 3
*/
@Override
public StedenTourAlgoritme nieuwStedenTourAlgoritme() {
// TODO Auto-generated method stub
return null;
}
/**
* Opdracht 4
*/
@Override
public HandelsplanAlgoritme nieuwHandelsplanAlgoritme() {
// TODO Auto-generated method stub
return null;
}
}
|
1629_2 | package io.gameoftrades.studentNN;
import io.gameoftrades.model.Handelaar;
import io.gameoftrades.model.algoritme.HandelsplanAlgoritme;
import io.gameoftrades.model.algoritme.SnelstePadAlgoritme;
import io.gameoftrades.model.algoritme.StedenTourAlgoritme;
import io.gameoftrades.model.lader.WereldLader;
/**
* Welkom bij Game of Trades!
*
* Voordat er begonnen kan worden moet eerst de 'studentNN' package omgenoemd worden
* zodat iedere groep zijn eigen namespace heeft. Vervang de NN met je groep nummer.
* Dus als je in groep 3 zit dan wordt de packagenaam 'student03' en ben je in groep
* 42 dan wordt de package naam 'student42'.
*
* Om te controleren of je het goed hebt gedaan is er de ProjectSanityTest die je kan draaien.
*
*/
public class HandelaarImpl implements Handelaar {
/**
* Opdracht 1, zie ook de handige test-set in WereldLaderImplTest.
*/
@Override
public WereldLader nieuweWereldLader() {
return new WereldLaderImpl();
}
/**
* Opdracht 2
*/
@Override
public SnelstePadAlgoritme nieuwSnelstePadAlgoritme() {
// TODO Auto-generated method stub
return null;
}
/**
* Opdracht 3
*/
@Override
public StedenTourAlgoritme nieuwStedenTourAlgoritme() {
// TODO Auto-generated method stub
return null;
}
/**
* Opdracht 4
*/
@Override
public HandelsplanAlgoritme nieuwHandelsplanAlgoritme() {
// TODO Auto-generated method stub
return null;
}
}
| gameoftrades/gameoftrades-student-kit | src/main/java/io/gameoftrades/studentNN/HandelaarImpl.java | 465 | /**
* Opdracht 2
*/ | block_comment | nl | package io.gameoftrades.studentNN;
import io.gameoftrades.model.Handelaar;
import io.gameoftrades.model.algoritme.HandelsplanAlgoritme;
import io.gameoftrades.model.algoritme.SnelstePadAlgoritme;
import io.gameoftrades.model.algoritme.StedenTourAlgoritme;
import io.gameoftrades.model.lader.WereldLader;
/**
* Welkom bij Game of Trades!
*
* Voordat er begonnen kan worden moet eerst de 'studentNN' package omgenoemd worden
* zodat iedere groep zijn eigen namespace heeft. Vervang de NN met je groep nummer.
* Dus als je in groep 3 zit dan wordt de packagenaam 'student03' en ben je in groep
* 42 dan wordt de package naam 'student42'.
*
* Om te controleren of je het goed hebt gedaan is er de ProjectSanityTest die je kan draaien.
*
*/
public class HandelaarImpl implements Handelaar {
/**
* Opdracht 1, zie ook de handige test-set in WereldLaderImplTest.
*/
@Override
public WereldLader nieuweWereldLader() {
return new WereldLaderImpl();
}
/**
* Opdracht 2
<SUF>*/
@Override
public SnelstePadAlgoritme nieuwSnelstePadAlgoritme() {
// TODO Auto-generated method stub
return null;
}
/**
* Opdracht 3
*/
@Override
public StedenTourAlgoritme nieuwStedenTourAlgoritme() {
// TODO Auto-generated method stub
return null;
}
/**
* Opdracht 4
*/
@Override
public HandelsplanAlgoritme nieuwHandelsplanAlgoritme() {
// TODO Auto-generated method stub
return null;
}
}
|
1629_4 | package io.gameoftrades.studentNN;
import io.gameoftrades.model.Handelaar;
import io.gameoftrades.model.algoritme.HandelsplanAlgoritme;
import io.gameoftrades.model.algoritme.SnelstePadAlgoritme;
import io.gameoftrades.model.algoritme.StedenTourAlgoritme;
import io.gameoftrades.model.lader.WereldLader;
/**
* Welkom bij Game of Trades!
*
* Voordat er begonnen kan worden moet eerst de 'studentNN' package omgenoemd worden
* zodat iedere groep zijn eigen namespace heeft. Vervang de NN met je groep nummer.
* Dus als je in groep 3 zit dan wordt de packagenaam 'student03' en ben je in groep
* 42 dan wordt de package naam 'student42'.
*
* Om te controleren of je het goed hebt gedaan is er de ProjectSanityTest die je kan draaien.
*
*/
public class HandelaarImpl implements Handelaar {
/**
* Opdracht 1, zie ook de handige test-set in WereldLaderImplTest.
*/
@Override
public WereldLader nieuweWereldLader() {
return new WereldLaderImpl();
}
/**
* Opdracht 2
*/
@Override
public SnelstePadAlgoritme nieuwSnelstePadAlgoritme() {
// TODO Auto-generated method stub
return null;
}
/**
* Opdracht 3
*/
@Override
public StedenTourAlgoritme nieuwStedenTourAlgoritme() {
// TODO Auto-generated method stub
return null;
}
/**
* Opdracht 4
*/
@Override
public HandelsplanAlgoritme nieuwHandelsplanAlgoritme() {
// TODO Auto-generated method stub
return null;
}
}
| gameoftrades/gameoftrades-student-kit | src/main/java/io/gameoftrades/studentNN/HandelaarImpl.java | 465 | /**
* Opdracht 3
*/ | block_comment | nl | package io.gameoftrades.studentNN;
import io.gameoftrades.model.Handelaar;
import io.gameoftrades.model.algoritme.HandelsplanAlgoritme;
import io.gameoftrades.model.algoritme.SnelstePadAlgoritme;
import io.gameoftrades.model.algoritme.StedenTourAlgoritme;
import io.gameoftrades.model.lader.WereldLader;
/**
* Welkom bij Game of Trades!
*
* Voordat er begonnen kan worden moet eerst de 'studentNN' package omgenoemd worden
* zodat iedere groep zijn eigen namespace heeft. Vervang de NN met je groep nummer.
* Dus als je in groep 3 zit dan wordt de packagenaam 'student03' en ben je in groep
* 42 dan wordt de package naam 'student42'.
*
* Om te controleren of je het goed hebt gedaan is er de ProjectSanityTest die je kan draaien.
*
*/
public class HandelaarImpl implements Handelaar {
/**
* Opdracht 1, zie ook de handige test-set in WereldLaderImplTest.
*/
@Override
public WereldLader nieuweWereldLader() {
return new WereldLaderImpl();
}
/**
* Opdracht 2
*/
@Override
public SnelstePadAlgoritme nieuwSnelstePadAlgoritme() {
// TODO Auto-generated method stub
return null;
}
/**
* Opdracht 3
<SUF>*/
@Override
public StedenTourAlgoritme nieuwStedenTourAlgoritme() {
// TODO Auto-generated method stub
return null;
}
/**
* Opdracht 4
*/
@Override
public HandelsplanAlgoritme nieuwHandelsplanAlgoritme() {
// TODO Auto-generated method stub
return null;
}
}
|
1629_6 | package io.gameoftrades.studentNN;
import io.gameoftrades.model.Handelaar;
import io.gameoftrades.model.algoritme.HandelsplanAlgoritme;
import io.gameoftrades.model.algoritme.SnelstePadAlgoritme;
import io.gameoftrades.model.algoritme.StedenTourAlgoritme;
import io.gameoftrades.model.lader.WereldLader;
/**
* Welkom bij Game of Trades!
*
* Voordat er begonnen kan worden moet eerst de 'studentNN' package omgenoemd worden
* zodat iedere groep zijn eigen namespace heeft. Vervang de NN met je groep nummer.
* Dus als je in groep 3 zit dan wordt de packagenaam 'student03' en ben je in groep
* 42 dan wordt de package naam 'student42'.
*
* Om te controleren of je het goed hebt gedaan is er de ProjectSanityTest die je kan draaien.
*
*/
public class HandelaarImpl implements Handelaar {
/**
* Opdracht 1, zie ook de handige test-set in WereldLaderImplTest.
*/
@Override
public WereldLader nieuweWereldLader() {
return new WereldLaderImpl();
}
/**
* Opdracht 2
*/
@Override
public SnelstePadAlgoritme nieuwSnelstePadAlgoritme() {
// TODO Auto-generated method stub
return null;
}
/**
* Opdracht 3
*/
@Override
public StedenTourAlgoritme nieuwStedenTourAlgoritme() {
// TODO Auto-generated method stub
return null;
}
/**
* Opdracht 4
*/
@Override
public HandelsplanAlgoritme nieuwHandelsplanAlgoritme() {
// TODO Auto-generated method stub
return null;
}
}
| gameoftrades/gameoftrades-student-kit | src/main/java/io/gameoftrades/studentNN/HandelaarImpl.java | 465 | /**
* Opdracht 4
*/ | block_comment | nl | package io.gameoftrades.studentNN;
import io.gameoftrades.model.Handelaar;
import io.gameoftrades.model.algoritme.HandelsplanAlgoritme;
import io.gameoftrades.model.algoritme.SnelstePadAlgoritme;
import io.gameoftrades.model.algoritme.StedenTourAlgoritme;
import io.gameoftrades.model.lader.WereldLader;
/**
* Welkom bij Game of Trades!
*
* Voordat er begonnen kan worden moet eerst de 'studentNN' package omgenoemd worden
* zodat iedere groep zijn eigen namespace heeft. Vervang de NN met je groep nummer.
* Dus als je in groep 3 zit dan wordt de packagenaam 'student03' en ben je in groep
* 42 dan wordt de package naam 'student42'.
*
* Om te controleren of je het goed hebt gedaan is er de ProjectSanityTest die je kan draaien.
*
*/
public class HandelaarImpl implements Handelaar {
/**
* Opdracht 1, zie ook de handige test-set in WereldLaderImplTest.
*/
@Override
public WereldLader nieuweWereldLader() {
return new WereldLaderImpl();
}
/**
* Opdracht 2
*/
@Override
public SnelstePadAlgoritme nieuwSnelstePadAlgoritme() {
// TODO Auto-generated method stub
return null;
}
/**
* Opdracht 3
*/
@Override
public StedenTourAlgoritme nieuwStedenTourAlgoritme() {
// TODO Auto-generated method stub
return null;
}
/**
* Opdracht 4
<SUF>*/
@Override
public HandelsplanAlgoritme nieuwHandelsplanAlgoritme() {
// TODO Auto-generated method stub
return null;
}
}
|
1630_0 | package be.pxl.h4.oef5;
/*Geef het gewicht van een appel (in gram) via het toetsenbord.
*
* Maak een tabel om het gewicht van 1 tot 100 appels af te drukken als volgt:
*
* Aantal appels gewicht in gram
* 1 165
* 2 330
* ... ...
* 100 16500*/
import java.util.Scanner;
public class H4Oef5 {
public static void main(String[] args) {
//Aanmaken van Scanner en variabelen
Scanner keyboard = new Scanner(System.in);
int gewicht, aantal;
//Gegevens opvragen aan gebruiker
System.out.println("Gewicht appel (gram): ");
gewicht = keyboard.nextInt();
System.out.println("aantal appels gewicht in gram");
//Tabel maken en printen, lijn per lijn.
for(int i = 0; i < 100; i++) {
aantal = i + 1;
System.out.println(aantal + " " + (gewicht * aantal));
}
keyboard.close();
}
}
/*FOR VS WHILE LOOP
*
* We gebruiken een FOR loop als we weten hoeveel iteraties er nodig zijn
* We gebruiken een WHILE loop als we niet weten hoeveel iteraties er nodig zijn
*
* Voorbeeld met while loop staat in H4Oef5b
*
*/ | JoachimVeulemans/PXL-DIGITAL | PXL_DIGITAL_JAAR_1/Programming Basics/Oplossingen Oefeningen/H4/oef5/H4Oef5.java | 364 | /*Geef het gewicht van een appel (in gram) via het toetsenbord.
*
* Maak een tabel om het gewicht van 1 tot 100 appels af te drukken als volgt:
*
* Aantal appels gewicht in gram
* 1 165
* 2 330
* ... ...
* 100 16500*/ | block_comment | nl | package be.pxl.h4.oef5;
/*Geef het gewicht<SUF>*/
import java.util.Scanner;
public class H4Oef5 {
public static void main(String[] args) {
//Aanmaken van Scanner en variabelen
Scanner keyboard = new Scanner(System.in);
int gewicht, aantal;
//Gegevens opvragen aan gebruiker
System.out.println("Gewicht appel (gram): ");
gewicht = keyboard.nextInt();
System.out.println("aantal appels gewicht in gram");
//Tabel maken en printen, lijn per lijn.
for(int i = 0; i < 100; i++) {
aantal = i + 1;
System.out.println(aantal + " " + (gewicht * aantal));
}
keyboard.close();
}
}
/*FOR VS WHILE LOOP
*
* We gebruiken een FOR loop als we weten hoeveel iteraties er nodig zijn
* We gebruiken een WHILE loop als we niet weten hoeveel iteraties er nodig zijn
*
* Voorbeeld met while loop staat in H4Oef5b
*
*/ |
1630_1 | package be.pxl.h4.oef5;
/*Geef het gewicht van een appel (in gram) via het toetsenbord.
*
* Maak een tabel om het gewicht van 1 tot 100 appels af te drukken als volgt:
*
* Aantal appels gewicht in gram
* 1 165
* 2 330
* ... ...
* 100 16500*/
import java.util.Scanner;
public class H4Oef5 {
public static void main(String[] args) {
//Aanmaken van Scanner en variabelen
Scanner keyboard = new Scanner(System.in);
int gewicht, aantal;
//Gegevens opvragen aan gebruiker
System.out.println("Gewicht appel (gram): ");
gewicht = keyboard.nextInt();
System.out.println("aantal appels gewicht in gram");
//Tabel maken en printen, lijn per lijn.
for(int i = 0; i < 100; i++) {
aantal = i + 1;
System.out.println(aantal + " " + (gewicht * aantal));
}
keyboard.close();
}
}
/*FOR VS WHILE LOOP
*
* We gebruiken een FOR loop als we weten hoeveel iteraties er nodig zijn
* We gebruiken een WHILE loop als we niet weten hoeveel iteraties er nodig zijn
*
* Voorbeeld met while loop staat in H4Oef5b
*
*/ | JoachimVeulemans/PXL-DIGITAL | PXL_DIGITAL_JAAR_1/Programming Basics/Oplossingen Oefeningen/H4/oef5/H4Oef5.java | 364 | //Aanmaken van Scanner en variabelen | line_comment | nl | package be.pxl.h4.oef5;
/*Geef het gewicht van een appel (in gram) via het toetsenbord.
*
* Maak een tabel om het gewicht van 1 tot 100 appels af te drukken als volgt:
*
* Aantal appels gewicht in gram
* 1 165
* 2 330
* ... ...
* 100 16500*/
import java.util.Scanner;
public class H4Oef5 {
public static void main(String[] args) {
//Aanmaken van<SUF>
Scanner keyboard = new Scanner(System.in);
int gewicht, aantal;
//Gegevens opvragen aan gebruiker
System.out.println("Gewicht appel (gram): ");
gewicht = keyboard.nextInt();
System.out.println("aantal appels gewicht in gram");
//Tabel maken en printen, lijn per lijn.
for(int i = 0; i < 100; i++) {
aantal = i + 1;
System.out.println(aantal + " " + (gewicht * aantal));
}
keyboard.close();
}
}
/*FOR VS WHILE LOOP
*
* We gebruiken een FOR loop als we weten hoeveel iteraties er nodig zijn
* We gebruiken een WHILE loop als we niet weten hoeveel iteraties er nodig zijn
*
* Voorbeeld met while loop staat in H4Oef5b
*
*/ |
1630_3 | package be.pxl.h4.oef5;
/*Geef het gewicht van een appel (in gram) via het toetsenbord.
*
* Maak een tabel om het gewicht van 1 tot 100 appels af te drukken als volgt:
*
* Aantal appels gewicht in gram
* 1 165
* 2 330
* ... ...
* 100 16500*/
import java.util.Scanner;
public class H4Oef5 {
public static void main(String[] args) {
//Aanmaken van Scanner en variabelen
Scanner keyboard = new Scanner(System.in);
int gewicht, aantal;
//Gegevens opvragen aan gebruiker
System.out.println("Gewicht appel (gram): ");
gewicht = keyboard.nextInt();
System.out.println("aantal appels gewicht in gram");
//Tabel maken en printen, lijn per lijn.
for(int i = 0; i < 100; i++) {
aantal = i + 1;
System.out.println(aantal + " " + (gewicht * aantal));
}
keyboard.close();
}
}
/*FOR VS WHILE LOOP
*
* We gebruiken een FOR loop als we weten hoeveel iteraties er nodig zijn
* We gebruiken een WHILE loop als we niet weten hoeveel iteraties er nodig zijn
*
* Voorbeeld met while loop staat in H4Oef5b
*
*/ | JoachimVeulemans/PXL-DIGITAL | PXL_DIGITAL_JAAR_1/Programming Basics/Oplossingen Oefeningen/H4/oef5/H4Oef5.java | 364 | //Tabel maken en printen, lijn per lijn. | line_comment | nl | package be.pxl.h4.oef5;
/*Geef het gewicht van een appel (in gram) via het toetsenbord.
*
* Maak een tabel om het gewicht van 1 tot 100 appels af te drukken als volgt:
*
* Aantal appels gewicht in gram
* 1 165
* 2 330
* ... ...
* 100 16500*/
import java.util.Scanner;
public class H4Oef5 {
public static void main(String[] args) {
//Aanmaken van Scanner en variabelen
Scanner keyboard = new Scanner(System.in);
int gewicht, aantal;
//Gegevens opvragen aan gebruiker
System.out.println("Gewicht appel (gram): ");
gewicht = keyboard.nextInt();
System.out.println("aantal appels gewicht in gram");
//Tabel maken<SUF>
for(int i = 0; i < 100; i++) {
aantal = i + 1;
System.out.println(aantal + " " + (gewicht * aantal));
}
keyboard.close();
}
}
/*FOR VS WHILE LOOP
*
* We gebruiken een FOR loop als we weten hoeveel iteraties er nodig zijn
* We gebruiken een WHILE loop als we niet weten hoeveel iteraties er nodig zijn
*
* Voorbeeld met while loop staat in H4Oef5b
*
*/ |
1630_4 | package be.pxl.h4.oef5;
/*Geef het gewicht van een appel (in gram) via het toetsenbord.
*
* Maak een tabel om het gewicht van 1 tot 100 appels af te drukken als volgt:
*
* Aantal appels gewicht in gram
* 1 165
* 2 330
* ... ...
* 100 16500*/
import java.util.Scanner;
public class H4Oef5 {
public static void main(String[] args) {
//Aanmaken van Scanner en variabelen
Scanner keyboard = new Scanner(System.in);
int gewicht, aantal;
//Gegevens opvragen aan gebruiker
System.out.println("Gewicht appel (gram): ");
gewicht = keyboard.nextInt();
System.out.println("aantal appels gewicht in gram");
//Tabel maken en printen, lijn per lijn.
for(int i = 0; i < 100; i++) {
aantal = i + 1;
System.out.println(aantal + " " + (gewicht * aantal));
}
keyboard.close();
}
}
/*FOR VS WHILE LOOP
*
* We gebruiken een FOR loop als we weten hoeveel iteraties er nodig zijn
* We gebruiken een WHILE loop als we niet weten hoeveel iteraties er nodig zijn
*
* Voorbeeld met while loop staat in H4Oef5b
*
*/ | JoachimVeulemans/PXL-DIGITAL | PXL_DIGITAL_JAAR_1/Programming Basics/Oplossingen Oefeningen/H4/oef5/H4Oef5.java | 364 | /*FOR VS WHILE LOOP
*
* We gebruiken een FOR loop als we weten hoeveel iteraties er nodig zijn
* We gebruiken een WHILE loop als we niet weten hoeveel iteraties er nodig zijn
*
* Voorbeeld met while loop staat in H4Oef5b
*
*/ | block_comment | nl | package be.pxl.h4.oef5;
/*Geef het gewicht van een appel (in gram) via het toetsenbord.
*
* Maak een tabel om het gewicht van 1 tot 100 appels af te drukken als volgt:
*
* Aantal appels gewicht in gram
* 1 165
* 2 330
* ... ...
* 100 16500*/
import java.util.Scanner;
public class H4Oef5 {
public static void main(String[] args) {
//Aanmaken van Scanner en variabelen
Scanner keyboard = new Scanner(System.in);
int gewicht, aantal;
//Gegevens opvragen aan gebruiker
System.out.println("Gewicht appel (gram): ");
gewicht = keyboard.nextInt();
System.out.println("aantal appels gewicht in gram");
//Tabel maken en printen, lijn per lijn.
for(int i = 0; i < 100; i++) {
aantal = i + 1;
System.out.println(aantal + " " + (gewicht * aantal));
}
keyboard.close();
}
}
/*FOR VS WHILE<SUF>*/ |
1633_0 | import java.text.SimpleDateFormat;
import java.util.Date;
import java.text.DateFormat;
import java.text.ParseException;
public class Medicijn {
String merknaam;
String stofnaam;
int aantal;
int gewensteAantal;
int minimumAantal;
String fabrikant;
int prijs;
int kastID;
String houdbaarheid;//String die de datum voorstelt in het formaat "dd-MM-yyyy' zoals sdf.
boolean alGewaarschuwd;
boolean besteld;
public Medicijn(String merknaam, String stofnaam, int aantal, int gewensteAantal, int minimumAantal, String fabrikant, int prijs, int kastID, String houdbaarheid)
{
this.merknaam = merknaam;
this.stofnaam = stofnaam;
this.aantal = aantal;
this.gewensteAantal = gewensteAantal;
this.minimumAantal = minimumAantal;
this.fabrikant = fabrikant;
this.prijs = prijs;
this.kastID = kastID;
this.houdbaarheid = houdbaarheid;
alGewaarschuwd=false;
}
public int controleerOpAantal()
{
//return 0 als er genoeg zijn, en anders hoeveel er te weinig zijn.
if (aantal <= minimumAantal)
{
return gewensteAantal-aantal;
}
else
{
return 0;
}
}
public int controleerOpBeide() throws ParseException{
int hoogste = 0;
if(controleerOpHoudbaarheid()>controleerOpAantal())
hoogste = controleerOpHoudbaarheid();
else
hoogste=controleerOpAantal();
return hoogste;
}
public int controleerOpHoudbaarheid() throws ParseException
{
DateFormat sdf = new SimpleDateFormat("dd-MM-yyyy");
Date huidig = new Date();
Date houdbaarheidsDatum = sdf.parse(houdbaarheid); //zet String om naar Date om deze de kunnen vergelijken met huidig.
if (huidig.after(houdbaarheidsDatum) && alGewaarschuwd==false)
{
wijzigAantal(0); //indien niet meer houdbaar, moet het eruit en dient het programma
//de apotheker hiervan op de hoogte te houden.
Log.print();
System.out.println("Controle houdbaarheidsdatum "+ houdbaarheid +": ");
Log.print();
System.out.println("Gelieve "+geefMerknaam()+" uit kast "+geefKastID()+" te halen.");
return gewensteAantal; //Voorraadbeheer zal het gewensteAantal doorgeven in "besmedlist" om te bestellen.
}
else
{
return 0; //in alle andere gevallen wel houdbaar
}
}
public String geefMerknaam(){
return merknaam;
}
public int geefKastID()
{
return kastID;
}
public void wijzigMerknaam(String merknaam)
{
this.merknaam = merknaam;
}
public void wijzigStofnaam(String stofnaam)
{
this.stofnaam = stofnaam;
}
public void wijzigPlaatsBepaling(int kastID)
{
this.kastID = kastID;
}
public void wijzigAantal(int aantal)
{
this.aantal = aantal;
}
public void wijzigGewensteAantal(int aantal)
{
gewensteAantal = aantal;
}
public void wijzigMinimumAantal(int aantal)
{
minimumAantal = aantal;
}
public void wijzigFabrikant(String fabrikant)
{
this.fabrikant = fabrikant;
}
public void wijzigPrijs(int prijs)
{
this.prijs = prijs;
}
public void vermeerderMedicijnAantal(int vermeerder)
{
aantal = aantal + vermeerder;
}
}
| 4SDDeMeyerKaya/Voorraadbeheer4SD | src/Medicijn.java | 1,058 | //String die de datum voorstelt in het formaat "dd-MM-yyyy' zoals sdf.
| line_comment | nl | import java.text.SimpleDateFormat;
import java.util.Date;
import java.text.DateFormat;
import java.text.ParseException;
public class Medicijn {
String merknaam;
String stofnaam;
int aantal;
int gewensteAantal;
int minimumAantal;
String fabrikant;
int prijs;
int kastID;
String houdbaarheid;//String die<SUF>
boolean alGewaarschuwd;
boolean besteld;
public Medicijn(String merknaam, String stofnaam, int aantal, int gewensteAantal, int minimumAantal, String fabrikant, int prijs, int kastID, String houdbaarheid)
{
this.merknaam = merknaam;
this.stofnaam = stofnaam;
this.aantal = aantal;
this.gewensteAantal = gewensteAantal;
this.minimumAantal = minimumAantal;
this.fabrikant = fabrikant;
this.prijs = prijs;
this.kastID = kastID;
this.houdbaarheid = houdbaarheid;
alGewaarschuwd=false;
}
public int controleerOpAantal()
{
//return 0 als er genoeg zijn, en anders hoeveel er te weinig zijn.
if (aantal <= minimumAantal)
{
return gewensteAantal-aantal;
}
else
{
return 0;
}
}
public int controleerOpBeide() throws ParseException{
int hoogste = 0;
if(controleerOpHoudbaarheid()>controleerOpAantal())
hoogste = controleerOpHoudbaarheid();
else
hoogste=controleerOpAantal();
return hoogste;
}
public int controleerOpHoudbaarheid() throws ParseException
{
DateFormat sdf = new SimpleDateFormat("dd-MM-yyyy");
Date huidig = new Date();
Date houdbaarheidsDatum = sdf.parse(houdbaarheid); //zet String om naar Date om deze de kunnen vergelijken met huidig.
if (huidig.after(houdbaarheidsDatum) && alGewaarschuwd==false)
{
wijzigAantal(0); //indien niet meer houdbaar, moet het eruit en dient het programma
//de apotheker hiervan op de hoogte te houden.
Log.print();
System.out.println("Controle houdbaarheidsdatum "+ houdbaarheid +": ");
Log.print();
System.out.println("Gelieve "+geefMerknaam()+" uit kast "+geefKastID()+" te halen.");
return gewensteAantal; //Voorraadbeheer zal het gewensteAantal doorgeven in "besmedlist" om te bestellen.
}
else
{
return 0; //in alle andere gevallen wel houdbaar
}
}
public String geefMerknaam(){
return merknaam;
}
public int geefKastID()
{
return kastID;
}
public void wijzigMerknaam(String merknaam)
{
this.merknaam = merknaam;
}
public void wijzigStofnaam(String stofnaam)
{
this.stofnaam = stofnaam;
}
public void wijzigPlaatsBepaling(int kastID)
{
this.kastID = kastID;
}
public void wijzigAantal(int aantal)
{
this.aantal = aantal;
}
public void wijzigGewensteAantal(int aantal)
{
gewensteAantal = aantal;
}
public void wijzigMinimumAantal(int aantal)
{
minimumAantal = aantal;
}
public void wijzigFabrikant(String fabrikant)
{
this.fabrikant = fabrikant;
}
public void wijzigPrijs(int prijs)
{
this.prijs = prijs;
}
public void vermeerderMedicijnAantal(int vermeerder)
{
aantal = aantal + vermeerder;
}
}
|
1633_1 | import java.text.SimpleDateFormat;
import java.util.Date;
import java.text.DateFormat;
import java.text.ParseException;
public class Medicijn {
String merknaam;
String stofnaam;
int aantal;
int gewensteAantal;
int minimumAantal;
String fabrikant;
int prijs;
int kastID;
String houdbaarheid;//String die de datum voorstelt in het formaat "dd-MM-yyyy' zoals sdf.
boolean alGewaarschuwd;
boolean besteld;
public Medicijn(String merknaam, String stofnaam, int aantal, int gewensteAantal, int minimumAantal, String fabrikant, int prijs, int kastID, String houdbaarheid)
{
this.merknaam = merknaam;
this.stofnaam = stofnaam;
this.aantal = aantal;
this.gewensteAantal = gewensteAantal;
this.minimumAantal = minimumAantal;
this.fabrikant = fabrikant;
this.prijs = prijs;
this.kastID = kastID;
this.houdbaarheid = houdbaarheid;
alGewaarschuwd=false;
}
public int controleerOpAantal()
{
//return 0 als er genoeg zijn, en anders hoeveel er te weinig zijn.
if (aantal <= minimumAantal)
{
return gewensteAantal-aantal;
}
else
{
return 0;
}
}
public int controleerOpBeide() throws ParseException{
int hoogste = 0;
if(controleerOpHoudbaarheid()>controleerOpAantal())
hoogste = controleerOpHoudbaarheid();
else
hoogste=controleerOpAantal();
return hoogste;
}
public int controleerOpHoudbaarheid() throws ParseException
{
DateFormat sdf = new SimpleDateFormat("dd-MM-yyyy");
Date huidig = new Date();
Date houdbaarheidsDatum = sdf.parse(houdbaarheid); //zet String om naar Date om deze de kunnen vergelijken met huidig.
if (huidig.after(houdbaarheidsDatum) && alGewaarschuwd==false)
{
wijzigAantal(0); //indien niet meer houdbaar, moet het eruit en dient het programma
//de apotheker hiervan op de hoogte te houden.
Log.print();
System.out.println("Controle houdbaarheidsdatum "+ houdbaarheid +": ");
Log.print();
System.out.println("Gelieve "+geefMerknaam()+" uit kast "+geefKastID()+" te halen.");
return gewensteAantal; //Voorraadbeheer zal het gewensteAantal doorgeven in "besmedlist" om te bestellen.
}
else
{
return 0; //in alle andere gevallen wel houdbaar
}
}
public String geefMerknaam(){
return merknaam;
}
public int geefKastID()
{
return kastID;
}
public void wijzigMerknaam(String merknaam)
{
this.merknaam = merknaam;
}
public void wijzigStofnaam(String stofnaam)
{
this.stofnaam = stofnaam;
}
public void wijzigPlaatsBepaling(int kastID)
{
this.kastID = kastID;
}
public void wijzigAantal(int aantal)
{
this.aantal = aantal;
}
public void wijzigGewensteAantal(int aantal)
{
gewensteAantal = aantal;
}
public void wijzigMinimumAantal(int aantal)
{
minimumAantal = aantal;
}
public void wijzigFabrikant(String fabrikant)
{
this.fabrikant = fabrikant;
}
public void wijzigPrijs(int prijs)
{
this.prijs = prijs;
}
public void vermeerderMedicijnAantal(int vermeerder)
{
aantal = aantal + vermeerder;
}
}
| 4SDDeMeyerKaya/Voorraadbeheer4SD | src/Medicijn.java | 1,058 | //return 0 als er genoeg zijn, en anders hoeveel er te weinig zijn.
| line_comment | nl | import java.text.SimpleDateFormat;
import java.util.Date;
import java.text.DateFormat;
import java.text.ParseException;
public class Medicijn {
String merknaam;
String stofnaam;
int aantal;
int gewensteAantal;
int minimumAantal;
String fabrikant;
int prijs;
int kastID;
String houdbaarheid;//String die de datum voorstelt in het formaat "dd-MM-yyyy' zoals sdf.
boolean alGewaarschuwd;
boolean besteld;
public Medicijn(String merknaam, String stofnaam, int aantal, int gewensteAantal, int minimumAantal, String fabrikant, int prijs, int kastID, String houdbaarheid)
{
this.merknaam = merknaam;
this.stofnaam = stofnaam;
this.aantal = aantal;
this.gewensteAantal = gewensteAantal;
this.minimumAantal = minimumAantal;
this.fabrikant = fabrikant;
this.prijs = prijs;
this.kastID = kastID;
this.houdbaarheid = houdbaarheid;
alGewaarschuwd=false;
}
public int controleerOpAantal()
{
//return 0<SUF>
if (aantal <= minimumAantal)
{
return gewensteAantal-aantal;
}
else
{
return 0;
}
}
public int controleerOpBeide() throws ParseException{
int hoogste = 0;
if(controleerOpHoudbaarheid()>controleerOpAantal())
hoogste = controleerOpHoudbaarheid();
else
hoogste=controleerOpAantal();
return hoogste;
}
public int controleerOpHoudbaarheid() throws ParseException
{
DateFormat sdf = new SimpleDateFormat("dd-MM-yyyy");
Date huidig = new Date();
Date houdbaarheidsDatum = sdf.parse(houdbaarheid); //zet String om naar Date om deze de kunnen vergelijken met huidig.
if (huidig.after(houdbaarheidsDatum) && alGewaarschuwd==false)
{
wijzigAantal(0); //indien niet meer houdbaar, moet het eruit en dient het programma
//de apotheker hiervan op de hoogte te houden.
Log.print();
System.out.println("Controle houdbaarheidsdatum "+ houdbaarheid +": ");
Log.print();
System.out.println("Gelieve "+geefMerknaam()+" uit kast "+geefKastID()+" te halen.");
return gewensteAantal; //Voorraadbeheer zal het gewensteAantal doorgeven in "besmedlist" om te bestellen.
}
else
{
return 0; //in alle andere gevallen wel houdbaar
}
}
public String geefMerknaam(){
return merknaam;
}
public int geefKastID()
{
return kastID;
}
public void wijzigMerknaam(String merknaam)
{
this.merknaam = merknaam;
}
public void wijzigStofnaam(String stofnaam)
{
this.stofnaam = stofnaam;
}
public void wijzigPlaatsBepaling(int kastID)
{
this.kastID = kastID;
}
public void wijzigAantal(int aantal)
{
this.aantal = aantal;
}
public void wijzigGewensteAantal(int aantal)
{
gewensteAantal = aantal;
}
public void wijzigMinimumAantal(int aantal)
{
minimumAantal = aantal;
}
public void wijzigFabrikant(String fabrikant)
{
this.fabrikant = fabrikant;
}
public void wijzigPrijs(int prijs)
{
this.prijs = prijs;
}
public void vermeerderMedicijnAantal(int vermeerder)
{
aantal = aantal + vermeerder;
}
}
|
1633_2 | import java.text.SimpleDateFormat;
import java.util.Date;
import java.text.DateFormat;
import java.text.ParseException;
public class Medicijn {
String merknaam;
String stofnaam;
int aantal;
int gewensteAantal;
int minimumAantal;
String fabrikant;
int prijs;
int kastID;
String houdbaarheid;//String die de datum voorstelt in het formaat "dd-MM-yyyy' zoals sdf.
boolean alGewaarschuwd;
boolean besteld;
public Medicijn(String merknaam, String stofnaam, int aantal, int gewensteAantal, int minimumAantal, String fabrikant, int prijs, int kastID, String houdbaarheid)
{
this.merknaam = merknaam;
this.stofnaam = stofnaam;
this.aantal = aantal;
this.gewensteAantal = gewensteAantal;
this.minimumAantal = minimumAantal;
this.fabrikant = fabrikant;
this.prijs = prijs;
this.kastID = kastID;
this.houdbaarheid = houdbaarheid;
alGewaarschuwd=false;
}
public int controleerOpAantal()
{
//return 0 als er genoeg zijn, en anders hoeveel er te weinig zijn.
if (aantal <= minimumAantal)
{
return gewensteAantal-aantal;
}
else
{
return 0;
}
}
public int controleerOpBeide() throws ParseException{
int hoogste = 0;
if(controleerOpHoudbaarheid()>controleerOpAantal())
hoogste = controleerOpHoudbaarheid();
else
hoogste=controleerOpAantal();
return hoogste;
}
public int controleerOpHoudbaarheid() throws ParseException
{
DateFormat sdf = new SimpleDateFormat("dd-MM-yyyy");
Date huidig = new Date();
Date houdbaarheidsDatum = sdf.parse(houdbaarheid); //zet String om naar Date om deze de kunnen vergelijken met huidig.
if (huidig.after(houdbaarheidsDatum) && alGewaarschuwd==false)
{
wijzigAantal(0); //indien niet meer houdbaar, moet het eruit en dient het programma
//de apotheker hiervan op de hoogte te houden.
Log.print();
System.out.println("Controle houdbaarheidsdatum "+ houdbaarheid +": ");
Log.print();
System.out.println("Gelieve "+geefMerknaam()+" uit kast "+geefKastID()+" te halen.");
return gewensteAantal; //Voorraadbeheer zal het gewensteAantal doorgeven in "besmedlist" om te bestellen.
}
else
{
return 0; //in alle andere gevallen wel houdbaar
}
}
public String geefMerknaam(){
return merknaam;
}
public int geefKastID()
{
return kastID;
}
public void wijzigMerknaam(String merknaam)
{
this.merknaam = merknaam;
}
public void wijzigStofnaam(String stofnaam)
{
this.stofnaam = stofnaam;
}
public void wijzigPlaatsBepaling(int kastID)
{
this.kastID = kastID;
}
public void wijzigAantal(int aantal)
{
this.aantal = aantal;
}
public void wijzigGewensteAantal(int aantal)
{
gewensteAantal = aantal;
}
public void wijzigMinimumAantal(int aantal)
{
minimumAantal = aantal;
}
public void wijzigFabrikant(String fabrikant)
{
this.fabrikant = fabrikant;
}
public void wijzigPrijs(int prijs)
{
this.prijs = prijs;
}
public void vermeerderMedicijnAantal(int vermeerder)
{
aantal = aantal + vermeerder;
}
}
| 4SDDeMeyerKaya/Voorraadbeheer4SD | src/Medicijn.java | 1,058 | //zet String om naar Date om deze de kunnen vergelijken met huidig.
| line_comment | nl | import java.text.SimpleDateFormat;
import java.util.Date;
import java.text.DateFormat;
import java.text.ParseException;
public class Medicijn {
String merknaam;
String stofnaam;
int aantal;
int gewensteAantal;
int minimumAantal;
String fabrikant;
int prijs;
int kastID;
String houdbaarheid;//String die de datum voorstelt in het formaat "dd-MM-yyyy' zoals sdf.
boolean alGewaarschuwd;
boolean besteld;
public Medicijn(String merknaam, String stofnaam, int aantal, int gewensteAantal, int minimumAantal, String fabrikant, int prijs, int kastID, String houdbaarheid)
{
this.merknaam = merknaam;
this.stofnaam = stofnaam;
this.aantal = aantal;
this.gewensteAantal = gewensteAantal;
this.minimumAantal = minimumAantal;
this.fabrikant = fabrikant;
this.prijs = prijs;
this.kastID = kastID;
this.houdbaarheid = houdbaarheid;
alGewaarschuwd=false;
}
public int controleerOpAantal()
{
//return 0 als er genoeg zijn, en anders hoeveel er te weinig zijn.
if (aantal <= minimumAantal)
{
return gewensteAantal-aantal;
}
else
{
return 0;
}
}
public int controleerOpBeide() throws ParseException{
int hoogste = 0;
if(controleerOpHoudbaarheid()>controleerOpAantal())
hoogste = controleerOpHoudbaarheid();
else
hoogste=controleerOpAantal();
return hoogste;
}
public int controleerOpHoudbaarheid() throws ParseException
{
DateFormat sdf = new SimpleDateFormat("dd-MM-yyyy");
Date huidig = new Date();
Date houdbaarheidsDatum = sdf.parse(houdbaarheid); //zet String<SUF>
if (huidig.after(houdbaarheidsDatum) && alGewaarschuwd==false)
{
wijzigAantal(0); //indien niet meer houdbaar, moet het eruit en dient het programma
//de apotheker hiervan op de hoogte te houden.
Log.print();
System.out.println("Controle houdbaarheidsdatum "+ houdbaarheid +": ");
Log.print();
System.out.println("Gelieve "+geefMerknaam()+" uit kast "+geefKastID()+" te halen.");
return gewensteAantal; //Voorraadbeheer zal het gewensteAantal doorgeven in "besmedlist" om te bestellen.
}
else
{
return 0; //in alle andere gevallen wel houdbaar
}
}
public String geefMerknaam(){
return merknaam;
}
public int geefKastID()
{
return kastID;
}
public void wijzigMerknaam(String merknaam)
{
this.merknaam = merknaam;
}
public void wijzigStofnaam(String stofnaam)
{
this.stofnaam = stofnaam;
}
public void wijzigPlaatsBepaling(int kastID)
{
this.kastID = kastID;
}
public void wijzigAantal(int aantal)
{
this.aantal = aantal;
}
public void wijzigGewensteAantal(int aantal)
{
gewensteAantal = aantal;
}
public void wijzigMinimumAantal(int aantal)
{
minimumAantal = aantal;
}
public void wijzigFabrikant(String fabrikant)
{
this.fabrikant = fabrikant;
}
public void wijzigPrijs(int prijs)
{
this.prijs = prijs;
}
public void vermeerderMedicijnAantal(int vermeerder)
{
aantal = aantal + vermeerder;
}
}
|
1633_3 | import java.text.SimpleDateFormat;
import java.util.Date;
import java.text.DateFormat;
import java.text.ParseException;
public class Medicijn {
String merknaam;
String stofnaam;
int aantal;
int gewensteAantal;
int minimumAantal;
String fabrikant;
int prijs;
int kastID;
String houdbaarheid;//String die de datum voorstelt in het formaat "dd-MM-yyyy' zoals sdf.
boolean alGewaarschuwd;
boolean besteld;
public Medicijn(String merknaam, String stofnaam, int aantal, int gewensteAantal, int minimumAantal, String fabrikant, int prijs, int kastID, String houdbaarheid)
{
this.merknaam = merknaam;
this.stofnaam = stofnaam;
this.aantal = aantal;
this.gewensteAantal = gewensteAantal;
this.minimumAantal = minimumAantal;
this.fabrikant = fabrikant;
this.prijs = prijs;
this.kastID = kastID;
this.houdbaarheid = houdbaarheid;
alGewaarschuwd=false;
}
public int controleerOpAantal()
{
//return 0 als er genoeg zijn, en anders hoeveel er te weinig zijn.
if (aantal <= minimumAantal)
{
return gewensteAantal-aantal;
}
else
{
return 0;
}
}
public int controleerOpBeide() throws ParseException{
int hoogste = 0;
if(controleerOpHoudbaarheid()>controleerOpAantal())
hoogste = controleerOpHoudbaarheid();
else
hoogste=controleerOpAantal();
return hoogste;
}
public int controleerOpHoudbaarheid() throws ParseException
{
DateFormat sdf = new SimpleDateFormat("dd-MM-yyyy");
Date huidig = new Date();
Date houdbaarheidsDatum = sdf.parse(houdbaarheid); //zet String om naar Date om deze de kunnen vergelijken met huidig.
if (huidig.after(houdbaarheidsDatum) && alGewaarschuwd==false)
{
wijzigAantal(0); //indien niet meer houdbaar, moet het eruit en dient het programma
//de apotheker hiervan op de hoogte te houden.
Log.print();
System.out.println("Controle houdbaarheidsdatum "+ houdbaarheid +": ");
Log.print();
System.out.println("Gelieve "+geefMerknaam()+" uit kast "+geefKastID()+" te halen.");
return gewensteAantal; //Voorraadbeheer zal het gewensteAantal doorgeven in "besmedlist" om te bestellen.
}
else
{
return 0; //in alle andere gevallen wel houdbaar
}
}
public String geefMerknaam(){
return merknaam;
}
public int geefKastID()
{
return kastID;
}
public void wijzigMerknaam(String merknaam)
{
this.merknaam = merknaam;
}
public void wijzigStofnaam(String stofnaam)
{
this.stofnaam = stofnaam;
}
public void wijzigPlaatsBepaling(int kastID)
{
this.kastID = kastID;
}
public void wijzigAantal(int aantal)
{
this.aantal = aantal;
}
public void wijzigGewensteAantal(int aantal)
{
gewensteAantal = aantal;
}
public void wijzigMinimumAantal(int aantal)
{
minimumAantal = aantal;
}
public void wijzigFabrikant(String fabrikant)
{
this.fabrikant = fabrikant;
}
public void wijzigPrijs(int prijs)
{
this.prijs = prijs;
}
public void vermeerderMedicijnAantal(int vermeerder)
{
aantal = aantal + vermeerder;
}
}
| 4SDDeMeyerKaya/Voorraadbeheer4SD | src/Medicijn.java | 1,058 | //indien niet meer houdbaar, moet het eruit en dient het programma
| line_comment | nl | import java.text.SimpleDateFormat;
import java.util.Date;
import java.text.DateFormat;
import java.text.ParseException;
public class Medicijn {
String merknaam;
String stofnaam;
int aantal;
int gewensteAantal;
int minimumAantal;
String fabrikant;
int prijs;
int kastID;
String houdbaarheid;//String die de datum voorstelt in het formaat "dd-MM-yyyy' zoals sdf.
boolean alGewaarschuwd;
boolean besteld;
public Medicijn(String merknaam, String stofnaam, int aantal, int gewensteAantal, int minimumAantal, String fabrikant, int prijs, int kastID, String houdbaarheid)
{
this.merknaam = merknaam;
this.stofnaam = stofnaam;
this.aantal = aantal;
this.gewensteAantal = gewensteAantal;
this.minimumAantal = minimumAantal;
this.fabrikant = fabrikant;
this.prijs = prijs;
this.kastID = kastID;
this.houdbaarheid = houdbaarheid;
alGewaarschuwd=false;
}
public int controleerOpAantal()
{
//return 0 als er genoeg zijn, en anders hoeveel er te weinig zijn.
if (aantal <= minimumAantal)
{
return gewensteAantal-aantal;
}
else
{
return 0;
}
}
public int controleerOpBeide() throws ParseException{
int hoogste = 0;
if(controleerOpHoudbaarheid()>controleerOpAantal())
hoogste = controleerOpHoudbaarheid();
else
hoogste=controleerOpAantal();
return hoogste;
}
public int controleerOpHoudbaarheid() throws ParseException
{
DateFormat sdf = new SimpleDateFormat("dd-MM-yyyy");
Date huidig = new Date();
Date houdbaarheidsDatum = sdf.parse(houdbaarheid); //zet String om naar Date om deze de kunnen vergelijken met huidig.
if (huidig.after(houdbaarheidsDatum) && alGewaarschuwd==false)
{
wijzigAantal(0); //indien niet<SUF>
//de apotheker hiervan op de hoogte te houden.
Log.print();
System.out.println("Controle houdbaarheidsdatum "+ houdbaarheid +": ");
Log.print();
System.out.println("Gelieve "+geefMerknaam()+" uit kast "+geefKastID()+" te halen.");
return gewensteAantal; //Voorraadbeheer zal het gewensteAantal doorgeven in "besmedlist" om te bestellen.
}
else
{
return 0; //in alle andere gevallen wel houdbaar
}
}
public String geefMerknaam(){
return merknaam;
}
public int geefKastID()
{
return kastID;
}
public void wijzigMerknaam(String merknaam)
{
this.merknaam = merknaam;
}
public void wijzigStofnaam(String stofnaam)
{
this.stofnaam = stofnaam;
}
public void wijzigPlaatsBepaling(int kastID)
{
this.kastID = kastID;
}
public void wijzigAantal(int aantal)
{
this.aantal = aantal;
}
public void wijzigGewensteAantal(int aantal)
{
gewensteAantal = aantal;
}
public void wijzigMinimumAantal(int aantal)
{
minimumAantal = aantal;
}
public void wijzigFabrikant(String fabrikant)
{
this.fabrikant = fabrikant;
}
public void wijzigPrijs(int prijs)
{
this.prijs = prijs;
}
public void vermeerderMedicijnAantal(int vermeerder)
{
aantal = aantal + vermeerder;
}
}
|
1633_4 | import java.text.SimpleDateFormat;
import java.util.Date;
import java.text.DateFormat;
import java.text.ParseException;
public class Medicijn {
String merknaam;
String stofnaam;
int aantal;
int gewensteAantal;
int minimumAantal;
String fabrikant;
int prijs;
int kastID;
String houdbaarheid;//String die de datum voorstelt in het formaat "dd-MM-yyyy' zoals sdf.
boolean alGewaarschuwd;
boolean besteld;
public Medicijn(String merknaam, String stofnaam, int aantal, int gewensteAantal, int minimumAantal, String fabrikant, int prijs, int kastID, String houdbaarheid)
{
this.merknaam = merknaam;
this.stofnaam = stofnaam;
this.aantal = aantal;
this.gewensteAantal = gewensteAantal;
this.minimumAantal = minimumAantal;
this.fabrikant = fabrikant;
this.prijs = prijs;
this.kastID = kastID;
this.houdbaarheid = houdbaarheid;
alGewaarschuwd=false;
}
public int controleerOpAantal()
{
//return 0 als er genoeg zijn, en anders hoeveel er te weinig zijn.
if (aantal <= minimumAantal)
{
return gewensteAantal-aantal;
}
else
{
return 0;
}
}
public int controleerOpBeide() throws ParseException{
int hoogste = 0;
if(controleerOpHoudbaarheid()>controleerOpAantal())
hoogste = controleerOpHoudbaarheid();
else
hoogste=controleerOpAantal();
return hoogste;
}
public int controleerOpHoudbaarheid() throws ParseException
{
DateFormat sdf = new SimpleDateFormat("dd-MM-yyyy");
Date huidig = new Date();
Date houdbaarheidsDatum = sdf.parse(houdbaarheid); //zet String om naar Date om deze de kunnen vergelijken met huidig.
if (huidig.after(houdbaarheidsDatum) && alGewaarschuwd==false)
{
wijzigAantal(0); //indien niet meer houdbaar, moet het eruit en dient het programma
//de apotheker hiervan op de hoogte te houden.
Log.print();
System.out.println("Controle houdbaarheidsdatum "+ houdbaarheid +": ");
Log.print();
System.out.println("Gelieve "+geefMerknaam()+" uit kast "+geefKastID()+" te halen.");
return gewensteAantal; //Voorraadbeheer zal het gewensteAantal doorgeven in "besmedlist" om te bestellen.
}
else
{
return 0; //in alle andere gevallen wel houdbaar
}
}
public String geefMerknaam(){
return merknaam;
}
public int geefKastID()
{
return kastID;
}
public void wijzigMerknaam(String merknaam)
{
this.merknaam = merknaam;
}
public void wijzigStofnaam(String stofnaam)
{
this.stofnaam = stofnaam;
}
public void wijzigPlaatsBepaling(int kastID)
{
this.kastID = kastID;
}
public void wijzigAantal(int aantal)
{
this.aantal = aantal;
}
public void wijzigGewensteAantal(int aantal)
{
gewensteAantal = aantal;
}
public void wijzigMinimumAantal(int aantal)
{
minimumAantal = aantal;
}
public void wijzigFabrikant(String fabrikant)
{
this.fabrikant = fabrikant;
}
public void wijzigPrijs(int prijs)
{
this.prijs = prijs;
}
public void vermeerderMedicijnAantal(int vermeerder)
{
aantal = aantal + vermeerder;
}
}
| 4SDDeMeyerKaya/Voorraadbeheer4SD | src/Medicijn.java | 1,058 | //de apotheker hiervan op de hoogte te houden.
| line_comment | nl | import java.text.SimpleDateFormat;
import java.util.Date;
import java.text.DateFormat;
import java.text.ParseException;
public class Medicijn {
String merknaam;
String stofnaam;
int aantal;
int gewensteAantal;
int minimumAantal;
String fabrikant;
int prijs;
int kastID;
String houdbaarheid;//String die de datum voorstelt in het formaat "dd-MM-yyyy' zoals sdf.
boolean alGewaarschuwd;
boolean besteld;
public Medicijn(String merknaam, String stofnaam, int aantal, int gewensteAantal, int minimumAantal, String fabrikant, int prijs, int kastID, String houdbaarheid)
{
this.merknaam = merknaam;
this.stofnaam = stofnaam;
this.aantal = aantal;
this.gewensteAantal = gewensteAantal;
this.minimumAantal = minimumAantal;
this.fabrikant = fabrikant;
this.prijs = prijs;
this.kastID = kastID;
this.houdbaarheid = houdbaarheid;
alGewaarschuwd=false;
}
public int controleerOpAantal()
{
//return 0 als er genoeg zijn, en anders hoeveel er te weinig zijn.
if (aantal <= minimumAantal)
{
return gewensteAantal-aantal;
}
else
{
return 0;
}
}
public int controleerOpBeide() throws ParseException{
int hoogste = 0;
if(controleerOpHoudbaarheid()>controleerOpAantal())
hoogste = controleerOpHoudbaarheid();
else
hoogste=controleerOpAantal();
return hoogste;
}
public int controleerOpHoudbaarheid() throws ParseException
{
DateFormat sdf = new SimpleDateFormat("dd-MM-yyyy");
Date huidig = new Date();
Date houdbaarheidsDatum = sdf.parse(houdbaarheid); //zet String om naar Date om deze de kunnen vergelijken met huidig.
if (huidig.after(houdbaarheidsDatum) && alGewaarschuwd==false)
{
wijzigAantal(0); //indien niet meer houdbaar, moet het eruit en dient het programma
//de apotheker<SUF>
Log.print();
System.out.println("Controle houdbaarheidsdatum "+ houdbaarheid +": ");
Log.print();
System.out.println("Gelieve "+geefMerknaam()+" uit kast "+geefKastID()+" te halen.");
return gewensteAantal; //Voorraadbeheer zal het gewensteAantal doorgeven in "besmedlist" om te bestellen.
}
else
{
return 0; //in alle andere gevallen wel houdbaar
}
}
public String geefMerknaam(){
return merknaam;
}
public int geefKastID()
{
return kastID;
}
public void wijzigMerknaam(String merknaam)
{
this.merknaam = merknaam;
}
public void wijzigStofnaam(String stofnaam)
{
this.stofnaam = stofnaam;
}
public void wijzigPlaatsBepaling(int kastID)
{
this.kastID = kastID;
}
public void wijzigAantal(int aantal)
{
this.aantal = aantal;
}
public void wijzigGewensteAantal(int aantal)
{
gewensteAantal = aantal;
}
public void wijzigMinimumAantal(int aantal)
{
minimumAantal = aantal;
}
public void wijzigFabrikant(String fabrikant)
{
this.fabrikant = fabrikant;
}
public void wijzigPrijs(int prijs)
{
this.prijs = prijs;
}
public void vermeerderMedicijnAantal(int vermeerder)
{
aantal = aantal + vermeerder;
}
}
|
1633_5 | import java.text.SimpleDateFormat;
import java.util.Date;
import java.text.DateFormat;
import java.text.ParseException;
public class Medicijn {
String merknaam;
String stofnaam;
int aantal;
int gewensteAantal;
int minimumAantal;
String fabrikant;
int prijs;
int kastID;
String houdbaarheid;//String die de datum voorstelt in het formaat "dd-MM-yyyy' zoals sdf.
boolean alGewaarschuwd;
boolean besteld;
public Medicijn(String merknaam, String stofnaam, int aantal, int gewensteAantal, int minimumAantal, String fabrikant, int prijs, int kastID, String houdbaarheid)
{
this.merknaam = merknaam;
this.stofnaam = stofnaam;
this.aantal = aantal;
this.gewensteAantal = gewensteAantal;
this.minimumAantal = minimumAantal;
this.fabrikant = fabrikant;
this.prijs = prijs;
this.kastID = kastID;
this.houdbaarheid = houdbaarheid;
alGewaarschuwd=false;
}
public int controleerOpAantal()
{
//return 0 als er genoeg zijn, en anders hoeveel er te weinig zijn.
if (aantal <= minimumAantal)
{
return gewensteAantal-aantal;
}
else
{
return 0;
}
}
public int controleerOpBeide() throws ParseException{
int hoogste = 0;
if(controleerOpHoudbaarheid()>controleerOpAantal())
hoogste = controleerOpHoudbaarheid();
else
hoogste=controleerOpAantal();
return hoogste;
}
public int controleerOpHoudbaarheid() throws ParseException
{
DateFormat sdf = new SimpleDateFormat("dd-MM-yyyy");
Date huidig = new Date();
Date houdbaarheidsDatum = sdf.parse(houdbaarheid); //zet String om naar Date om deze de kunnen vergelijken met huidig.
if (huidig.after(houdbaarheidsDatum) && alGewaarschuwd==false)
{
wijzigAantal(0); //indien niet meer houdbaar, moet het eruit en dient het programma
//de apotheker hiervan op de hoogte te houden.
Log.print();
System.out.println("Controle houdbaarheidsdatum "+ houdbaarheid +": ");
Log.print();
System.out.println("Gelieve "+geefMerknaam()+" uit kast "+geefKastID()+" te halen.");
return gewensteAantal; //Voorraadbeheer zal het gewensteAantal doorgeven in "besmedlist" om te bestellen.
}
else
{
return 0; //in alle andere gevallen wel houdbaar
}
}
public String geefMerknaam(){
return merknaam;
}
public int geefKastID()
{
return kastID;
}
public void wijzigMerknaam(String merknaam)
{
this.merknaam = merknaam;
}
public void wijzigStofnaam(String stofnaam)
{
this.stofnaam = stofnaam;
}
public void wijzigPlaatsBepaling(int kastID)
{
this.kastID = kastID;
}
public void wijzigAantal(int aantal)
{
this.aantal = aantal;
}
public void wijzigGewensteAantal(int aantal)
{
gewensteAantal = aantal;
}
public void wijzigMinimumAantal(int aantal)
{
minimumAantal = aantal;
}
public void wijzigFabrikant(String fabrikant)
{
this.fabrikant = fabrikant;
}
public void wijzigPrijs(int prijs)
{
this.prijs = prijs;
}
public void vermeerderMedicijnAantal(int vermeerder)
{
aantal = aantal + vermeerder;
}
}
| 4SDDeMeyerKaya/Voorraadbeheer4SD | src/Medicijn.java | 1,058 | //Voorraadbeheer zal het gewensteAantal doorgeven in "besmedlist" om te bestellen.
| line_comment | nl | import java.text.SimpleDateFormat;
import java.util.Date;
import java.text.DateFormat;
import java.text.ParseException;
public class Medicijn {
String merknaam;
String stofnaam;
int aantal;
int gewensteAantal;
int minimumAantal;
String fabrikant;
int prijs;
int kastID;
String houdbaarheid;//String die de datum voorstelt in het formaat "dd-MM-yyyy' zoals sdf.
boolean alGewaarschuwd;
boolean besteld;
public Medicijn(String merknaam, String stofnaam, int aantal, int gewensteAantal, int minimumAantal, String fabrikant, int prijs, int kastID, String houdbaarheid)
{
this.merknaam = merknaam;
this.stofnaam = stofnaam;
this.aantal = aantal;
this.gewensteAantal = gewensteAantal;
this.minimumAantal = minimumAantal;
this.fabrikant = fabrikant;
this.prijs = prijs;
this.kastID = kastID;
this.houdbaarheid = houdbaarheid;
alGewaarschuwd=false;
}
public int controleerOpAantal()
{
//return 0 als er genoeg zijn, en anders hoeveel er te weinig zijn.
if (aantal <= minimumAantal)
{
return gewensteAantal-aantal;
}
else
{
return 0;
}
}
public int controleerOpBeide() throws ParseException{
int hoogste = 0;
if(controleerOpHoudbaarheid()>controleerOpAantal())
hoogste = controleerOpHoudbaarheid();
else
hoogste=controleerOpAantal();
return hoogste;
}
public int controleerOpHoudbaarheid() throws ParseException
{
DateFormat sdf = new SimpleDateFormat("dd-MM-yyyy");
Date huidig = new Date();
Date houdbaarheidsDatum = sdf.parse(houdbaarheid); //zet String om naar Date om deze de kunnen vergelijken met huidig.
if (huidig.after(houdbaarheidsDatum) && alGewaarschuwd==false)
{
wijzigAantal(0); //indien niet meer houdbaar, moet het eruit en dient het programma
//de apotheker hiervan op de hoogte te houden.
Log.print();
System.out.println("Controle houdbaarheidsdatum "+ houdbaarheid +": ");
Log.print();
System.out.println("Gelieve "+geefMerknaam()+" uit kast "+geefKastID()+" te halen.");
return gewensteAantal; //Voorraadbeheer zal<SUF>
}
else
{
return 0; //in alle andere gevallen wel houdbaar
}
}
public String geefMerknaam(){
return merknaam;
}
public int geefKastID()
{
return kastID;
}
public void wijzigMerknaam(String merknaam)
{
this.merknaam = merknaam;
}
public void wijzigStofnaam(String stofnaam)
{
this.stofnaam = stofnaam;
}
public void wijzigPlaatsBepaling(int kastID)
{
this.kastID = kastID;
}
public void wijzigAantal(int aantal)
{
this.aantal = aantal;
}
public void wijzigGewensteAantal(int aantal)
{
gewensteAantal = aantal;
}
public void wijzigMinimumAantal(int aantal)
{
minimumAantal = aantal;
}
public void wijzigFabrikant(String fabrikant)
{
this.fabrikant = fabrikant;
}
public void wijzigPrijs(int prijs)
{
this.prijs = prijs;
}
public void vermeerderMedicijnAantal(int vermeerder)
{
aantal = aantal + vermeerder;
}
}
|
1633_6 | import java.text.SimpleDateFormat;
import java.util.Date;
import java.text.DateFormat;
import java.text.ParseException;
public class Medicijn {
String merknaam;
String stofnaam;
int aantal;
int gewensteAantal;
int minimumAantal;
String fabrikant;
int prijs;
int kastID;
String houdbaarheid;//String die de datum voorstelt in het formaat "dd-MM-yyyy' zoals sdf.
boolean alGewaarschuwd;
boolean besteld;
public Medicijn(String merknaam, String stofnaam, int aantal, int gewensteAantal, int minimumAantal, String fabrikant, int prijs, int kastID, String houdbaarheid)
{
this.merknaam = merknaam;
this.stofnaam = stofnaam;
this.aantal = aantal;
this.gewensteAantal = gewensteAantal;
this.minimumAantal = minimumAantal;
this.fabrikant = fabrikant;
this.prijs = prijs;
this.kastID = kastID;
this.houdbaarheid = houdbaarheid;
alGewaarschuwd=false;
}
public int controleerOpAantal()
{
//return 0 als er genoeg zijn, en anders hoeveel er te weinig zijn.
if (aantal <= minimumAantal)
{
return gewensteAantal-aantal;
}
else
{
return 0;
}
}
public int controleerOpBeide() throws ParseException{
int hoogste = 0;
if(controleerOpHoudbaarheid()>controleerOpAantal())
hoogste = controleerOpHoudbaarheid();
else
hoogste=controleerOpAantal();
return hoogste;
}
public int controleerOpHoudbaarheid() throws ParseException
{
DateFormat sdf = new SimpleDateFormat("dd-MM-yyyy");
Date huidig = new Date();
Date houdbaarheidsDatum = sdf.parse(houdbaarheid); //zet String om naar Date om deze de kunnen vergelijken met huidig.
if (huidig.after(houdbaarheidsDatum) && alGewaarschuwd==false)
{
wijzigAantal(0); //indien niet meer houdbaar, moet het eruit en dient het programma
//de apotheker hiervan op de hoogte te houden.
Log.print();
System.out.println("Controle houdbaarheidsdatum "+ houdbaarheid +": ");
Log.print();
System.out.println("Gelieve "+geefMerknaam()+" uit kast "+geefKastID()+" te halen.");
return gewensteAantal; //Voorraadbeheer zal het gewensteAantal doorgeven in "besmedlist" om te bestellen.
}
else
{
return 0; //in alle andere gevallen wel houdbaar
}
}
public String geefMerknaam(){
return merknaam;
}
public int geefKastID()
{
return kastID;
}
public void wijzigMerknaam(String merknaam)
{
this.merknaam = merknaam;
}
public void wijzigStofnaam(String stofnaam)
{
this.stofnaam = stofnaam;
}
public void wijzigPlaatsBepaling(int kastID)
{
this.kastID = kastID;
}
public void wijzigAantal(int aantal)
{
this.aantal = aantal;
}
public void wijzigGewensteAantal(int aantal)
{
gewensteAantal = aantal;
}
public void wijzigMinimumAantal(int aantal)
{
minimumAantal = aantal;
}
public void wijzigFabrikant(String fabrikant)
{
this.fabrikant = fabrikant;
}
public void wijzigPrijs(int prijs)
{
this.prijs = prijs;
}
public void vermeerderMedicijnAantal(int vermeerder)
{
aantal = aantal + vermeerder;
}
}
| 4SDDeMeyerKaya/Voorraadbeheer4SD | src/Medicijn.java | 1,058 | //in alle andere gevallen wel houdbaar
| line_comment | nl | import java.text.SimpleDateFormat;
import java.util.Date;
import java.text.DateFormat;
import java.text.ParseException;
public class Medicijn {
String merknaam;
String stofnaam;
int aantal;
int gewensteAantal;
int minimumAantal;
String fabrikant;
int prijs;
int kastID;
String houdbaarheid;//String die de datum voorstelt in het formaat "dd-MM-yyyy' zoals sdf.
boolean alGewaarschuwd;
boolean besteld;
public Medicijn(String merknaam, String stofnaam, int aantal, int gewensteAantal, int minimumAantal, String fabrikant, int prijs, int kastID, String houdbaarheid)
{
this.merknaam = merknaam;
this.stofnaam = stofnaam;
this.aantal = aantal;
this.gewensteAantal = gewensteAantal;
this.minimumAantal = minimumAantal;
this.fabrikant = fabrikant;
this.prijs = prijs;
this.kastID = kastID;
this.houdbaarheid = houdbaarheid;
alGewaarschuwd=false;
}
public int controleerOpAantal()
{
//return 0 als er genoeg zijn, en anders hoeveel er te weinig zijn.
if (aantal <= minimumAantal)
{
return gewensteAantal-aantal;
}
else
{
return 0;
}
}
public int controleerOpBeide() throws ParseException{
int hoogste = 0;
if(controleerOpHoudbaarheid()>controleerOpAantal())
hoogste = controleerOpHoudbaarheid();
else
hoogste=controleerOpAantal();
return hoogste;
}
public int controleerOpHoudbaarheid() throws ParseException
{
DateFormat sdf = new SimpleDateFormat("dd-MM-yyyy");
Date huidig = new Date();
Date houdbaarheidsDatum = sdf.parse(houdbaarheid); //zet String om naar Date om deze de kunnen vergelijken met huidig.
if (huidig.after(houdbaarheidsDatum) && alGewaarschuwd==false)
{
wijzigAantal(0); //indien niet meer houdbaar, moet het eruit en dient het programma
//de apotheker hiervan op de hoogte te houden.
Log.print();
System.out.println("Controle houdbaarheidsdatum "+ houdbaarheid +": ");
Log.print();
System.out.println("Gelieve "+geefMerknaam()+" uit kast "+geefKastID()+" te halen.");
return gewensteAantal; //Voorraadbeheer zal het gewensteAantal doorgeven in "besmedlist" om te bestellen.
}
else
{
return 0; //in alle<SUF>
}
}
public String geefMerknaam(){
return merknaam;
}
public int geefKastID()
{
return kastID;
}
public void wijzigMerknaam(String merknaam)
{
this.merknaam = merknaam;
}
public void wijzigStofnaam(String stofnaam)
{
this.stofnaam = stofnaam;
}
public void wijzigPlaatsBepaling(int kastID)
{
this.kastID = kastID;
}
public void wijzigAantal(int aantal)
{
this.aantal = aantal;
}
public void wijzigGewensteAantal(int aantal)
{
gewensteAantal = aantal;
}
public void wijzigMinimumAantal(int aantal)
{
minimumAantal = aantal;
}
public void wijzigFabrikant(String fabrikant)
{
this.fabrikant = fabrikant;
}
public void wijzigPrijs(int prijs)
{
this.prijs = prijs;
}
public void vermeerderMedicijnAantal(int vermeerder)
{
aantal = aantal + vermeerder;
}
}
|
1635_3 | /*
* Neon, a roguelike engine.
* Copyright (C) 2013 - Maarten Driesen
*
* This program is free software; you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation; either version 3 of the License, or
* (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program. If not, see <http://www.gnu.org/licenses/>.
*/
package neon;
import neon.core.Engine;
import neon.systems.io.LocalPort;
import neon.ui.Client;
/**
* The main class of the neon roguelike engine.
*
* @author mdriesen
*/
public class Main {
private static final String version = "0.4.2"; // huidige versie
/**
* The application's main method. This method creates an {@code Engine} and
* a {@code Client} instance and connects them.
*
* @param args the command line arguments
*/
public static void main(String[] args) {
// poorten aanmaken en verbinden
LocalPort cPort = new LocalPort();
LocalPort sPort = new LocalPort();
cPort.connect(sPort);
sPort.connect(cPort);
// engine en ui aanmaken
Engine engine = new Engine(sPort);
Client client = new Client(cPort, version);
// custom look and feels zijn soms wat strenger als gewone, blijkbaar
// is het grootste probleem dat delen van de ui buiten de swing thread
// worden aangemaakt. Daarom alles maar op event-dispatch thread.
javax.swing.SwingUtilities.invokeLater(client);
engine.run();
}
} | kba/neon | src/main/java/neon/Main.java | 531 | // poorten aanmaken en verbinden
| line_comment | nl | /*
* Neon, a roguelike engine.
* Copyright (C) 2013 - Maarten Driesen
*
* This program is free software; you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation; either version 3 of the License, or
* (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program. If not, see <http://www.gnu.org/licenses/>.
*/
package neon;
import neon.core.Engine;
import neon.systems.io.LocalPort;
import neon.ui.Client;
/**
* The main class of the neon roguelike engine.
*
* @author mdriesen
*/
public class Main {
private static final String version = "0.4.2"; // huidige versie
/**
* The application's main method. This method creates an {@code Engine} and
* a {@code Client} instance and connects them.
*
* @param args the command line arguments
*/
public static void main(String[] args) {
// poorten aanmaken<SUF>
LocalPort cPort = new LocalPort();
LocalPort sPort = new LocalPort();
cPort.connect(sPort);
sPort.connect(cPort);
// engine en ui aanmaken
Engine engine = new Engine(sPort);
Client client = new Client(cPort, version);
// custom look and feels zijn soms wat strenger als gewone, blijkbaar
// is het grootste probleem dat delen van de ui buiten de swing thread
// worden aangemaakt. Daarom alles maar op event-dispatch thread.
javax.swing.SwingUtilities.invokeLater(client);
engine.run();
}
} |
1635_4 | /*
* Neon, a roguelike engine.
* Copyright (C) 2013 - Maarten Driesen
*
* This program is free software; you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation; either version 3 of the License, or
* (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program. If not, see <http://www.gnu.org/licenses/>.
*/
package neon;
import neon.core.Engine;
import neon.systems.io.LocalPort;
import neon.ui.Client;
/**
* The main class of the neon roguelike engine.
*
* @author mdriesen
*/
public class Main {
private static final String version = "0.4.2"; // huidige versie
/**
* The application's main method. This method creates an {@code Engine} and
* a {@code Client} instance and connects them.
*
* @param args the command line arguments
*/
public static void main(String[] args) {
// poorten aanmaken en verbinden
LocalPort cPort = new LocalPort();
LocalPort sPort = new LocalPort();
cPort.connect(sPort);
sPort.connect(cPort);
// engine en ui aanmaken
Engine engine = new Engine(sPort);
Client client = new Client(cPort, version);
// custom look and feels zijn soms wat strenger als gewone, blijkbaar
// is het grootste probleem dat delen van de ui buiten de swing thread
// worden aangemaakt. Daarom alles maar op event-dispatch thread.
javax.swing.SwingUtilities.invokeLater(client);
engine.run();
}
} | kba/neon | src/main/java/neon/Main.java | 531 | // engine en ui aanmaken
| line_comment | nl | /*
* Neon, a roguelike engine.
* Copyright (C) 2013 - Maarten Driesen
*
* This program is free software; you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation; either version 3 of the License, or
* (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program. If not, see <http://www.gnu.org/licenses/>.
*/
package neon;
import neon.core.Engine;
import neon.systems.io.LocalPort;
import neon.ui.Client;
/**
* The main class of the neon roguelike engine.
*
* @author mdriesen
*/
public class Main {
private static final String version = "0.4.2"; // huidige versie
/**
* The application's main method. This method creates an {@code Engine} and
* a {@code Client} instance and connects them.
*
* @param args the command line arguments
*/
public static void main(String[] args) {
// poorten aanmaken en verbinden
LocalPort cPort = new LocalPort();
LocalPort sPort = new LocalPort();
cPort.connect(sPort);
sPort.connect(cPort);
// engine en<SUF>
Engine engine = new Engine(sPort);
Client client = new Client(cPort, version);
// custom look and feels zijn soms wat strenger als gewone, blijkbaar
// is het grootste probleem dat delen van de ui buiten de swing thread
// worden aangemaakt. Daarom alles maar op event-dispatch thread.
javax.swing.SwingUtilities.invokeLater(client);
engine.run();
}
} |
1635_5 | /*
* Neon, a roguelike engine.
* Copyright (C) 2013 - Maarten Driesen
*
* This program is free software; you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation; either version 3 of the License, or
* (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program. If not, see <http://www.gnu.org/licenses/>.
*/
package neon;
import neon.core.Engine;
import neon.systems.io.LocalPort;
import neon.ui.Client;
/**
* The main class of the neon roguelike engine.
*
* @author mdriesen
*/
public class Main {
private static final String version = "0.4.2"; // huidige versie
/**
* The application's main method. This method creates an {@code Engine} and
* a {@code Client} instance and connects them.
*
* @param args the command line arguments
*/
public static void main(String[] args) {
// poorten aanmaken en verbinden
LocalPort cPort = new LocalPort();
LocalPort sPort = new LocalPort();
cPort.connect(sPort);
sPort.connect(cPort);
// engine en ui aanmaken
Engine engine = new Engine(sPort);
Client client = new Client(cPort, version);
// custom look and feels zijn soms wat strenger als gewone, blijkbaar
// is het grootste probleem dat delen van de ui buiten de swing thread
// worden aangemaakt. Daarom alles maar op event-dispatch thread.
javax.swing.SwingUtilities.invokeLater(client);
engine.run();
}
} | kba/neon | src/main/java/neon/Main.java | 531 | // custom look and feels zijn soms wat strenger als gewone, blijkbaar
| line_comment | nl | /*
* Neon, a roguelike engine.
* Copyright (C) 2013 - Maarten Driesen
*
* This program is free software; you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation; either version 3 of the License, or
* (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program. If not, see <http://www.gnu.org/licenses/>.
*/
package neon;
import neon.core.Engine;
import neon.systems.io.LocalPort;
import neon.ui.Client;
/**
* The main class of the neon roguelike engine.
*
* @author mdriesen
*/
public class Main {
private static final String version = "0.4.2"; // huidige versie
/**
* The application's main method. This method creates an {@code Engine} and
* a {@code Client} instance and connects them.
*
* @param args the command line arguments
*/
public static void main(String[] args) {
// poorten aanmaken en verbinden
LocalPort cPort = new LocalPort();
LocalPort sPort = new LocalPort();
cPort.connect(sPort);
sPort.connect(cPort);
// engine en ui aanmaken
Engine engine = new Engine(sPort);
Client client = new Client(cPort, version);
// custom look<SUF>
// is het grootste probleem dat delen van de ui buiten de swing thread
// worden aangemaakt. Daarom alles maar op event-dispatch thread.
javax.swing.SwingUtilities.invokeLater(client);
engine.run();
}
} |
1635_6 | /*
* Neon, a roguelike engine.
* Copyright (C) 2013 - Maarten Driesen
*
* This program is free software; you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation; either version 3 of the License, or
* (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program. If not, see <http://www.gnu.org/licenses/>.
*/
package neon;
import neon.core.Engine;
import neon.systems.io.LocalPort;
import neon.ui.Client;
/**
* The main class of the neon roguelike engine.
*
* @author mdriesen
*/
public class Main {
private static final String version = "0.4.2"; // huidige versie
/**
* The application's main method. This method creates an {@code Engine} and
* a {@code Client} instance and connects them.
*
* @param args the command line arguments
*/
public static void main(String[] args) {
// poorten aanmaken en verbinden
LocalPort cPort = new LocalPort();
LocalPort sPort = new LocalPort();
cPort.connect(sPort);
sPort.connect(cPort);
// engine en ui aanmaken
Engine engine = new Engine(sPort);
Client client = new Client(cPort, version);
// custom look and feels zijn soms wat strenger als gewone, blijkbaar
// is het grootste probleem dat delen van de ui buiten de swing thread
// worden aangemaakt. Daarom alles maar op event-dispatch thread.
javax.swing.SwingUtilities.invokeLater(client);
engine.run();
}
} | kba/neon | src/main/java/neon/Main.java | 531 | // is het grootste probleem dat delen van de ui buiten de swing thread
| line_comment | nl | /*
* Neon, a roguelike engine.
* Copyright (C) 2013 - Maarten Driesen
*
* This program is free software; you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation; either version 3 of the License, or
* (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program. If not, see <http://www.gnu.org/licenses/>.
*/
package neon;
import neon.core.Engine;
import neon.systems.io.LocalPort;
import neon.ui.Client;
/**
* The main class of the neon roguelike engine.
*
* @author mdriesen
*/
public class Main {
private static final String version = "0.4.2"; // huidige versie
/**
* The application's main method. This method creates an {@code Engine} and
* a {@code Client} instance and connects them.
*
* @param args the command line arguments
*/
public static void main(String[] args) {
// poorten aanmaken en verbinden
LocalPort cPort = new LocalPort();
LocalPort sPort = new LocalPort();
cPort.connect(sPort);
sPort.connect(cPort);
// engine en ui aanmaken
Engine engine = new Engine(sPort);
Client client = new Client(cPort, version);
// custom look and feels zijn soms wat strenger als gewone, blijkbaar
// is het<SUF>
// worden aangemaakt. Daarom alles maar op event-dispatch thread.
javax.swing.SwingUtilities.invokeLater(client);
engine.run();
}
} |
1635_7 | /*
* Neon, a roguelike engine.
* Copyright (C) 2013 - Maarten Driesen
*
* This program is free software; you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation; either version 3 of the License, or
* (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program. If not, see <http://www.gnu.org/licenses/>.
*/
package neon;
import neon.core.Engine;
import neon.systems.io.LocalPort;
import neon.ui.Client;
/**
* The main class of the neon roguelike engine.
*
* @author mdriesen
*/
public class Main {
private static final String version = "0.4.2"; // huidige versie
/**
* The application's main method. This method creates an {@code Engine} and
* a {@code Client} instance and connects them.
*
* @param args the command line arguments
*/
public static void main(String[] args) {
// poorten aanmaken en verbinden
LocalPort cPort = new LocalPort();
LocalPort sPort = new LocalPort();
cPort.connect(sPort);
sPort.connect(cPort);
// engine en ui aanmaken
Engine engine = new Engine(sPort);
Client client = new Client(cPort, version);
// custom look and feels zijn soms wat strenger als gewone, blijkbaar
// is het grootste probleem dat delen van de ui buiten de swing thread
// worden aangemaakt. Daarom alles maar op event-dispatch thread.
javax.swing.SwingUtilities.invokeLater(client);
engine.run();
}
} | kba/neon | src/main/java/neon/Main.java | 531 | // worden aangemaakt. Daarom alles maar op event-dispatch thread.
| line_comment | nl | /*
* Neon, a roguelike engine.
* Copyright (C) 2013 - Maarten Driesen
*
* This program is free software; you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation; either version 3 of the License, or
* (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program. If not, see <http://www.gnu.org/licenses/>.
*/
package neon;
import neon.core.Engine;
import neon.systems.io.LocalPort;
import neon.ui.Client;
/**
* The main class of the neon roguelike engine.
*
* @author mdriesen
*/
public class Main {
private static final String version = "0.4.2"; // huidige versie
/**
* The application's main method. This method creates an {@code Engine} and
* a {@code Client} instance and connects them.
*
* @param args the command line arguments
*/
public static void main(String[] args) {
// poorten aanmaken en verbinden
LocalPort cPort = new LocalPort();
LocalPort sPort = new LocalPort();
cPort.connect(sPort);
sPort.connect(cPort);
// engine en ui aanmaken
Engine engine = new Engine(sPort);
Client client = new Client(cPort, version);
// custom look and feels zijn soms wat strenger als gewone, blijkbaar
// is het grootste probleem dat delen van de ui buiten de swing thread
// worden aangemaakt.<SUF>
javax.swing.SwingUtilities.invokeLater(client);
engine.run();
}
} |
1638_2 | /*
Copyright 2013 Nationale-Nederlanden, 2020, 2022-2023 WeAreFrank!
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
*/
package org.frankframework.jdbc;
import java.io.FileNotFoundException;
import java.io.FileOutputStream;
import java.io.IOException;
import java.sql.PreparedStatement;
import java.sql.ResultSet;
import java.sql.ResultSetMetaData;
import java.sql.SQLException;
import java.sql.Timestamp;
import java.util.Date;
import jakarta.annotation.Nonnull;
import jakarta.annotation.Nullable;
import org.frankframework.dbms.JdbcException;
import org.apache.commons.lang3.StringUtils;
import lombok.Getter;
import org.frankframework.configuration.ConfigurationException;
import org.frankframework.configuration.ConfigurationWarning;
import org.frankframework.core.IForwardTarget;
import org.frankframework.core.ParameterException;
import org.frankframework.core.PipeLineSession;
import org.frankframework.core.PipeRunResult;
import org.frankframework.core.SenderException;
import org.frankframework.core.TimeoutException;
import org.frankframework.stream.Message;
import org.frankframework.util.JdbcUtil;
/**
* QuerySender that writes each row in a ResultSet to a file.
*
* @author Peter Leeuwenburgh
*/
public class ResultSet2FileSender extends FixedQuerySender {
private @Getter String filenameSessionKey;
private @Getter String statusFieldType;
private @Getter boolean append = false;
private @Getter String maxRecordsSessionKey;
protected byte[] eolArray = null;
@Override
public void configure() throws ConfigurationException {
super.configure();
if (StringUtils.isEmpty(getFilenameSessionKey())) {
throw new ConfigurationException(getLogPrefix()+"filenameSessionKey must be specified");
}
String sft = getStatusFieldType();
if (StringUtils.isNotEmpty(sft)) {
if (!"timestamp".equalsIgnoreCase(sft)) {
throw new ConfigurationException(getLogPrefix() + "illegal value for statusFieldType [" + sft + "], must be 'timestamp'");
}
}
eolArray = System.getProperty("line.separator").getBytes();
}
@Override
protected PipeRunResult executeStatementSet(@Nonnull QueryExecutionContext queryExecutionContext, @Nonnull Message message, @Nonnull PipeLineSession session, @Nullable IForwardTarget next) throws SenderException, TimeoutException {
String fileName = session.getString(getFilenameSessionKey());
if (fileName == null) {
throw new SenderException(getLogPrefix() + "unable to get filename from session key ["+getFilenameSessionKey()+"]");
}
int maxRecords = -1;
if (StringUtils.isNotEmpty(getMaxRecordsSessionKey())) {
try {
maxRecords = session.getInteger(getMaxRecordsSessionKey());
} catch (Exception e) {
throw new SenderException(getLogPrefix() + "unable to parse "+getMaxRecordsSessionKey()+" to integer", e);
}
}
int counter = 0;
try (FileOutputStream fos = new FileOutputStream(fileName, isAppend())) {
PreparedStatement statement=queryExecutionContext.getStatement();
JdbcUtil.applyParameters(getDbmsSupport(), statement, queryExecutionContext.getParameterList(), message, session);
try (ResultSet resultset = statement.executeQuery()) {
boolean eor = maxRecords == 0;
while (!eor && resultset.next()) {
counter++;
processResultSet(resultset, fos, counter);
if (maxRecords>=0 && counter>=maxRecords) {
ResultSetMetaData rsmd = resultset.getMetaData();
if (rsmd.getColumnCount() >= 3) {
String group = resultset.getString(3);
while (!eor && resultset.next()) {
String groupNext = resultset.getString(3);
if (groupNext.equals(group)) {
counter++;
processResultSet(resultset, fos, counter);
} else {
eor = true;
}
}
} else {
eor = true;
}
}
}
}
} catch (FileNotFoundException e) {
throw new SenderException(getLogPrefix() + "could not find file [" + fileName + "]", e);
} catch (ParameterException e) {
throw new SenderException(getLogPrefix() + "got Exception resolving parameter", e);
} catch (IOException e) {
throw new SenderException(getLogPrefix() + "got IOException", e);
} catch (SQLException | JdbcException e) {
throw new SenderException(getLogPrefix() + "got exception executing a SQL command", e);
}
return new PipeRunResult(null, new Message("<result><rowsprocessed>" + counter + "</rowsprocessed></result>"));
}
private void processResultSet (ResultSet resultset, FileOutputStream fos, int counter) throws SQLException, IOException {
String rec_str = resultset.getString(1);
if (log.isDebugEnabled()) {
log.debug("iteration [" + counter + "] item [" + rec_str + "]");
}
if ("timestamp".equalsIgnoreCase(getStatusFieldType())) {
//TODO: statusFieldType is nu altijd een timestamp (dit moeten ook andere types kunnen zijn)
resultset.updateTimestamp(2 , new Timestamp((new Date()).getTime()));
resultset.updateRow();
}
if (rec_str!=null) {
fos.write(rec_str.getBytes());
}
fos.write(eolArray);
}
/** type of the optional status field which is set after the row is written to the file: timestamp */
public void setStatusFieldType(String statusFieldType) {
this.statusFieldType = statusFieldType;
}
@Deprecated
@ConfigurationWarning("attribute 'fileNameSessionKey' is replaced with 'filenameSessionKey'")
public void setFileNameSessionKey(String filenameSessionKey) {
setFilenameSessionKey(filenameSessionKey);
}
/**
* Key of session variable that contains the name of the file to use.
* @ff.mandatory
*/
public void setFilenameSessionKey(String filenameSessionKey) {
this.filenameSessionKey = filenameSessionKey;
}
/**
* If set <code>true</code> and the file already exists, the resultset rows are written to the end of the file.
* @ff.default false
*/
public void setAppend(boolean b) {
append = b;
}
/**
* If set (and >=0), this session key contains the maximum number of records which are processed.
* If <code>query</code> contains a group field (3), then also following records with the same group field value as the last record are processed
*/
public void setMaxRecordsSessionKey(String maxRecordsSessionKey) {
this.maxRecordsSessionKey = maxRecordsSessionKey;
}
}
| frankframework/frankframework | core/src/main/java/org/frankframework/jdbc/ResultSet2FileSender.java | 1,747 | //TODO: statusFieldType is nu altijd een timestamp (dit moeten ook andere types kunnen zijn) | line_comment | nl | /*
Copyright 2013 Nationale-Nederlanden, 2020, 2022-2023 WeAreFrank!
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
*/
package org.frankframework.jdbc;
import java.io.FileNotFoundException;
import java.io.FileOutputStream;
import java.io.IOException;
import java.sql.PreparedStatement;
import java.sql.ResultSet;
import java.sql.ResultSetMetaData;
import java.sql.SQLException;
import java.sql.Timestamp;
import java.util.Date;
import jakarta.annotation.Nonnull;
import jakarta.annotation.Nullable;
import org.frankframework.dbms.JdbcException;
import org.apache.commons.lang3.StringUtils;
import lombok.Getter;
import org.frankframework.configuration.ConfigurationException;
import org.frankframework.configuration.ConfigurationWarning;
import org.frankframework.core.IForwardTarget;
import org.frankframework.core.ParameterException;
import org.frankframework.core.PipeLineSession;
import org.frankframework.core.PipeRunResult;
import org.frankframework.core.SenderException;
import org.frankframework.core.TimeoutException;
import org.frankframework.stream.Message;
import org.frankframework.util.JdbcUtil;
/**
* QuerySender that writes each row in a ResultSet to a file.
*
* @author Peter Leeuwenburgh
*/
public class ResultSet2FileSender extends FixedQuerySender {
private @Getter String filenameSessionKey;
private @Getter String statusFieldType;
private @Getter boolean append = false;
private @Getter String maxRecordsSessionKey;
protected byte[] eolArray = null;
@Override
public void configure() throws ConfigurationException {
super.configure();
if (StringUtils.isEmpty(getFilenameSessionKey())) {
throw new ConfigurationException(getLogPrefix()+"filenameSessionKey must be specified");
}
String sft = getStatusFieldType();
if (StringUtils.isNotEmpty(sft)) {
if (!"timestamp".equalsIgnoreCase(sft)) {
throw new ConfigurationException(getLogPrefix() + "illegal value for statusFieldType [" + sft + "], must be 'timestamp'");
}
}
eolArray = System.getProperty("line.separator").getBytes();
}
@Override
protected PipeRunResult executeStatementSet(@Nonnull QueryExecutionContext queryExecutionContext, @Nonnull Message message, @Nonnull PipeLineSession session, @Nullable IForwardTarget next) throws SenderException, TimeoutException {
String fileName = session.getString(getFilenameSessionKey());
if (fileName == null) {
throw new SenderException(getLogPrefix() + "unable to get filename from session key ["+getFilenameSessionKey()+"]");
}
int maxRecords = -1;
if (StringUtils.isNotEmpty(getMaxRecordsSessionKey())) {
try {
maxRecords = session.getInteger(getMaxRecordsSessionKey());
} catch (Exception e) {
throw new SenderException(getLogPrefix() + "unable to parse "+getMaxRecordsSessionKey()+" to integer", e);
}
}
int counter = 0;
try (FileOutputStream fos = new FileOutputStream(fileName, isAppend())) {
PreparedStatement statement=queryExecutionContext.getStatement();
JdbcUtil.applyParameters(getDbmsSupport(), statement, queryExecutionContext.getParameterList(), message, session);
try (ResultSet resultset = statement.executeQuery()) {
boolean eor = maxRecords == 0;
while (!eor && resultset.next()) {
counter++;
processResultSet(resultset, fos, counter);
if (maxRecords>=0 && counter>=maxRecords) {
ResultSetMetaData rsmd = resultset.getMetaData();
if (rsmd.getColumnCount() >= 3) {
String group = resultset.getString(3);
while (!eor && resultset.next()) {
String groupNext = resultset.getString(3);
if (groupNext.equals(group)) {
counter++;
processResultSet(resultset, fos, counter);
} else {
eor = true;
}
}
} else {
eor = true;
}
}
}
}
} catch (FileNotFoundException e) {
throw new SenderException(getLogPrefix() + "could not find file [" + fileName + "]", e);
} catch (ParameterException e) {
throw new SenderException(getLogPrefix() + "got Exception resolving parameter", e);
} catch (IOException e) {
throw new SenderException(getLogPrefix() + "got IOException", e);
} catch (SQLException | JdbcException e) {
throw new SenderException(getLogPrefix() + "got exception executing a SQL command", e);
}
return new PipeRunResult(null, new Message("<result><rowsprocessed>" + counter + "</rowsprocessed></result>"));
}
private void processResultSet (ResultSet resultset, FileOutputStream fos, int counter) throws SQLException, IOException {
String rec_str = resultset.getString(1);
if (log.isDebugEnabled()) {
log.debug("iteration [" + counter + "] item [" + rec_str + "]");
}
if ("timestamp".equalsIgnoreCase(getStatusFieldType())) {
//TODO: statusFieldType<SUF>
resultset.updateTimestamp(2 , new Timestamp((new Date()).getTime()));
resultset.updateRow();
}
if (rec_str!=null) {
fos.write(rec_str.getBytes());
}
fos.write(eolArray);
}
/** type of the optional status field which is set after the row is written to the file: timestamp */
public void setStatusFieldType(String statusFieldType) {
this.statusFieldType = statusFieldType;
}
@Deprecated
@ConfigurationWarning("attribute 'fileNameSessionKey' is replaced with 'filenameSessionKey'")
public void setFileNameSessionKey(String filenameSessionKey) {
setFilenameSessionKey(filenameSessionKey);
}
/**
* Key of session variable that contains the name of the file to use.
* @ff.mandatory
*/
public void setFilenameSessionKey(String filenameSessionKey) {
this.filenameSessionKey = filenameSessionKey;
}
/**
* If set <code>true</code> and the file already exists, the resultset rows are written to the end of the file.
* @ff.default false
*/
public void setAppend(boolean b) {
append = b;
}
/**
* If set (and >=0), this session key contains the maximum number of records which are processed.
* If <code>query</code> contains a group field (3), then also following records with the same group field value as the last record are processed
*/
public void setMaxRecordsSessionKey(String maxRecordsSessionKey) {
this.maxRecordsSessionKey = maxRecordsSessionKey;
}
}
|
1639_0 | package gamejam.event;
/**
* Extend dit met events die betekenisvol zijn (bijv. InputEvent ofzo).
*/
public interface Event {
/**
* String die het type van het event beschrijft.
* Bijoorbeeld "DeathEvent" voor een death event.
* @return
*/
String getType();
}
| Vulcanostrol/lipsum-game-2022 | core/src/gamejam/event/Event.java | 84 | /**
* Extend dit met events die betekenisvol zijn (bijv. InputEvent ofzo).
*/ | block_comment | nl | package gamejam.event;
/**
* Extend dit met<SUF>*/
public interface Event {
/**
* String die het type van het event beschrijft.
* Bijoorbeeld "DeathEvent" voor een death event.
* @return
*/
String getType();
}
|
1639_1 | package gamejam.event;
/**
* Extend dit met events die betekenisvol zijn (bijv. InputEvent ofzo).
*/
public interface Event {
/**
* String die het type van het event beschrijft.
* Bijoorbeeld "DeathEvent" voor een death event.
* @return
*/
String getType();
}
| Vulcanostrol/lipsum-game-2022 | core/src/gamejam/event/Event.java | 84 | /**
* String die het type van het event beschrijft.
* Bijoorbeeld "DeathEvent" voor een death event.
* @return
*/ | block_comment | nl | package gamejam.event;
/**
* Extend dit met events die betekenisvol zijn (bijv. InputEvent ofzo).
*/
public interface Event {
/**
* String die het<SUF>*/
String getType();
}
|
1640_2 | /*
* Copyright (c) 2005, Topicus B.V.
* All rights reserved.
*/
package nl.topicus.cobra.entities;
import java.util.Calendar;
/**
* A class representing a time value excluding seconds.
*
* @author loite
*/
public class Time extends java.sql.Time
{
private static final long serialVersionUID = 1973159155192729297L;
/**
* Maakt een nieuw timeobject aan die overeenkomt met ms milliseconden sinds de epoch.
*/
public Time(long ms)
{
super(ms);
Calendar cal = Calendar.getInstance();
cal.setTime(this);
cal.set(Calendar.SECOND, 0);
setTime(cal.getTimeInMillis());
}
@Override
public String toString()
{
String hourString;
String minuteString;
Calendar cal = Calendar.getInstance();
cal.setTimeInMillis(getTime());
int hour = cal.get(Calendar.HOUR_OF_DAY);
int minute = cal.get(Calendar.MINUTE);
if (hour < 10)
{
hourString = "0" + hour;
}
else
{
hourString = Integer.toString(hour);
}
if (minute < 10)
{
minuteString = "0" + minute;
}
else
{
minuteString = Integer.toString(minute);
}
return (hourString + ":" + minuteString);
}
public static Time getHuidigeTijd()
{
Calendar cal = Calendar.getInstance();
Calendar current = Calendar.getInstance();
cal.setTimeInMillis(0);
cal.set(Calendar.HOUR_OF_DAY, current.get(Calendar.HOUR_OF_DAY));
cal.set(Calendar.MINUTE, current.get(Calendar.MINUTE));
return new Time(cal.getTimeInMillis());
}
/**
* Static factory method voor het maken van een time object van een string. De string
* moet in het formaat HH:mm zijn.
*
* @see java.sql.Time#valueOf(java.lang.String)
*/
public static Time valueOf(String value)
{
Calendar cal = Calendar.getInstance();
cal.setTimeInMillis(0);
int hour;
int minute;
if (value == null)
throw new java.lang.IllegalArgumentException();
int colon = value.indexOf(':');
if ((colon > 0) && (colon < value.length() - 1))
{
hour = Math.abs(Integer.parseInt(value.substring(0, colon)));
minute = Math.abs(Integer.parseInt(value.substring(colon + 1, value.length())));
}
else
{
throw new java.lang.IllegalArgumentException(
"Tijd bevat geen juiste tekens, formaat moet bv zijn: HH:mm");
}
cal.set(Calendar.HOUR_OF_DAY, hour);
cal.set(Calendar.MINUTE, minute);
Time time = new Time(cal.getTimeInMillis());
return time;
}
}
| topicusonderwijs/tribe-krd-opensource | cobra/commons/src/main/java/nl/topicus/cobra/entities/Time.java | 779 | /**
* Maakt een nieuw timeobject aan die overeenkomt met ms milliseconden sinds de epoch.
*/ | block_comment | nl | /*
* Copyright (c) 2005, Topicus B.V.
* All rights reserved.
*/
package nl.topicus.cobra.entities;
import java.util.Calendar;
/**
* A class representing a time value excluding seconds.
*
* @author loite
*/
public class Time extends java.sql.Time
{
private static final long serialVersionUID = 1973159155192729297L;
/**
* Maakt een nieuw<SUF>*/
public Time(long ms)
{
super(ms);
Calendar cal = Calendar.getInstance();
cal.setTime(this);
cal.set(Calendar.SECOND, 0);
setTime(cal.getTimeInMillis());
}
@Override
public String toString()
{
String hourString;
String minuteString;
Calendar cal = Calendar.getInstance();
cal.setTimeInMillis(getTime());
int hour = cal.get(Calendar.HOUR_OF_DAY);
int minute = cal.get(Calendar.MINUTE);
if (hour < 10)
{
hourString = "0" + hour;
}
else
{
hourString = Integer.toString(hour);
}
if (minute < 10)
{
minuteString = "0" + minute;
}
else
{
minuteString = Integer.toString(minute);
}
return (hourString + ":" + minuteString);
}
public static Time getHuidigeTijd()
{
Calendar cal = Calendar.getInstance();
Calendar current = Calendar.getInstance();
cal.setTimeInMillis(0);
cal.set(Calendar.HOUR_OF_DAY, current.get(Calendar.HOUR_OF_DAY));
cal.set(Calendar.MINUTE, current.get(Calendar.MINUTE));
return new Time(cal.getTimeInMillis());
}
/**
* Static factory method voor het maken van een time object van een string. De string
* moet in het formaat HH:mm zijn.
*
* @see java.sql.Time#valueOf(java.lang.String)
*/
public static Time valueOf(String value)
{
Calendar cal = Calendar.getInstance();
cal.setTimeInMillis(0);
int hour;
int minute;
if (value == null)
throw new java.lang.IllegalArgumentException();
int colon = value.indexOf(':');
if ((colon > 0) && (colon < value.length() - 1))
{
hour = Math.abs(Integer.parseInt(value.substring(0, colon)));
minute = Math.abs(Integer.parseInt(value.substring(colon + 1, value.length())));
}
else
{
throw new java.lang.IllegalArgumentException(
"Tijd bevat geen juiste tekens, formaat moet bv zijn: HH:mm");
}
cal.set(Calendar.HOUR_OF_DAY, hour);
cal.set(Calendar.MINUTE, minute);
Time time = new Time(cal.getTimeInMillis());
return time;
}
}
|
1640_3 | /*
* Copyright (c) 2005, Topicus B.V.
* All rights reserved.
*/
package nl.topicus.cobra.entities;
import java.util.Calendar;
/**
* A class representing a time value excluding seconds.
*
* @author loite
*/
public class Time extends java.sql.Time
{
private static final long serialVersionUID = 1973159155192729297L;
/**
* Maakt een nieuw timeobject aan die overeenkomt met ms milliseconden sinds de epoch.
*/
public Time(long ms)
{
super(ms);
Calendar cal = Calendar.getInstance();
cal.setTime(this);
cal.set(Calendar.SECOND, 0);
setTime(cal.getTimeInMillis());
}
@Override
public String toString()
{
String hourString;
String minuteString;
Calendar cal = Calendar.getInstance();
cal.setTimeInMillis(getTime());
int hour = cal.get(Calendar.HOUR_OF_DAY);
int minute = cal.get(Calendar.MINUTE);
if (hour < 10)
{
hourString = "0" + hour;
}
else
{
hourString = Integer.toString(hour);
}
if (minute < 10)
{
minuteString = "0" + minute;
}
else
{
minuteString = Integer.toString(minute);
}
return (hourString + ":" + minuteString);
}
public static Time getHuidigeTijd()
{
Calendar cal = Calendar.getInstance();
Calendar current = Calendar.getInstance();
cal.setTimeInMillis(0);
cal.set(Calendar.HOUR_OF_DAY, current.get(Calendar.HOUR_OF_DAY));
cal.set(Calendar.MINUTE, current.get(Calendar.MINUTE));
return new Time(cal.getTimeInMillis());
}
/**
* Static factory method voor het maken van een time object van een string. De string
* moet in het formaat HH:mm zijn.
*
* @see java.sql.Time#valueOf(java.lang.String)
*/
public static Time valueOf(String value)
{
Calendar cal = Calendar.getInstance();
cal.setTimeInMillis(0);
int hour;
int minute;
if (value == null)
throw new java.lang.IllegalArgumentException();
int colon = value.indexOf(':');
if ((colon > 0) && (colon < value.length() - 1))
{
hour = Math.abs(Integer.parseInt(value.substring(0, colon)));
minute = Math.abs(Integer.parseInt(value.substring(colon + 1, value.length())));
}
else
{
throw new java.lang.IllegalArgumentException(
"Tijd bevat geen juiste tekens, formaat moet bv zijn: HH:mm");
}
cal.set(Calendar.HOUR_OF_DAY, hour);
cal.set(Calendar.MINUTE, minute);
Time time = new Time(cal.getTimeInMillis());
return time;
}
}
| topicusonderwijs/tribe-krd-opensource | cobra/commons/src/main/java/nl/topicus/cobra/entities/Time.java | 779 | /**
* Static factory method voor het maken van een time object van een string. De string
* moet in het formaat HH:mm zijn.
*
* @see java.sql.Time#valueOf(java.lang.String)
*/ | block_comment | nl | /*
* Copyright (c) 2005, Topicus B.V.
* All rights reserved.
*/
package nl.topicus.cobra.entities;
import java.util.Calendar;
/**
* A class representing a time value excluding seconds.
*
* @author loite
*/
public class Time extends java.sql.Time
{
private static final long serialVersionUID = 1973159155192729297L;
/**
* Maakt een nieuw timeobject aan die overeenkomt met ms milliseconden sinds de epoch.
*/
public Time(long ms)
{
super(ms);
Calendar cal = Calendar.getInstance();
cal.setTime(this);
cal.set(Calendar.SECOND, 0);
setTime(cal.getTimeInMillis());
}
@Override
public String toString()
{
String hourString;
String minuteString;
Calendar cal = Calendar.getInstance();
cal.setTimeInMillis(getTime());
int hour = cal.get(Calendar.HOUR_OF_DAY);
int minute = cal.get(Calendar.MINUTE);
if (hour < 10)
{
hourString = "0" + hour;
}
else
{
hourString = Integer.toString(hour);
}
if (minute < 10)
{
minuteString = "0" + minute;
}
else
{
minuteString = Integer.toString(minute);
}
return (hourString + ":" + minuteString);
}
public static Time getHuidigeTijd()
{
Calendar cal = Calendar.getInstance();
Calendar current = Calendar.getInstance();
cal.setTimeInMillis(0);
cal.set(Calendar.HOUR_OF_DAY, current.get(Calendar.HOUR_OF_DAY));
cal.set(Calendar.MINUTE, current.get(Calendar.MINUTE));
return new Time(cal.getTimeInMillis());
}
/**
* Static factory method<SUF>*/
public static Time valueOf(String value)
{
Calendar cal = Calendar.getInstance();
cal.setTimeInMillis(0);
int hour;
int minute;
if (value == null)
throw new java.lang.IllegalArgumentException();
int colon = value.indexOf(':');
if ((colon > 0) && (colon < value.length() - 1))
{
hour = Math.abs(Integer.parseInt(value.substring(0, colon)));
minute = Math.abs(Integer.parseInt(value.substring(colon + 1, value.length())));
}
else
{
throw new java.lang.IllegalArgumentException(
"Tijd bevat geen juiste tekens, formaat moet bv zijn: HH:mm");
}
cal.set(Calendar.HOUR_OF_DAY, hour);
cal.set(Calendar.MINUTE, minute);
Time time = new Time(cal.getTimeInMillis());
return time;
}
}
|
1641_0 | package main.application;
/**
* Sommige positieve getallen n hebben de eigenschap dat de som [ n + reverse(n) ]
* volledig bestaat uit oneven nummers. Bijvoorbeeld, 36 + 63 = 99 en 409 + 904 = 1313.
* Deze getallen noemen we omkeerbaar; dus 36, 63, 409, en 904 zijn omkeerbaar. Voorlopende nullen in n or reverse(n) zijn niet toegestaan.
* Er zijn 120 omkeerbare getallen onder 1000.
* Hoeveel omkeerbare getallen zijn er onder 100 miljoen (108)?
* Voorbeeldnotatie antwoord (schrijfwijze als positief integer): 15000
*/
public class VraagUno {
public static void main(String[] args) {
int answer = 0;
for (int i = 0; i < 100000000; i++) {
String reverse = "" + i;
StringBuilder stringOfInt = new StringBuilder(reverse);
reverse = stringOfInt.reverse().toString();
if(!reverse.startsWith("0")){
int result = i + Integer.parseInt(reverse);
String res = Integer.toString(result);
if(res.contains("0") ||res.contains("2") ||res.contains("4") ||res.contains("6") ||res.contains("8")){
} else {
answer++;
//System.out.println("Normal: "+ i + " Reverse: " + reverse + " Result: "+ result);
}
}
}
System.out.println(answer);
//Answer is: 608720
}
}
| Igoranze/Martyrs-mega-project-list | tweakers-devv-contest/src/main/application/VraagUno.java | 426 | /**
* Sommige positieve getallen n hebben de eigenschap dat de som [ n + reverse(n) ]
* volledig bestaat uit oneven nummers. Bijvoorbeeld, 36 + 63 = 99 en 409 + 904 = 1313.
* Deze getallen noemen we omkeerbaar; dus 36, 63, 409, en 904 zijn omkeerbaar. Voorlopende nullen in n or reverse(n) zijn niet toegestaan.
* Er zijn 120 omkeerbare getallen onder 1000.
* Hoeveel omkeerbare getallen zijn er onder 100 miljoen (108)?
* Voorbeeldnotatie antwoord (schrijfwijze als positief integer): 15000
*/ | block_comment | nl | package main.application;
/**
* Sommige positieve getallen<SUF>*/
public class VraagUno {
public static void main(String[] args) {
int answer = 0;
for (int i = 0; i < 100000000; i++) {
String reverse = "" + i;
StringBuilder stringOfInt = new StringBuilder(reverse);
reverse = stringOfInt.reverse().toString();
if(!reverse.startsWith("0")){
int result = i + Integer.parseInt(reverse);
String res = Integer.toString(result);
if(res.contains("0") ||res.contains("2") ||res.contains("4") ||res.contains("6") ||res.contains("8")){
} else {
answer++;
//System.out.println("Normal: "+ i + " Reverse: " + reverse + " Result: "+ result);
}
}
}
System.out.println(answer);
//Answer is: 608720
}
}
|
1642_0 | package main.application;
import java.text.DecimalFormat;
import java.text.DecimalFormatSymbols;
import java.util.Locale;
/**
* Een object zweeft met een vaste snelheid van 20 punten p/s door de ruimte.
* Op het moment van schrijven bevindt het object zich op positie x: 30, y: 50 en z: 90.
* Het object beweegt naar x: 46, y: 48 en z: 9.
* Wat zijn de coördinaten van het object na 25 minuten. Afgerond op 2 decimalen
* Voorbeeldnotatie antwoord: x:1.200,12 y:24.150,00 z:160,98
*/
public class VraagTre {
static double x = 30;
static double y = 50;
static double z = 90;
static double mvX = 4066;
static double mvY = 65486;
static double mvZ = -81;
static double time = 60*25+1;
public static void main(String[] args) {
StringBuilder result = new StringBuilder();
result.append(calculate());
System.out.println(result);
//Answer is:
/*
* X: 1.889,11
* Y: 29.992,32
* Z: 52,96
*
*/
}
private static String calculate() {
double X = 0;
double Y = 0;
double Z = 0;
for (double i = 0; i < time; i++) {
double part = i*20 / 65612.156747054;
X = (part*mvX) + x;
Y = (part*mvY) + y;
Z = (part*mvZ) + z;
}
return "X: " + formatToString(X) + "\n"+
"Y: " + formatToString(Y) + "\n"+
"Z: " + formatToString(Z);
}
private static String formatToString(double Number){
DecimalFormatSymbols otherSymbols = new DecimalFormatSymbols(Locale.GERMAN);
otherSymbols.setDecimalSeparator(',');
otherSymbols.setGroupingSeparator('.');
DecimalFormat newFormat = new DecimalFormat("##,###.##", otherSymbols);
return newFormat.format(Number);
}
} | Igoranze/Martyrs-mega-project-list | tweakers-devv-contest/src/main/application/VraagTre.java | 630 | /**
* Een object zweeft met een vaste snelheid van 20 punten p/s door de ruimte.
* Op het moment van schrijven bevindt het object zich op positie x: 30, y: 50 en z: 90.
* Het object beweegt naar x: 46, y: 48 en z: 9.
* Wat zijn de coördinaten van het object na 25 minuten. Afgerond op 2 decimalen
* Voorbeeldnotatie antwoord: x:1.200,12 y:24.150,00 z:160,98
*/ | block_comment | nl | package main.application;
import java.text.DecimalFormat;
import java.text.DecimalFormatSymbols;
import java.util.Locale;
/**
* Een object zweeft<SUF>*/
public class VraagTre {
static double x = 30;
static double y = 50;
static double z = 90;
static double mvX = 4066;
static double mvY = 65486;
static double mvZ = -81;
static double time = 60*25+1;
public static void main(String[] args) {
StringBuilder result = new StringBuilder();
result.append(calculate());
System.out.println(result);
//Answer is:
/*
* X: 1.889,11
* Y: 29.992,32
* Z: 52,96
*
*/
}
private static String calculate() {
double X = 0;
double Y = 0;
double Z = 0;
for (double i = 0; i < time; i++) {
double part = i*20 / 65612.156747054;
X = (part*mvX) + x;
Y = (part*mvY) + y;
Z = (part*mvZ) + z;
}
return "X: " + formatToString(X) + "\n"+
"Y: " + formatToString(Y) + "\n"+
"Z: " + formatToString(Z);
}
private static String formatToString(double Number){
DecimalFormatSymbols otherSymbols = new DecimalFormatSymbols(Locale.GERMAN);
otherSymbols.setDecimalSeparator(',');
otherSymbols.setGroupingSeparator('.');
DecimalFormat newFormat = new DecimalFormat("##,###.##", otherSymbols);
return newFormat.format(Number);
}
} |
1643_0 | package main.application;
/**
* Vraag 6 - Pascal Triangle
* Pascals driehoek is een bekende piramide waarbij het bovenste getal 1 is en de opvolgende rijen de som zijn
* van de 2 bovenliggende aangrenzende getallen. Zie hieronder een voorbeeld :
*
* 1
* 1 1
* 1 2 1
* 1 3 3 1
* 1 4 6 4 1
* 1 5 10 10 5 1
*
* Bereken de som van de onderste rij van een Pascal-driehoek met duizend rijen. De top van de driehoek telt niet mee als rij.
* Gebruik in je antwoord de wetenschappelijke notatie, rond af op 4 cijfers achter de komma, bijvoorbeeld: 1.0903E+23
*/
public class VraagSei {
public static void main(String[] args) {
//Antwoord is: 1.0715E+301 Excel
}
}
| Igoranze/Martyrs-mega-project-list | tweakers-devv-contest/src/main/application/VraagSei.java | 252 | /**
* Vraag 6 - Pascal Triangle
* Pascals driehoek is een bekende piramide waarbij het bovenste getal 1 is en de opvolgende rijen de som zijn
* van de 2 bovenliggende aangrenzende getallen. Zie hieronder een voorbeeld :
*
* 1
* 1 1
* 1 2 1
* 1 3 3 1
* 1 4 6 4 1
* 1 5 10 10 5 1
*
* Bereken de som van de onderste rij van een Pascal-driehoek met duizend rijen. De top van de driehoek telt niet mee als rij.
* Gebruik in je antwoord de wetenschappelijke notatie, rond af op 4 cijfers achter de komma, bijvoorbeeld: 1.0903E+23
*/ | block_comment | nl | package main.application;
/**
* Vraag 6 -<SUF>*/
public class VraagSei {
public static void main(String[] args) {
//Antwoord is: 1.0715E+301 Excel
}
}
|
1643_1 | package main.application;
/**
* Vraag 6 - Pascal Triangle
* Pascals driehoek is een bekende piramide waarbij het bovenste getal 1 is en de opvolgende rijen de som zijn
* van de 2 bovenliggende aangrenzende getallen. Zie hieronder een voorbeeld :
*
* 1
* 1 1
* 1 2 1
* 1 3 3 1
* 1 4 6 4 1
* 1 5 10 10 5 1
*
* Bereken de som van de onderste rij van een Pascal-driehoek met duizend rijen. De top van de driehoek telt niet mee als rij.
* Gebruik in je antwoord de wetenschappelijke notatie, rond af op 4 cijfers achter de komma, bijvoorbeeld: 1.0903E+23
*/
public class VraagSei {
public static void main(String[] args) {
//Antwoord is: 1.0715E+301 Excel
}
}
| Igoranze/Martyrs-mega-project-list | tweakers-devv-contest/src/main/application/VraagSei.java | 252 | //Antwoord is: 1.0715E+301 Excel | line_comment | nl | package main.application;
/**
* Vraag 6 - Pascal Triangle
* Pascals driehoek is een bekende piramide waarbij het bovenste getal 1 is en de opvolgende rijen de som zijn
* van de 2 bovenliggende aangrenzende getallen. Zie hieronder een voorbeeld :
*
* 1
* 1 1
* 1 2 1
* 1 3 3 1
* 1 4 6 4 1
* 1 5 10 10 5 1
*
* Bereken de som van de onderste rij van een Pascal-driehoek met duizend rijen. De top van de driehoek telt niet mee als rij.
* Gebruik in je antwoord de wetenschappelijke notatie, rond af op 4 cijfers achter de komma, bijvoorbeeld: 1.0903E+23
*/
public class VraagSei {
public static void main(String[] args) {
//Antwoord is:<SUF>
}
}
|
1644_0 | package main.application;
import java.math.BigDecimal;
/**
* De Fibonaccireeks is een rij van getallen die ten grondslag ligt aan vele processen in de natuur,
* van de structuur van zonnebloemen tot de explosieve groei van een konijnenpopulatie.
* De reeks begint met de getallen 0 en 1, waarna ieder volgend getal de som is van zijn 2 voorgangers.
* Het begin is dus: 0, 1, 1, 2, 3, 5, 8, 13, 21, 34, etc.
* Stel dat je van alle Fibonaccigetallen tot 1.000.000.000.000.000.000 (1018) de afzonderlijke cijfers optelt,
* hoe vaak komt daar een getal uit dat zelf het kwadraat is van een geheel getal?
* Voorbeeldnotatie antwoord (schrijfwijze als positief integer): 15000
*/
public class VraagDue {
private static int answer = 0;
public static boolean checkNumber(Double number) {
if ((number.intValue() - number) == 0){
return true;
} else {
return false;
}
}
public static boolean sQRT(BigDecimal number){
String[] halfNumber = number.toString().split("");
Integer sumSplit = 0;
for(String num: halfNumber){
if (!num.equals("")){
sumSplit = sumSplit + Integer.parseInt(num);
}
}
if (checkNumber(Math.sqrt(sumSplit))){
answer++;
return true;
} else {
return false;
}
}
public static void main(String[] args) {
BigDecimal number1 = new BigDecimal(0);
BigDecimal number2 = new BigDecimal(1);
for (int i = 0; i < 1000000000; i++){
BigDecimal sum = number1.add(number2);
number1 = number2;
number2 = sum;
if (sum.toString().length() > 18){
break;
}
if (sQRT(sum)){
}
}
System.out.println(++answer);//Add 1 to the answer for the first integer.
//Answer is: 6
}
}
| Igoranze/Martyrs-mega-project-list | tweakers-devv-contest/src/main/application/VraagDue.java | 599 | /**
* De Fibonaccireeks is een rij van getallen die ten grondslag ligt aan vele processen in de natuur,
* van de structuur van zonnebloemen tot de explosieve groei van een konijnenpopulatie.
* De reeks begint met de getallen 0 en 1, waarna ieder volgend getal de som is van zijn 2 voorgangers.
* Het begin is dus: 0, 1, 1, 2, 3, 5, 8, 13, 21, 34, etc.
* Stel dat je van alle Fibonaccigetallen tot 1.000.000.000.000.000.000 (1018) de afzonderlijke cijfers optelt,
* hoe vaak komt daar een getal uit dat zelf het kwadraat is van een geheel getal?
* Voorbeeldnotatie antwoord (schrijfwijze als positief integer): 15000
*/ | block_comment | nl | package main.application;
import java.math.BigDecimal;
/**
* De Fibonaccireeks is<SUF>*/
public class VraagDue {
private static int answer = 0;
public static boolean checkNumber(Double number) {
if ((number.intValue() - number) == 0){
return true;
} else {
return false;
}
}
public static boolean sQRT(BigDecimal number){
String[] halfNumber = number.toString().split("");
Integer sumSplit = 0;
for(String num: halfNumber){
if (!num.equals("")){
sumSplit = sumSplit + Integer.parseInt(num);
}
}
if (checkNumber(Math.sqrt(sumSplit))){
answer++;
return true;
} else {
return false;
}
}
public static void main(String[] args) {
BigDecimal number1 = new BigDecimal(0);
BigDecimal number2 = new BigDecimal(1);
for (int i = 0; i < 1000000000; i++){
BigDecimal sum = number1.add(number2);
number1 = number2;
number2 = sum;
if (sum.toString().length() > 18){
break;
}
if (sQRT(sum)){
}
}
System.out.println(++answer);//Add 1 to the answer for the first integer.
//Answer is: 6
}
}
|
1646_9 | /*
* Copyright 2010 Gauthier Van Damme for COSIC
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package be.cosic.android.eid.gui;
import java.io.File;
import java.io.FileNotFoundException;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.UnsupportedEncodingException;
import java.security.NoSuchAlgorithmException;
import java.security.NoSuchProviderException;
import java.security.cert.CertificateEncodingException;
import android.app.TabActivity;
import android.content.Context;
import android.content.Intent;
import android.os.Bundle;
import android.os.Environment;
import android.smartcard.CardException;
import android.smartcard.SmartcardClient;
import android.smartcard.SmartcardClient.ISmartcardConnectionListener;
import android.util.Log;
import android.view.Gravity;
import android.view.Menu;
import android.view.MenuInflater;
import android.view.MenuItem;
import android.view.View;
import android.widget.TabHost;
import android.widget.TextView;
import android.widget.Toast;
import android.widget.TabHost.OnTabChangeListener;
import be.cosic.android.eid.engine.EidEngine;
import be.cosic.android.eid.exceptions.*;
public class MainActivity extends TabActivity {
private final int TAB_HEIGHT = 30;
private TabHost tabHost;
public static final String LOG_TAG = "@string/log_tag";
static final int GET_FILE_LOCATION_FOR_SAVE_REQUEST = 0;
static final int GET_FILE_LOCATION_FOR_LOAD_REQUEST = 1;
private Intent intent;
private static SmartcardClient smartcard;
private static boolean smartCardConnected = false;
public static EidEngine belpic = new EidEngine();
public static boolean own_id = true;
/** Called when the activity is first created. */
@Override
public void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setUpView();
try {
smartcard = new SmartcardClient(this, connectionListener);
} catch (SecurityException e) {
Log.e(LOG_TAG, "Binding not allowed, uses-permission SMARTCARD?");
return;
} catch (Exception e) {
Log.e(LOG_TAG, "Exception: " + e.getMessage());
}
//Resources res = getResources(); // Resource object to get Drawables
}
@Override
public boolean onCreateOptionsMenu(Menu menu) {
MenuInflater inflater = getMenuInflater();
inflater.inflate(R.menu.eid_menu, menu);
return true;
}
@Override
public boolean onOptionsItemSelected(MenuItem item) {
// Handle item selection
switch (item.getItemId()) {
case R.id.read:
readEid();
return true;
case R.id.load:
loadEid();
return true;
case R.id.save:
saveEid();
return true;
case R.id.exit:
finish();
return true;
default:
return super.onOptionsItemSelected(item);
}
}
@Override
protected void onDestroy() {
if (smartcard != null) {
smartcard.shutdown();//.unbindService();//.shutdown();
}
smartCardConnected = false;
belpic.clearData();
super.onDestroy();
}
protected void setUpView() {
setContentView(R.layout.main);
tabHost = getTabHost(); // The activity TabHost
TabHost.TabSpec spec; // Resusable TabSpec for each tab
Intent intent; // Reusable Intent for each tab
// Create an Intent to launch an Activity for the tab (to be reused)
intent = new Intent().setClass(this, Identity.class);
// Initialize a TabSpec for each tab and add it to the TabHost
spec = tabHost.newTabSpec("identity").setIndicator("Identity")
.setContent(intent);
tabHost.addTab(spec);
//tabHost.getTabWidget().getChildAt(0).getLayoutParams().height = TAB_HEIGHT;
//TextView tv = (TextView) tabHost.getTabWidget().getChildAt(0).findViewById(android.R.id.title);
//tv.setTextColor(R.color.black);
//tabHost.getTabWidget().setBackgroundColor(R.color.grey);
//tv.setBackgroundColor(R.color.grey);
// Do the same for the other tabs
intent = new Intent().setClass(this, IdentityExtra.class);
spec = tabHost.newTabSpec("identityextra").setIndicator("Identity Extra")
.setContent(intent);
tabHost.addTab(spec);
intent = new Intent().setClass(this, Certificates.class);
spec = tabHost.newTabSpec("certificates").setIndicator("Certificates")
.setContent(intent);
tabHost.addTab(spec);
intent = new Intent().setClass(this, Functions.class);
spec = tabHost.newTabSpec("cardpin").setIndicator("Functions")
.setContent(intent);
tabHost.addTab(spec);
View v;
for(int i=0;i<tabHost.getTabWidget().getChildCount();i++)
{
v = tabHost.getTabWidget().getChildAt(i);//
//float[] outerR = new float[] { 12, 12, 12, 12, 0, 0, 0, 0 };
//RectF inset = new RectF(10, 10, 10, 10);
//float[] innerR = new float[] { 0, 0, 0, 0 ,12, 12, 12, 12};
//ShapeDrawable shape = new ShapeDrawable(new RoundRectShape(innerR, inset, outerR));
//ShapeDrawable shape = new ShapeDrawable(new OvalShape());
//shape.getPaint()..setIntrinsicHeight(30);
//shape.getPaint().setColor(Color.parseColor("#FFFFFF"));
//v.setBackgroundDrawable(shape);
v.setBackgroundColor(getResources().getColor(R.color.light_grey));//Color.parseColor("#E6E6E6"));
((TextView) v.findViewById(android.R.id.title)).setTextColor(R.color.black);
}
tabHost.setCurrentTab(0);
tabHost.getTabWidget().getChildAt(tabHost.getCurrentTab()).setBackgroundColor(getResources().getColor(R.color.dark_grey));//Color.parseColor("#C3C3C3"));
tabHost.setOnTabChangedListener(new
OnTabChangeListener() {
public void onTabChanged(String tabId) {
for(int i=0;i<tabHost.getTabWidget().getChildCount();i++)
{
tabHost.getTabWidget().getChildAt(i).setBackgroundColor(getResources().getColor(R.color.light_grey));
}
tabHost.getTabWidget().getChildAt(tabHost.getCurrentTab()).setBackgroundColor(getResources().getColor(R.color.dark_grey));
}
});
}
ISmartcardConnectionListener connectionListener = new
ISmartcardConnectionListener() {
public void serviceConnected() {
try{
belpic.connect(smartcard);
} catch (CardException e) {
Log.e(LOG_TAG, "Exception in opening basic channel: " + e.getMessage());
//TODO give error message
return;
}
smartCardConnected = true;
readEid();
}
public void serviceDisconnected() {
smartCardConnected = false;
//TODO show message box
}
};
private void saveEid() {
//TODO If android API version lower then 8, saving/load does not work as no Base64 and DOM transformer is available
// Context context = getApplicationContext();
// int duration = Toast.LENGTH_LONG;
// Toast toast;
// toast = Toast.makeText(context, System.getProperty("java.version"), duration);
// toast.setGravity(Gravity.CENTER, 0, 0);
// toast.show();
//
//if(System.getProperty("java.version")){
intent = new Intent().setClass(this, PathQuery.class);
MainActivity.this.startActivityForResult(intent, GET_FILE_LOCATION_FOR_SAVE_REQUEST);
}
private void loadEid() {
intent = new Intent().setClass(this, PathQuery.class);
MainActivity.this.startActivityForResult(intent, GET_FILE_LOCATION_FOR_LOAD_REQUEST);
}
//TODO update current activity when refresh
private void readEid() {
if(smartCardConnected != true){
//TODO show message: connection problem. check if secure smart card is inserted
return;
}
try {
belpic.readEid();
} catch (UnsupportedEncodingException e) {
// TODO Auto-generated catch block
e.printStackTrace();
} catch (CardException e) {
// TODO Auto-generated catch block
e.printStackTrace();
} catch (NoSuchFileException e) {
// TODO Auto-generated catch block
e.printStackTrace();
} catch (InvalidResponse e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
try {
belpic.parseEidData();
} catch (UnsupportedEncodingException e) {
//Should not occur
}
//TextView text = (TextView) tabHost.getChildAt(0).findViewById(R.id.firstnames);
//text.setText("ja jong, zijn we er bijna of niet");
//Toast.makeText(this, text.getText(),
// Toast.LENGTH_LONG).show();
//this.getApplication();
//getCurrentActivity().onContentChanged();
//tabHost.getChildAt(0).findViewById(R.id.firstnames)ACCESSIBILITY_SERVICE;
//belpic.getMF().getIDDirectory().getIdentityFile().toString()
//tabHost.getChildAt(1).bringToFront();
//tabHost.setCurrentTab(1);
//tabHost.recomputeViewAttributes(tabHost.getChildAt(0));//getCurrentTabView().bringToFront();
//Identity.setEidData();
//tabHost.getTabWidget().setCurrentTab(0);
own_id = true;
//Switch tabs so to refresh the content
tabHost.setCurrentTab(1);
tabHost.setCurrentTab(0);
}
//Called when a child activity returns.
protected void onActivityResult(int requestCode, int resultCode,
Intent data) {
Context context = getApplicationContext();
int duration = Toast.LENGTH_LONG;
Toast toast;
switch (requestCode){
//If the return value is a PIN for testing:
case GET_FILE_LOCATION_FOR_SAVE_REQUEST:
if (resultCode == RESULT_OK) {
//Files will be stored on the SDcard under the given path
String[] files = data.getStringExtra("path").split(File.separator);
String dir = Environment.getExternalStorageDirectory().getAbsolutePath();
String path = dir + File.separator + data.getStringExtra("path");
//Get the directory path
for(int i =0;i<(files.length-1);i++){
dir = dir + File.separator + files[i] ;
}
try {
//Check if an extension was added. If not or a false one, correct.
//Not everything is checked but other things should be checked by OS
if(!path.endsWith(".xml"))
path=path + ".xml";
else if(!path.endsWith(".xml"))
throw new UnsupportedEncodingException();
//We make new directories where necessary
new File(dir).mkdirs();
//Store the eid as an xml file
belpic.storeEid(path);
} catch ( FileNotFoundException e) {
toast = Toast.makeText(context, "FileNotFoundException", duration);
toast.setGravity(Gravity.CENTER, 0, 0);
toast.show();
//TODO
e.printStackTrace();
} catch (IOException e) {
toast = Toast.makeText(context, "IOException", duration);
toast.setGravity(Gravity.CENTER, 0, 0);
toast.show();
//TODO
e.printStackTrace();
}
}else ;//TODO if cancel of zo...
break;
//If the return value is a PIN for testing:
case GET_FILE_LOCATION_FOR_LOAD_REQUEST:
if (resultCode == RESULT_OK) {
String[] files = data.getStringExtra("path").split(File.separator);
String dir = Environment.getExternalStorageDirectory().getAbsolutePath();
String path = dir + File.separator + data.getStringExtra("path");
//Get the directory path
for(int i =0;i<(files.length-1);i++){
dir = dir + File.separator + files[i] ;
}
try {
//Check if an extension was added. If not or a false one, correct.
//Not everything is checked but other things should be checked by OS
if(!path.endsWith(".xml"))
path=path + ".xml";
else if(!path.endsWith(".xml"))
throw new UnsupportedEncodingException();
//We make new directories where necessary
new File(dir).mkdirs();
//Store the eid as an xml file
belpic.loadEid(path);
belpic.parseEidData();
own_id = false;
tabHost.setCurrentTab(1);
tabHost.setCurrentTab(0);
toast = Toast.makeText(context, "This eID data is cryptographically correct. \nPlease proceed to a visual check before any further action.", Toast.LENGTH_LONG);
toast.setGravity(Gravity.CENTER, 0, 0);
toast.show();
//TODO: ?change the menu structure to give new options with just verified loaded data?
} catch ( FileNotFoundException e) {
toast = Toast.makeText(context, "FileNotFoundException", duration);
toast.setGravity(Gravity.CENTER, 0, 0);
toast.show();
//TODO
e.printStackTrace();
} catch (IOException e) {
toast = Toast.makeText(context, "IOException", duration);
toast.setGravity(Gravity.CENTER, 0, 0);
toast.show();
//TODO
e.printStackTrace();
} catch (GeneralSecurityException e) {
toast = Toast.makeText(context, "GeneralSecurityException, Invalid eID Data", duration);
toast.setGravity(Gravity.CENTER, 0, 0);
toast.show();
//TODO
} catch (NoSuchAlgorithmException e) {
// Should not occur
e.printStackTrace();
} catch (NoSuchProviderException e) {
// Should not occur
e.printStackTrace();
} catch (CardException e) {
// TODO Auto-generated catch block
e.printStackTrace();
} catch (NoSuchFileException e) {
// TODO Auto-generated catch block
e.printStackTrace();
} catch (InvalidResponse e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
}else ;
break;
default:
Log.e(MainActivity.LOG_TAG, "Problem in PathQuery return result: Invalid return request code.");
}
}
} | seek-for-android/pool | applications/EidForAndroid/src/be/cosic/android/eid/gui/MainActivity.java | 4,384 | //tabHost.getTabWidget().getChildAt(0).getLayoutParams().height = TAB_HEIGHT; | line_comment | nl | /*
* Copyright 2010 Gauthier Van Damme for COSIC
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package be.cosic.android.eid.gui;
import java.io.File;
import java.io.FileNotFoundException;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.UnsupportedEncodingException;
import java.security.NoSuchAlgorithmException;
import java.security.NoSuchProviderException;
import java.security.cert.CertificateEncodingException;
import android.app.TabActivity;
import android.content.Context;
import android.content.Intent;
import android.os.Bundle;
import android.os.Environment;
import android.smartcard.CardException;
import android.smartcard.SmartcardClient;
import android.smartcard.SmartcardClient.ISmartcardConnectionListener;
import android.util.Log;
import android.view.Gravity;
import android.view.Menu;
import android.view.MenuInflater;
import android.view.MenuItem;
import android.view.View;
import android.widget.TabHost;
import android.widget.TextView;
import android.widget.Toast;
import android.widget.TabHost.OnTabChangeListener;
import be.cosic.android.eid.engine.EidEngine;
import be.cosic.android.eid.exceptions.*;
public class MainActivity extends TabActivity {
private final int TAB_HEIGHT = 30;
private TabHost tabHost;
public static final String LOG_TAG = "@string/log_tag";
static final int GET_FILE_LOCATION_FOR_SAVE_REQUEST = 0;
static final int GET_FILE_LOCATION_FOR_LOAD_REQUEST = 1;
private Intent intent;
private static SmartcardClient smartcard;
private static boolean smartCardConnected = false;
public static EidEngine belpic = new EidEngine();
public static boolean own_id = true;
/** Called when the activity is first created. */
@Override
public void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setUpView();
try {
smartcard = new SmartcardClient(this, connectionListener);
} catch (SecurityException e) {
Log.e(LOG_TAG, "Binding not allowed, uses-permission SMARTCARD?");
return;
} catch (Exception e) {
Log.e(LOG_TAG, "Exception: " + e.getMessage());
}
//Resources res = getResources(); // Resource object to get Drawables
}
@Override
public boolean onCreateOptionsMenu(Menu menu) {
MenuInflater inflater = getMenuInflater();
inflater.inflate(R.menu.eid_menu, menu);
return true;
}
@Override
public boolean onOptionsItemSelected(MenuItem item) {
// Handle item selection
switch (item.getItemId()) {
case R.id.read:
readEid();
return true;
case R.id.load:
loadEid();
return true;
case R.id.save:
saveEid();
return true;
case R.id.exit:
finish();
return true;
default:
return super.onOptionsItemSelected(item);
}
}
@Override
protected void onDestroy() {
if (smartcard != null) {
smartcard.shutdown();//.unbindService();//.shutdown();
}
smartCardConnected = false;
belpic.clearData();
super.onDestroy();
}
protected void setUpView() {
setContentView(R.layout.main);
tabHost = getTabHost(); // The activity TabHost
TabHost.TabSpec spec; // Resusable TabSpec for each tab
Intent intent; // Reusable Intent for each tab
// Create an Intent to launch an Activity for the tab (to be reused)
intent = new Intent().setClass(this, Identity.class);
// Initialize a TabSpec for each tab and add it to the TabHost
spec = tabHost.newTabSpec("identity").setIndicator("Identity")
.setContent(intent);
tabHost.addTab(spec);
//tabHost.getTabWidget().getChildAt(0).getLayoutParams().height =<SUF>
//TextView tv = (TextView) tabHost.getTabWidget().getChildAt(0).findViewById(android.R.id.title);
//tv.setTextColor(R.color.black);
//tabHost.getTabWidget().setBackgroundColor(R.color.grey);
//tv.setBackgroundColor(R.color.grey);
// Do the same for the other tabs
intent = new Intent().setClass(this, IdentityExtra.class);
spec = tabHost.newTabSpec("identityextra").setIndicator("Identity Extra")
.setContent(intent);
tabHost.addTab(spec);
intent = new Intent().setClass(this, Certificates.class);
spec = tabHost.newTabSpec("certificates").setIndicator("Certificates")
.setContent(intent);
tabHost.addTab(spec);
intent = new Intent().setClass(this, Functions.class);
spec = tabHost.newTabSpec("cardpin").setIndicator("Functions")
.setContent(intent);
tabHost.addTab(spec);
View v;
for(int i=0;i<tabHost.getTabWidget().getChildCount();i++)
{
v = tabHost.getTabWidget().getChildAt(i);//
//float[] outerR = new float[] { 12, 12, 12, 12, 0, 0, 0, 0 };
//RectF inset = new RectF(10, 10, 10, 10);
//float[] innerR = new float[] { 0, 0, 0, 0 ,12, 12, 12, 12};
//ShapeDrawable shape = new ShapeDrawable(new RoundRectShape(innerR, inset, outerR));
//ShapeDrawable shape = new ShapeDrawable(new OvalShape());
//shape.getPaint()..setIntrinsicHeight(30);
//shape.getPaint().setColor(Color.parseColor("#FFFFFF"));
//v.setBackgroundDrawable(shape);
v.setBackgroundColor(getResources().getColor(R.color.light_grey));//Color.parseColor("#E6E6E6"));
((TextView) v.findViewById(android.R.id.title)).setTextColor(R.color.black);
}
tabHost.setCurrentTab(0);
tabHost.getTabWidget().getChildAt(tabHost.getCurrentTab()).setBackgroundColor(getResources().getColor(R.color.dark_grey));//Color.parseColor("#C3C3C3"));
tabHost.setOnTabChangedListener(new
OnTabChangeListener() {
public void onTabChanged(String tabId) {
for(int i=0;i<tabHost.getTabWidget().getChildCount();i++)
{
tabHost.getTabWidget().getChildAt(i).setBackgroundColor(getResources().getColor(R.color.light_grey));
}
tabHost.getTabWidget().getChildAt(tabHost.getCurrentTab()).setBackgroundColor(getResources().getColor(R.color.dark_grey));
}
});
}
ISmartcardConnectionListener connectionListener = new
ISmartcardConnectionListener() {
public void serviceConnected() {
try{
belpic.connect(smartcard);
} catch (CardException e) {
Log.e(LOG_TAG, "Exception in opening basic channel: " + e.getMessage());
//TODO give error message
return;
}
smartCardConnected = true;
readEid();
}
public void serviceDisconnected() {
smartCardConnected = false;
//TODO show message box
}
};
private void saveEid() {
//TODO If android API version lower then 8, saving/load does not work as no Base64 and DOM transformer is available
// Context context = getApplicationContext();
// int duration = Toast.LENGTH_LONG;
// Toast toast;
// toast = Toast.makeText(context, System.getProperty("java.version"), duration);
// toast.setGravity(Gravity.CENTER, 0, 0);
// toast.show();
//
//if(System.getProperty("java.version")){
intent = new Intent().setClass(this, PathQuery.class);
MainActivity.this.startActivityForResult(intent, GET_FILE_LOCATION_FOR_SAVE_REQUEST);
}
private void loadEid() {
intent = new Intent().setClass(this, PathQuery.class);
MainActivity.this.startActivityForResult(intent, GET_FILE_LOCATION_FOR_LOAD_REQUEST);
}
//TODO update current activity when refresh
private void readEid() {
if(smartCardConnected != true){
//TODO show message: connection problem. check if secure smart card is inserted
return;
}
try {
belpic.readEid();
} catch (UnsupportedEncodingException e) {
// TODO Auto-generated catch block
e.printStackTrace();
} catch (CardException e) {
// TODO Auto-generated catch block
e.printStackTrace();
} catch (NoSuchFileException e) {
// TODO Auto-generated catch block
e.printStackTrace();
} catch (InvalidResponse e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
try {
belpic.parseEidData();
} catch (UnsupportedEncodingException e) {
//Should not occur
}
//TextView text = (TextView) tabHost.getChildAt(0).findViewById(R.id.firstnames);
//text.setText("ja jong, zijn we er bijna of niet");
//Toast.makeText(this, text.getText(),
// Toast.LENGTH_LONG).show();
//this.getApplication();
//getCurrentActivity().onContentChanged();
//tabHost.getChildAt(0).findViewById(R.id.firstnames)ACCESSIBILITY_SERVICE;
//belpic.getMF().getIDDirectory().getIdentityFile().toString()
//tabHost.getChildAt(1).bringToFront();
//tabHost.setCurrentTab(1);
//tabHost.recomputeViewAttributes(tabHost.getChildAt(0));//getCurrentTabView().bringToFront();
//Identity.setEidData();
//tabHost.getTabWidget().setCurrentTab(0);
own_id = true;
//Switch tabs so to refresh the content
tabHost.setCurrentTab(1);
tabHost.setCurrentTab(0);
}
//Called when a child activity returns.
protected void onActivityResult(int requestCode, int resultCode,
Intent data) {
Context context = getApplicationContext();
int duration = Toast.LENGTH_LONG;
Toast toast;
switch (requestCode){
//If the return value is a PIN for testing:
case GET_FILE_LOCATION_FOR_SAVE_REQUEST:
if (resultCode == RESULT_OK) {
//Files will be stored on the SDcard under the given path
String[] files = data.getStringExtra("path").split(File.separator);
String dir = Environment.getExternalStorageDirectory().getAbsolutePath();
String path = dir + File.separator + data.getStringExtra("path");
//Get the directory path
for(int i =0;i<(files.length-1);i++){
dir = dir + File.separator + files[i] ;
}
try {
//Check if an extension was added. If not or a false one, correct.
//Not everything is checked but other things should be checked by OS
if(!path.endsWith(".xml"))
path=path + ".xml";
else if(!path.endsWith(".xml"))
throw new UnsupportedEncodingException();
//We make new directories where necessary
new File(dir).mkdirs();
//Store the eid as an xml file
belpic.storeEid(path);
} catch ( FileNotFoundException e) {
toast = Toast.makeText(context, "FileNotFoundException", duration);
toast.setGravity(Gravity.CENTER, 0, 0);
toast.show();
//TODO
e.printStackTrace();
} catch (IOException e) {
toast = Toast.makeText(context, "IOException", duration);
toast.setGravity(Gravity.CENTER, 0, 0);
toast.show();
//TODO
e.printStackTrace();
}
}else ;//TODO if cancel of zo...
break;
//If the return value is a PIN for testing:
case GET_FILE_LOCATION_FOR_LOAD_REQUEST:
if (resultCode == RESULT_OK) {
String[] files = data.getStringExtra("path").split(File.separator);
String dir = Environment.getExternalStorageDirectory().getAbsolutePath();
String path = dir + File.separator + data.getStringExtra("path");
//Get the directory path
for(int i =0;i<(files.length-1);i++){
dir = dir + File.separator + files[i] ;
}
try {
//Check if an extension was added. If not or a false one, correct.
//Not everything is checked but other things should be checked by OS
if(!path.endsWith(".xml"))
path=path + ".xml";
else if(!path.endsWith(".xml"))
throw new UnsupportedEncodingException();
//We make new directories where necessary
new File(dir).mkdirs();
//Store the eid as an xml file
belpic.loadEid(path);
belpic.parseEidData();
own_id = false;
tabHost.setCurrentTab(1);
tabHost.setCurrentTab(0);
toast = Toast.makeText(context, "This eID data is cryptographically correct. \nPlease proceed to a visual check before any further action.", Toast.LENGTH_LONG);
toast.setGravity(Gravity.CENTER, 0, 0);
toast.show();
//TODO: ?change the menu structure to give new options with just verified loaded data?
} catch ( FileNotFoundException e) {
toast = Toast.makeText(context, "FileNotFoundException", duration);
toast.setGravity(Gravity.CENTER, 0, 0);
toast.show();
//TODO
e.printStackTrace();
} catch (IOException e) {
toast = Toast.makeText(context, "IOException", duration);
toast.setGravity(Gravity.CENTER, 0, 0);
toast.show();
//TODO
e.printStackTrace();
} catch (GeneralSecurityException e) {
toast = Toast.makeText(context, "GeneralSecurityException, Invalid eID Data", duration);
toast.setGravity(Gravity.CENTER, 0, 0);
toast.show();
//TODO
} catch (NoSuchAlgorithmException e) {
// Should not occur
e.printStackTrace();
} catch (NoSuchProviderException e) {
// Should not occur
e.printStackTrace();
} catch (CardException e) {
// TODO Auto-generated catch block
e.printStackTrace();
} catch (NoSuchFileException e) {
// TODO Auto-generated catch block
e.printStackTrace();
} catch (InvalidResponse e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
}else ;
break;
default:
Log.e(MainActivity.LOG_TAG, "Problem in PathQuery return result: Invalid return request code.");
}
}
} |
1646_32 | /*
* Copyright 2010 Gauthier Van Damme for COSIC
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package be.cosic.android.eid.gui;
import java.io.File;
import java.io.FileNotFoundException;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.UnsupportedEncodingException;
import java.security.NoSuchAlgorithmException;
import java.security.NoSuchProviderException;
import java.security.cert.CertificateEncodingException;
import android.app.TabActivity;
import android.content.Context;
import android.content.Intent;
import android.os.Bundle;
import android.os.Environment;
import android.smartcard.CardException;
import android.smartcard.SmartcardClient;
import android.smartcard.SmartcardClient.ISmartcardConnectionListener;
import android.util.Log;
import android.view.Gravity;
import android.view.Menu;
import android.view.MenuInflater;
import android.view.MenuItem;
import android.view.View;
import android.widget.TabHost;
import android.widget.TextView;
import android.widget.Toast;
import android.widget.TabHost.OnTabChangeListener;
import be.cosic.android.eid.engine.EidEngine;
import be.cosic.android.eid.exceptions.*;
public class MainActivity extends TabActivity {
private final int TAB_HEIGHT = 30;
private TabHost tabHost;
public static final String LOG_TAG = "@string/log_tag";
static final int GET_FILE_LOCATION_FOR_SAVE_REQUEST = 0;
static final int GET_FILE_LOCATION_FOR_LOAD_REQUEST = 1;
private Intent intent;
private static SmartcardClient smartcard;
private static boolean smartCardConnected = false;
public static EidEngine belpic = new EidEngine();
public static boolean own_id = true;
/** Called when the activity is first created. */
@Override
public void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setUpView();
try {
smartcard = new SmartcardClient(this, connectionListener);
} catch (SecurityException e) {
Log.e(LOG_TAG, "Binding not allowed, uses-permission SMARTCARD?");
return;
} catch (Exception e) {
Log.e(LOG_TAG, "Exception: " + e.getMessage());
}
//Resources res = getResources(); // Resource object to get Drawables
}
@Override
public boolean onCreateOptionsMenu(Menu menu) {
MenuInflater inflater = getMenuInflater();
inflater.inflate(R.menu.eid_menu, menu);
return true;
}
@Override
public boolean onOptionsItemSelected(MenuItem item) {
// Handle item selection
switch (item.getItemId()) {
case R.id.read:
readEid();
return true;
case R.id.load:
loadEid();
return true;
case R.id.save:
saveEid();
return true;
case R.id.exit:
finish();
return true;
default:
return super.onOptionsItemSelected(item);
}
}
@Override
protected void onDestroy() {
if (smartcard != null) {
smartcard.shutdown();//.unbindService();//.shutdown();
}
smartCardConnected = false;
belpic.clearData();
super.onDestroy();
}
protected void setUpView() {
setContentView(R.layout.main);
tabHost = getTabHost(); // The activity TabHost
TabHost.TabSpec spec; // Resusable TabSpec for each tab
Intent intent; // Reusable Intent for each tab
// Create an Intent to launch an Activity for the tab (to be reused)
intent = new Intent().setClass(this, Identity.class);
// Initialize a TabSpec for each tab and add it to the TabHost
spec = tabHost.newTabSpec("identity").setIndicator("Identity")
.setContent(intent);
tabHost.addTab(spec);
//tabHost.getTabWidget().getChildAt(0).getLayoutParams().height = TAB_HEIGHT;
//TextView tv = (TextView) tabHost.getTabWidget().getChildAt(0).findViewById(android.R.id.title);
//tv.setTextColor(R.color.black);
//tabHost.getTabWidget().setBackgroundColor(R.color.grey);
//tv.setBackgroundColor(R.color.grey);
// Do the same for the other tabs
intent = new Intent().setClass(this, IdentityExtra.class);
spec = tabHost.newTabSpec("identityextra").setIndicator("Identity Extra")
.setContent(intent);
tabHost.addTab(spec);
intent = new Intent().setClass(this, Certificates.class);
spec = tabHost.newTabSpec("certificates").setIndicator("Certificates")
.setContent(intent);
tabHost.addTab(spec);
intent = new Intent().setClass(this, Functions.class);
spec = tabHost.newTabSpec("cardpin").setIndicator("Functions")
.setContent(intent);
tabHost.addTab(spec);
View v;
for(int i=0;i<tabHost.getTabWidget().getChildCount();i++)
{
v = tabHost.getTabWidget().getChildAt(i);//
//float[] outerR = new float[] { 12, 12, 12, 12, 0, 0, 0, 0 };
//RectF inset = new RectF(10, 10, 10, 10);
//float[] innerR = new float[] { 0, 0, 0, 0 ,12, 12, 12, 12};
//ShapeDrawable shape = new ShapeDrawable(new RoundRectShape(innerR, inset, outerR));
//ShapeDrawable shape = new ShapeDrawable(new OvalShape());
//shape.getPaint()..setIntrinsicHeight(30);
//shape.getPaint().setColor(Color.parseColor("#FFFFFF"));
//v.setBackgroundDrawable(shape);
v.setBackgroundColor(getResources().getColor(R.color.light_grey));//Color.parseColor("#E6E6E6"));
((TextView) v.findViewById(android.R.id.title)).setTextColor(R.color.black);
}
tabHost.setCurrentTab(0);
tabHost.getTabWidget().getChildAt(tabHost.getCurrentTab()).setBackgroundColor(getResources().getColor(R.color.dark_grey));//Color.parseColor("#C3C3C3"));
tabHost.setOnTabChangedListener(new
OnTabChangeListener() {
public void onTabChanged(String tabId) {
for(int i=0;i<tabHost.getTabWidget().getChildCount();i++)
{
tabHost.getTabWidget().getChildAt(i).setBackgroundColor(getResources().getColor(R.color.light_grey));
}
tabHost.getTabWidget().getChildAt(tabHost.getCurrentTab()).setBackgroundColor(getResources().getColor(R.color.dark_grey));
}
});
}
ISmartcardConnectionListener connectionListener = new
ISmartcardConnectionListener() {
public void serviceConnected() {
try{
belpic.connect(smartcard);
} catch (CardException e) {
Log.e(LOG_TAG, "Exception in opening basic channel: " + e.getMessage());
//TODO give error message
return;
}
smartCardConnected = true;
readEid();
}
public void serviceDisconnected() {
smartCardConnected = false;
//TODO show message box
}
};
private void saveEid() {
//TODO If android API version lower then 8, saving/load does not work as no Base64 and DOM transformer is available
// Context context = getApplicationContext();
// int duration = Toast.LENGTH_LONG;
// Toast toast;
// toast = Toast.makeText(context, System.getProperty("java.version"), duration);
// toast.setGravity(Gravity.CENTER, 0, 0);
// toast.show();
//
//if(System.getProperty("java.version")){
intent = new Intent().setClass(this, PathQuery.class);
MainActivity.this.startActivityForResult(intent, GET_FILE_LOCATION_FOR_SAVE_REQUEST);
}
private void loadEid() {
intent = new Intent().setClass(this, PathQuery.class);
MainActivity.this.startActivityForResult(intent, GET_FILE_LOCATION_FOR_LOAD_REQUEST);
}
//TODO update current activity when refresh
private void readEid() {
if(smartCardConnected != true){
//TODO show message: connection problem. check if secure smart card is inserted
return;
}
try {
belpic.readEid();
} catch (UnsupportedEncodingException e) {
// TODO Auto-generated catch block
e.printStackTrace();
} catch (CardException e) {
// TODO Auto-generated catch block
e.printStackTrace();
} catch (NoSuchFileException e) {
// TODO Auto-generated catch block
e.printStackTrace();
} catch (InvalidResponse e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
try {
belpic.parseEidData();
} catch (UnsupportedEncodingException e) {
//Should not occur
}
//TextView text = (TextView) tabHost.getChildAt(0).findViewById(R.id.firstnames);
//text.setText("ja jong, zijn we er bijna of niet");
//Toast.makeText(this, text.getText(),
// Toast.LENGTH_LONG).show();
//this.getApplication();
//getCurrentActivity().onContentChanged();
//tabHost.getChildAt(0).findViewById(R.id.firstnames)ACCESSIBILITY_SERVICE;
//belpic.getMF().getIDDirectory().getIdentityFile().toString()
//tabHost.getChildAt(1).bringToFront();
//tabHost.setCurrentTab(1);
//tabHost.recomputeViewAttributes(tabHost.getChildAt(0));//getCurrentTabView().bringToFront();
//Identity.setEidData();
//tabHost.getTabWidget().setCurrentTab(0);
own_id = true;
//Switch tabs so to refresh the content
tabHost.setCurrentTab(1);
tabHost.setCurrentTab(0);
}
//Called when a child activity returns.
protected void onActivityResult(int requestCode, int resultCode,
Intent data) {
Context context = getApplicationContext();
int duration = Toast.LENGTH_LONG;
Toast toast;
switch (requestCode){
//If the return value is a PIN for testing:
case GET_FILE_LOCATION_FOR_SAVE_REQUEST:
if (resultCode == RESULT_OK) {
//Files will be stored on the SDcard under the given path
String[] files = data.getStringExtra("path").split(File.separator);
String dir = Environment.getExternalStorageDirectory().getAbsolutePath();
String path = dir + File.separator + data.getStringExtra("path");
//Get the directory path
for(int i =0;i<(files.length-1);i++){
dir = dir + File.separator + files[i] ;
}
try {
//Check if an extension was added. If not or a false one, correct.
//Not everything is checked but other things should be checked by OS
if(!path.endsWith(".xml"))
path=path + ".xml";
else if(!path.endsWith(".xml"))
throw new UnsupportedEncodingException();
//We make new directories where necessary
new File(dir).mkdirs();
//Store the eid as an xml file
belpic.storeEid(path);
} catch ( FileNotFoundException e) {
toast = Toast.makeText(context, "FileNotFoundException", duration);
toast.setGravity(Gravity.CENTER, 0, 0);
toast.show();
//TODO
e.printStackTrace();
} catch (IOException e) {
toast = Toast.makeText(context, "IOException", duration);
toast.setGravity(Gravity.CENTER, 0, 0);
toast.show();
//TODO
e.printStackTrace();
}
}else ;//TODO if cancel of zo...
break;
//If the return value is a PIN for testing:
case GET_FILE_LOCATION_FOR_LOAD_REQUEST:
if (resultCode == RESULT_OK) {
String[] files = data.getStringExtra("path").split(File.separator);
String dir = Environment.getExternalStorageDirectory().getAbsolutePath();
String path = dir + File.separator + data.getStringExtra("path");
//Get the directory path
for(int i =0;i<(files.length-1);i++){
dir = dir + File.separator + files[i] ;
}
try {
//Check if an extension was added. If not or a false one, correct.
//Not everything is checked but other things should be checked by OS
if(!path.endsWith(".xml"))
path=path + ".xml";
else if(!path.endsWith(".xml"))
throw new UnsupportedEncodingException();
//We make new directories where necessary
new File(dir).mkdirs();
//Store the eid as an xml file
belpic.loadEid(path);
belpic.parseEidData();
own_id = false;
tabHost.setCurrentTab(1);
tabHost.setCurrentTab(0);
toast = Toast.makeText(context, "This eID data is cryptographically correct. \nPlease proceed to a visual check before any further action.", Toast.LENGTH_LONG);
toast.setGravity(Gravity.CENTER, 0, 0);
toast.show();
//TODO: ?change the menu structure to give new options with just verified loaded data?
} catch ( FileNotFoundException e) {
toast = Toast.makeText(context, "FileNotFoundException", duration);
toast.setGravity(Gravity.CENTER, 0, 0);
toast.show();
//TODO
e.printStackTrace();
} catch (IOException e) {
toast = Toast.makeText(context, "IOException", duration);
toast.setGravity(Gravity.CENTER, 0, 0);
toast.show();
//TODO
e.printStackTrace();
} catch (GeneralSecurityException e) {
toast = Toast.makeText(context, "GeneralSecurityException, Invalid eID Data", duration);
toast.setGravity(Gravity.CENTER, 0, 0);
toast.show();
//TODO
} catch (NoSuchAlgorithmException e) {
// Should not occur
e.printStackTrace();
} catch (NoSuchProviderException e) {
// Should not occur
e.printStackTrace();
} catch (CardException e) {
// TODO Auto-generated catch block
e.printStackTrace();
} catch (NoSuchFileException e) {
// TODO Auto-generated catch block
e.printStackTrace();
} catch (InvalidResponse e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
}else ;
break;
default:
Log.e(MainActivity.LOG_TAG, "Problem in PathQuery return result: Invalid return request code.");
}
}
} | seek-for-android/pool | applications/EidForAndroid/src/be/cosic/android/eid/gui/MainActivity.java | 4,384 | //text.setText("ja jong, zijn we er bijna of niet"); | line_comment | nl | /*
* Copyright 2010 Gauthier Van Damme for COSIC
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package be.cosic.android.eid.gui;
import java.io.File;
import java.io.FileNotFoundException;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.UnsupportedEncodingException;
import java.security.NoSuchAlgorithmException;
import java.security.NoSuchProviderException;
import java.security.cert.CertificateEncodingException;
import android.app.TabActivity;
import android.content.Context;
import android.content.Intent;
import android.os.Bundle;
import android.os.Environment;
import android.smartcard.CardException;
import android.smartcard.SmartcardClient;
import android.smartcard.SmartcardClient.ISmartcardConnectionListener;
import android.util.Log;
import android.view.Gravity;
import android.view.Menu;
import android.view.MenuInflater;
import android.view.MenuItem;
import android.view.View;
import android.widget.TabHost;
import android.widget.TextView;
import android.widget.Toast;
import android.widget.TabHost.OnTabChangeListener;
import be.cosic.android.eid.engine.EidEngine;
import be.cosic.android.eid.exceptions.*;
public class MainActivity extends TabActivity {
private final int TAB_HEIGHT = 30;
private TabHost tabHost;
public static final String LOG_TAG = "@string/log_tag";
static final int GET_FILE_LOCATION_FOR_SAVE_REQUEST = 0;
static final int GET_FILE_LOCATION_FOR_LOAD_REQUEST = 1;
private Intent intent;
private static SmartcardClient smartcard;
private static boolean smartCardConnected = false;
public static EidEngine belpic = new EidEngine();
public static boolean own_id = true;
/** Called when the activity is first created. */
@Override
public void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setUpView();
try {
smartcard = new SmartcardClient(this, connectionListener);
} catch (SecurityException e) {
Log.e(LOG_TAG, "Binding not allowed, uses-permission SMARTCARD?");
return;
} catch (Exception e) {
Log.e(LOG_TAG, "Exception: " + e.getMessage());
}
//Resources res = getResources(); // Resource object to get Drawables
}
@Override
public boolean onCreateOptionsMenu(Menu menu) {
MenuInflater inflater = getMenuInflater();
inflater.inflate(R.menu.eid_menu, menu);
return true;
}
@Override
public boolean onOptionsItemSelected(MenuItem item) {
// Handle item selection
switch (item.getItemId()) {
case R.id.read:
readEid();
return true;
case R.id.load:
loadEid();
return true;
case R.id.save:
saveEid();
return true;
case R.id.exit:
finish();
return true;
default:
return super.onOptionsItemSelected(item);
}
}
@Override
protected void onDestroy() {
if (smartcard != null) {
smartcard.shutdown();//.unbindService();//.shutdown();
}
smartCardConnected = false;
belpic.clearData();
super.onDestroy();
}
protected void setUpView() {
setContentView(R.layout.main);
tabHost = getTabHost(); // The activity TabHost
TabHost.TabSpec spec; // Resusable TabSpec for each tab
Intent intent; // Reusable Intent for each tab
// Create an Intent to launch an Activity for the tab (to be reused)
intent = new Intent().setClass(this, Identity.class);
// Initialize a TabSpec for each tab and add it to the TabHost
spec = tabHost.newTabSpec("identity").setIndicator("Identity")
.setContent(intent);
tabHost.addTab(spec);
//tabHost.getTabWidget().getChildAt(0).getLayoutParams().height = TAB_HEIGHT;
//TextView tv = (TextView) tabHost.getTabWidget().getChildAt(0).findViewById(android.R.id.title);
//tv.setTextColor(R.color.black);
//tabHost.getTabWidget().setBackgroundColor(R.color.grey);
//tv.setBackgroundColor(R.color.grey);
// Do the same for the other tabs
intent = new Intent().setClass(this, IdentityExtra.class);
spec = tabHost.newTabSpec("identityextra").setIndicator("Identity Extra")
.setContent(intent);
tabHost.addTab(spec);
intent = new Intent().setClass(this, Certificates.class);
spec = tabHost.newTabSpec("certificates").setIndicator("Certificates")
.setContent(intent);
tabHost.addTab(spec);
intent = new Intent().setClass(this, Functions.class);
spec = tabHost.newTabSpec("cardpin").setIndicator("Functions")
.setContent(intent);
tabHost.addTab(spec);
View v;
for(int i=0;i<tabHost.getTabWidget().getChildCount();i++)
{
v = tabHost.getTabWidget().getChildAt(i);//
//float[] outerR = new float[] { 12, 12, 12, 12, 0, 0, 0, 0 };
//RectF inset = new RectF(10, 10, 10, 10);
//float[] innerR = new float[] { 0, 0, 0, 0 ,12, 12, 12, 12};
//ShapeDrawable shape = new ShapeDrawable(new RoundRectShape(innerR, inset, outerR));
//ShapeDrawable shape = new ShapeDrawable(new OvalShape());
//shape.getPaint()..setIntrinsicHeight(30);
//shape.getPaint().setColor(Color.parseColor("#FFFFFF"));
//v.setBackgroundDrawable(shape);
v.setBackgroundColor(getResources().getColor(R.color.light_grey));//Color.parseColor("#E6E6E6"));
((TextView) v.findViewById(android.R.id.title)).setTextColor(R.color.black);
}
tabHost.setCurrentTab(0);
tabHost.getTabWidget().getChildAt(tabHost.getCurrentTab()).setBackgroundColor(getResources().getColor(R.color.dark_grey));//Color.parseColor("#C3C3C3"));
tabHost.setOnTabChangedListener(new
OnTabChangeListener() {
public void onTabChanged(String tabId) {
for(int i=0;i<tabHost.getTabWidget().getChildCount();i++)
{
tabHost.getTabWidget().getChildAt(i).setBackgroundColor(getResources().getColor(R.color.light_grey));
}
tabHost.getTabWidget().getChildAt(tabHost.getCurrentTab()).setBackgroundColor(getResources().getColor(R.color.dark_grey));
}
});
}
ISmartcardConnectionListener connectionListener = new
ISmartcardConnectionListener() {
public void serviceConnected() {
try{
belpic.connect(smartcard);
} catch (CardException e) {
Log.e(LOG_TAG, "Exception in opening basic channel: " + e.getMessage());
//TODO give error message
return;
}
smartCardConnected = true;
readEid();
}
public void serviceDisconnected() {
smartCardConnected = false;
//TODO show message box
}
};
private void saveEid() {
//TODO If android API version lower then 8, saving/load does not work as no Base64 and DOM transformer is available
// Context context = getApplicationContext();
// int duration = Toast.LENGTH_LONG;
// Toast toast;
// toast = Toast.makeText(context, System.getProperty("java.version"), duration);
// toast.setGravity(Gravity.CENTER, 0, 0);
// toast.show();
//
//if(System.getProperty("java.version")){
intent = new Intent().setClass(this, PathQuery.class);
MainActivity.this.startActivityForResult(intent, GET_FILE_LOCATION_FOR_SAVE_REQUEST);
}
private void loadEid() {
intent = new Intent().setClass(this, PathQuery.class);
MainActivity.this.startActivityForResult(intent, GET_FILE_LOCATION_FOR_LOAD_REQUEST);
}
//TODO update current activity when refresh
private void readEid() {
if(smartCardConnected != true){
//TODO show message: connection problem. check if secure smart card is inserted
return;
}
try {
belpic.readEid();
} catch (UnsupportedEncodingException e) {
// TODO Auto-generated catch block
e.printStackTrace();
} catch (CardException e) {
// TODO Auto-generated catch block
e.printStackTrace();
} catch (NoSuchFileException e) {
// TODO Auto-generated catch block
e.printStackTrace();
} catch (InvalidResponse e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
try {
belpic.parseEidData();
} catch (UnsupportedEncodingException e) {
//Should not occur
}
//TextView text = (TextView) tabHost.getChildAt(0).findViewById(R.id.firstnames);
//text.setText("ja jong,<SUF>
//Toast.makeText(this, text.getText(),
// Toast.LENGTH_LONG).show();
//this.getApplication();
//getCurrentActivity().onContentChanged();
//tabHost.getChildAt(0).findViewById(R.id.firstnames)ACCESSIBILITY_SERVICE;
//belpic.getMF().getIDDirectory().getIdentityFile().toString()
//tabHost.getChildAt(1).bringToFront();
//tabHost.setCurrentTab(1);
//tabHost.recomputeViewAttributes(tabHost.getChildAt(0));//getCurrentTabView().bringToFront();
//Identity.setEidData();
//tabHost.getTabWidget().setCurrentTab(0);
own_id = true;
//Switch tabs so to refresh the content
tabHost.setCurrentTab(1);
tabHost.setCurrentTab(0);
}
//Called when a child activity returns.
protected void onActivityResult(int requestCode, int resultCode,
Intent data) {
Context context = getApplicationContext();
int duration = Toast.LENGTH_LONG;
Toast toast;
switch (requestCode){
//If the return value is a PIN for testing:
case GET_FILE_LOCATION_FOR_SAVE_REQUEST:
if (resultCode == RESULT_OK) {
//Files will be stored on the SDcard under the given path
String[] files = data.getStringExtra("path").split(File.separator);
String dir = Environment.getExternalStorageDirectory().getAbsolutePath();
String path = dir + File.separator + data.getStringExtra("path");
//Get the directory path
for(int i =0;i<(files.length-1);i++){
dir = dir + File.separator + files[i] ;
}
try {
//Check if an extension was added. If not or a false one, correct.
//Not everything is checked but other things should be checked by OS
if(!path.endsWith(".xml"))
path=path + ".xml";
else if(!path.endsWith(".xml"))
throw new UnsupportedEncodingException();
//We make new directories where necessary
new File(dir).mkdirs();
//Store the eid as an xml file
belpic.storeEid(path);
} catch ( FileNotFoundException e) {
toast = Toast.makeText(context, "FileNotFoundException", duration);
toast.setGravity(Gravity.CENTER, 0, 0);
toast.show();
//TODO
e.printStackTrace();
} catch (IOException e) {
toast = Toast.makeText(context, "IOException", duration);
toast.setGravity(Gravity.CENTER, 0, 0);
toast.show();
//TODO
e.printStackTrace();
}
}else ;//TODO if cancel of zo...
break;
//If the return value is a PIN for testing:
case GET_FILE_LOCATION_FOR_LOAD_REQUEST:
if (resultCode == RESULT_OK) {
String[] files = data.getStringExtra("path").split(File.separator);
String dir = Environment.getExternalStorageDirectory().getAbsolutePath();
String path = dir + File.separator + data.getStringExtra("path");
//Get the directory path
for(int i =0;i<(files.length-1);i++){
dir = dir + File.separator + files[i] ;
}
try {
//Check if an extension was added. If not or a false one, correct.
//Not everything is checked but other things should be checked by OS
if(!path.endsWith(".xml"))
path=path + ".xml";
else if(!path.endsWith(".xml"))
throw new UnsupportedEncodingException();
//We make new directories where necessary
new File(dir).mkdirs();
//Store the eid as an xml file
belpic.loadEid(path);
belpic.parseEidData();
own_id = false;
tabHost.setCurrentTab(1);
tabHost.setCurrentTab(0);
toast = Toast.makeText(context, "This eID data is cryptographically correct. \nPlease proceed to a visual check before any further action.", Toast.LENGTH_LONG);
toast.setGravity(Gravity.CENTER, 0, 0);
toast.show();
//TODO: ?change the menu structure to give new options with just verified loaded data?
} catch ( FileNotFoundException e) {
toast = Toast.makeText(context, "FileNotFoundException", duration);
toast.setGravity(Gravity.CENTER, 0, 0);
toast.show();
//TODO
e.printStackTrace();
} catch (IOException e) {
toast = Toast.makeText(context, "IOException", duration);
toast.setGravity(Gravity.CENTER, 0, 0);
toast.show();
//TODO
e.printStackTrace();
} catch (GeneralSecurityException e) {
toast = Toast.makeText(context, "GeneralSecurityException, Invalid eID Data", duration);
toast.setGravity(Gravity.CENTER, 0, 0);
toast.show();
//TODO
} catch (NoSuchAlgorithmException e) {
// Should not occur
e.printStackTrace();
} catch (NoSuchProviderException e) {
// Should not occur
e.printStackTrace();
} catch (CardException e) {
// TODO Auto-generated catch block
e.printStackTrace();
} catch (NoSuchFileException e) {
// TODO Auto-generated catch block
e.printStackTrace();
} catch (InvalidResponse e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
}else ;
break;
default:
Log.e(MainActivity.LOG_TAG, "Problem in PathQuery return result: Invalid return request code.");
}
}
} |
1648_0 | import java.awt.*;
public class Theme {
private static Style[] styles;
public static void createStyles() {
styles = new Style[5];
// De styles zijn vast ingecodeerd.
styles[0] = new Style(0, Color.red, 48, 20); // style voor item-level 0
styles[1] = new Style(20, Color.blue, 40, 10); // style voor item-level 1
styles[2] = new Style(50, Color.black, 36, 10); // style voor item-level 2
styles[3] = new Style(70, Color.black, 30, 10); // style voor item-level 3
styles[4] = new Style(90, Color.black, 24, 10); // style voor item-level 4
}
public static Style getStyle(int level) {
if (level >= styles.length) {
level = styles.length - 1;
}
return styles[level];
}
}
| RooskenDaniel/JabberpointDaniel | src/Theme.java | 272 | // De styles zijn vast ingecodeerd. | line_comment | nl | import java.awt.*;
public class Theme {
private static Style[] styles;
public static void createStyles() {
styles = new Style[5];
// De styles<SUF>
styles[0] = new Style(0, Color.red, 48, 20); // style voor item-level 0
styles[1] = new Style(20, Color.blue, 40, 10); // style voor item-level 1
styles[2] = new Style(50, Color.black, 36, 10); // style voor item-level 2
styles[3] = new Style(70, Color.black, 30, 10); // style voor item-level 3
styles[4] = new Style(90, Color.black, 24, 10); // style voor item-level 4
}
public static Style getStyle(int level) {
if (level >= styles.length) {
level = styles.length - 1;
}
return styles[level];
}
}
|
1648_1 | import java.awt.*;
public class Theme {
private static Style[] styles;
public static void createStyles() {
styles = new Style[5];
// De styles zijn vast ingecodeerd.
styles[0] = new Style(0, Color.red, 48, 20); // style voor item-level 0
styles[1] = new Style(20, Color.blue, 40, 10); // style voor item-level 1
styles[2] = new Style(50, Color.black, 36, 10); // style voor item-level 2
styles[3] = new Style(70, Color.black, 30, 10); // style voor item-level 3
styles[4] = new Style(90, Color.black, 24, 10); // style voor item-level 4
}
public static Style getStyle(int level) {
if (level >= styles.length) {
level = styles.length - 1;
}
return styles[level];
}
}
| RooskenDaniel/JabberpointDaniel | src/Theme.java | 272 | // style voor item-level 0 | line_comment | nl | import java.awt.*;
public class Theme {
private static Style[] styles;
public static void createStyles() {
styles = new Style[5];
// De styles zijn vast ingecodeerd.
styles[0] = new Style(0, Color.red, 48, 20); // style voor<SUF>
styles[1] = new Style(20, Color.blue, 40, 10); // style voor item-level 1
styles[2] = new Style(50, Color.black, 36, 10); // style voor item-level 2
styles[3] = new Style(70, Color.black, 30, 10); // style voor item-level 3
styles[4] = new Style(90, Color.black, 24, 10); // style voor item-level 4
}
public static Style getStyle(int level) {
if (level >= styles.length) {
level = styles.length - 1;
}
return styles[level];
}
}
|
1648_2 | import java.awt.*;
public class Theme {
private static Style[] styles;
public static void createStyles() {
styles = new Style[5];
// De styles zijn vast ingecodeerd.
styles[0] = new Style(0, Color.red, 48, 20); // style voor item-level 0
styles[1] = new Style(20, Color.blue, 40, 10); // style voor item-level 1
styles[2] = new Style(50, Color.black, 36, 10); // style voor item-level 2
styles[3] = new Style(70, Color.black, 30, 10); // style voor item-level 3
styles[4] = new Style(90, Color.black, 24, 10); // style voor item-level 4
}
public static Style getStyle(int level) {
if (level >= styles.length) {
level = styles.length - 1;
}
return styles[level];
}
}
| RooskenDaniel/JabberpointDaniel | src/Theme.java | 272 | // style voor item-level 1 | line_comment | nl | import java.awt.*;
public class Theme {
private static Style[] styles;
public static void createStyles() {
styles = new Style[5];
// De styles zijn vast ingecodeerd.
styles[0] = new Style(0, Color.red, 48, 20); // style voor item-level 0
styles[1] = new Style(20, Color.blue, 40, 10); // style voor<SUF>
styles[2] = new Style(50, Color.black, 36, 10); // style voor item-level 2
styles[3] = new Style(70, Color.black, 30, 10); // style voor item-level 3
styles[4] = new Style(90, Color.black, 24, 10); // style voor item-level 4
}
public static Style getStyle(int level) {
if (level >= styles.length) {
level = styles.length - 1;
}
return styles[level];
}
}
|
1648_3 | import java.awt.*;
public class Theme {
private static Style[] styles;
public static void createStyles() {
styles = new Style[5];
// De styles zijn vast ingecodeerd.
styles[0] = new Style(0, Color.red, 48, 20); // style voor item-level 0
styles[1] = new Style(20, Color.blue, 40, 10); // style voor item-level 1
styles[2] = new Style(50, Color.black, 36, 10); // style voor item-level 2
styles[3] = new Style(70, Color.black, 30, 10); // style voor item-level 3
styles[4] = new Style(90, Color.black, 24, 10); // style voor item-level 4
}
public static Style getStyle(int level) {
if (level >= styles.length) {
level = styles.length - 1;
}
return styles[level];
}
}
| RooskenDaniel/JabberpointDaniel | src/Theme.java | 272 | // style voor item-level 2 | line_comment | nl | import java.awt.*;
public class Theme {
private static Style[] styles;
public static void createStyles() {
styles = new Style[5];
// De styles zijn vast ingecodeerd.
styles[0] = new Style(0, Color.red, 48, 20); // style voor item-level 0
styles[1] = new Style(20, Color.blue, 40, 10); // style voor item-level 1
styles[2] = new Style(50, Color.black, 36, 10); // style voor<SUF>
styles[3] = new Style(70, Color.black, 30, 10); // style voor item-level 3
styles[4] = new Style(90, Color.black, 24, 10); // style voor item-level 4
}
public static Style getStyle(int level) {
if (level >= styles.length) {
level = styles.length - 1;
}
return styles[level];
}
}
|
1648_4 | import java.awt.*;
public class Theme {
private static Style[] styles;
public static void createStyles() {
styles = new Style[5];
// De styles zijn vast ingecodeerd.
styles[0] = new Style(0, Color.red, 48, 20); // style voor item-level 0
styles[1] = new Style(20, Color.blue, 40, 10); // style voor item-level 1
styles[2] = new Style(50, Color.black, 36, 10); // style voor item-level 2
styles[3] = new Style(70, Color.black, 30, 10); // style voor item-level 3
styles[4] = new Style(90, Color.black, 24, 10); // style voor item-level 4
}
public static Style getStyle(int level) {
if (level >= styles.length) {
level = styles.length - 1;
}
return styles[level];
}
}
| RooskenDaniel/JabberpointDaniel | src/Theme.java | 272 | // style voor item-level 3 | line_comment | nl | import java.awt.*;
public class Theme {
private static Style[] styles;
public static void createStyles() {
styles = new Style[5];
// De styles zijn vast ingecodeerd.
styles[0] = new Style(0, Color.red, 48, 20); // style voor item-level 0
styles[1] = new Style(20, Color.blue, 40, 10); // style voor item-level 1
styles[2] = new Style(50, Color.black, 36, 10); // style voor item-level 2
styles[3] = new Style(70, Color.black, 30, 10); // style voor<SUF>
styles[4] = new Style(90, Color.black, 24, 10); // style voor item-level 4
}
public static Style getStyle(int level) {
if (level >= styles.length) {
level = styles.length - 1;
}
return styles[level];
}
}
|
1648_5 | import java.awt.*;
public class Theme {
private static Style[] styles;
public static void createStyles() {
styles = new Style[5];
// De styles zijn vast ingecodeerd.
styles[0] = new Style(0, Color.red, 48, 20); // style voor item-level 0
styles[1] = new Style(20, Color.blue, 40, 10); // style voor item-level 1
styles[2] = new Style(50, Color.black, 36, 10); // style voor item-level 2
styles[3] = new Style(70, Color.black, 30, 10); // style voor item-level 3
styles[4] = new Style(90, Color.black, 24, 10); // style voor item-level 4
}
public static Style getStyle(int level) {
if (level >= styles.length) {
level = styles.length - 1;
}
return styles[level];
}
}
| RooskenDaniel/JabberpointDaniel | src/Theme.java | 272 | // style voor item-level 4 | line_comment | nl | import java.awt.*;
public class Theme {
private static Style[] styles;
public static void createStyles() {
styles = new Style[5];
// De styles zijn vast ingecodeerd.
styles[0] = new Style(0, Color.red, 48, 20); // style voor item-level 0
styles[1] = new Style(20, Color.blue, 40, 10); // style voor item-level 1
styles[2] = new Style(50, Color.black, 36, 10); // style voor item-level 2
styles[3] = new Style(70, Color.black, 30, 10); // style voor item-level 3
styles[4] = new Style(90, Color.black, 24, 10); // style voor<SUF>
}
public static Style getStyle(int level) {
if (level >= styles.length) {
level = styles.length - 1;
}
return styles[level];
}
}
|
1649_1 | /*************************************************************************
* Clus - Software for Predictive Clustering *
* Copyright (C) 2007 *
* Katholieke Universiteit Leuven, Leuven, Belgium *
* Jozef Stefan Institute, Ljubljana, Slovenia *
* *
* This program is free software: you can redistribute it and/or modify *
* it under the terms of the GNU General Public License as published by *
* the Free Software Foundation, either version 3 of the License, or *
* (at your option) any later version. *
* *
* This program is distributed in the hope that it will be useful, *
* but WITHOUT ANY WARRANTY; without even the implied warranty of *
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the *
* GNU General Public License for more details. *
* *
* You should have received a copy of the GNU General Public License *
* along with this program. If not, see <http://www.gnu.org/licenses/>. *
* *
* Contact information: <http://www.cs.kuleuven.be/~dtai/clus/>. *
*************************************************************************/
package clus.ext.sspd;
import jeans.math.matrix.*;
import clus.data.io.ClusReader;
import clus.data.rows.DataTuple;
import clus.data.type.ClusAttrType;
import clus.data.type.IntegerAttrType;
import java.io.*;
/*
vraagje van saso
- use a slightly changed version of Clus
that would take as input vectors of PCPs + distance matrix
over samples (rather than calculating the distance based
on a vector of target variables):
could we count on Jan Struyfs prodigal programming skills to make this change?
samengevat: afstanden tussen vbn worden 1x op voorhand berekend en in een
matrix gezet. clustertrees worden gebouwd zuiver op basis van
paarsgewijze afstanden tussen vbn (er worden dus geen prototypes berekend).
Dit houdt in dat variantie vervangen wordt door bv. SSPD, Sum of Squared
Pairwise Distances (tussen 2 vbn. ipv tussen 1 vb en prototype), wat
equivalent moet zijn.
Dgl. bomen leveren in eerste instantie dan geen prototype op en kunnen dus
niet voor predictie gebruikt worden. (soit, achteraf kan je prototypes dan
nog altijd gaan definieren maar da's een andere zaak, nu niet direct te
bekijken)
Kan je zo'n aanpassing in Clus voorzien?
Dank,
Hendrik
PS ik weet niet of ik je dit nu algezegd had, maar patent-plannen zijn
opgeborgen. Ga maar voor snelle publicatie van hierarchical multi-class
trees!
*/
import clus.main.*;
import clus.statistic.ClusDistance;
import clus.statistic.ClusStatistic;
import clus.util.ClusException;
public class SSPDMatrix extends ClusDistance {
public final static long serialVersionUID = Settings.SERIAL_VERSION_ID;
protected MSymMatrix m_Matrix;
protected IntegerAttrType m_Target;
public SSPDMatrix(int size) {
m_Matrix = new MSymMatrix(size);
}
public void setTarget(ClusAttrType[] target) throws ClusException {
if (target.length != 1) {
throw new ClusException("Only one target allowed in SSPD modus");
}
m_Target = (IntegerAttrType)target[0];
}
// Matrix stores squared distances [sum of (i,j)^2 and (j,i)^2]
public static SSPDMatrix read(String filename, Settings sett) throws IOException {
ClusReader reader = new ClusReader(filename, sett);
int nb = 0;
while (!reader.isEol()) {
reader.readFloat();
nb++;
}
System.out.println("Loading SSPD Matrix: "+filename+" (Size: "+nb+")");
SSPDMatrix matrix = new SSPDMatrix(nb);
reader.reOpen();
for (int i = 0; i < nb; i++) {
for (int j = 0; j < nb; j++) {
double value = reader.readFloat();
matrix.m_Matrix.add_sym(i, j, value * value);
}
if (!reader.isEol()) throw new IOException("SSPD Matrix is not square");
}
reader.close();
// matrix.print(ClusFormat.OUT_WRITER, ClusFormat.TWO_AFTER_DOT, 5);
// ClusFormat.OUT_WRITER.flush();
return matrix;
}
public double calcDistance(DataTuple t1, DataTuple t2) {
int idx = m_Target.getArrayIndex();
int i1 = t1.getIntVal(idx);
int i2 = t2.getIntVal(idx);
return m_Matrix.get(i1, i2);
}
public String getDistanceName() {
return "SSPD Matrix";
}
}
| janezkranjc/clus | clus/ext/sspd/SSPDMatrix.java | 1,222 | /*
vraagje van saso
- use a slightly changed version of Clus
that would take as input vectors of PCPs + distance matrix
over samples (rather than calculating the distance based
on a vector of target variables):
could we count on Jan Struyfs prodigal programming skills to make this change?
samengevat: afstanden tussen vbn worden 1x op voorhand berekend en in een
matrix gezet. clustertrees worden gebouwd zuiver op basis van
paarsgewijze afstanden tussen vbn (er worden dus geen prototypes berekend).
Dit houdt in dat variantie vervangen wordt door bv. SSPD, Sum of Squared
Pairwise Distances (tussen 2 vbn. ipv tussen 1 vb en prototype), wat
equivalent moet zijn.
Dgl. bomen leveren in eerste instantie dan geen prototype op en kunnen dus
niet voor predictie gebruikt worden. (soit, achteraf kan je prototypes dan
nog altijd gaan definieren maar da's een andere zaak, nu niet direct te
bekijken)
Kan je zo'n aanpassing in Clus voorzien?
Dank,
Hendrik
PS ik weet niet of ik je dit nu algezegd had, maar patent-plannen zijn
opgeborgen. Ga maar voor snelle publicatie van hierarchical multi-class
trees!
*/ | block_comment | nl | /*************************************************************************
* Clus - Software for Predictive Clustering *
* Copyright (C) 2007 *
* Katholieke Universiteit Leuven, Leuven, Belgium *
* Jozef Stefan Institute, Ljubljana, Slovenia *
* *
* This program is free software: you can redistribute it and/or modify *
* it under the terms of the GNU General Public License as published by *
* the Free Software Foundation, either version 3 of the License, or *
* (at your option) any later version. *
* *
* This program is distributed in the hope that it will be useful, *
* but WITHOUT ANY WARRANTY; without even the implied warranty of *
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the *
* GNU General Public License for more details. *
* *
* You should have received a copy of the GNU General Public License *
* along with this program. If not, see <http://www.gnu.org/licenses/>. *
* *
* Contact information: <http://www.cs.kuleuven.be/~dtai/clus/>. *
*************************************************************************/
package clus.ext.sspd;
import jeans.math.matrix.*;
import clus.data.io.ClusReader;
import clus.data.rows.DataTuple;
import clus.data.type.ClusAttrType;
import clus.data.type.IntegerAttrType;
import java.io.*;
/*
vraagje van saso<SUF>*/
import clus.main.*;
import clus.statistic.ClusDistance;
import clus.statistic.ClusStatistic;
import clus.util.ClusException;
public class SSPDMatrix extends ClusDistance {
public final static long serialVersionUID = Settings.SERIAL_VERSION_ID;
protected MSymMatrix m_Matrix;
protected IntegerAttrType m_Target;
public SSPDMatrix(int size) {
m_Matrix = new MSymMatrix(size);
}
public void setTarget(ClusAttrType[] target) throws ClusException {
if (target.length != 1) {
throw new ClusException("Only one target allowed in SSPD modus");
}
m_Target = (IntegerAttrType)target[0];
}
// Matrix stores squared distances [sum of (i,j)^2 and (j,i)^2]
public static SSPDMatrix read(String filename, Settings sett) throws IOException {
ClusReader reader = new ClusReader(filename, sett);
int nb = 0;
while (!reader.isEol()) {
reader.readFloat();
nb++;
}
System.out.println("Loading SSPD Matrix: "+filename+" (Size: "+nb+")");
SSPDMatrix matrix = new SSPDMatrix(nb);
reader.reOpen();
for (int i = 0; i < nb; i++) {
for (int j = 0; j < nb; j++) {
double value = reader.readFloat();
matrix.m_Matrix.add_sym(i, j, value * value);
}
if (!reader.isEol()) throw new IOException("SSPD Matrix is not square");
}
reader.close();
// matrix.print(ClusFormat.OUT_WRITER, ClusFormat.TWO_AFTER_DOT, 5);
// ClusFormat.OUT_WRITER.flush();
return matrix;
}
public double calcDistance(DataTuple t1, DataTuple t2) {
int idx = m_Target.getArrayIndex();
int i1 = t1.getIntVal(idx);
int i2 = t2.getIntVal(idx);
return m_Matrix.get(i1, i2);
}
public String getDistanceName() {
return "SSPD Matrix";
}
}
|
1650_0 |
public class Tekst
{
public Tekst() {}
/**
* Drukt een openingsbericht & startmenu af voor de speler.
*/
public void printWelcome()
{
System.out.println();
System.out.println(" VILLAGE OF ZUUL ");
System.out.println();
System.out.println("Typ 'start' om een spel te starten");
System.out.println("Typ 'opties' om eventuele instellingen te wijzigen");
System.out.println("Typ 'legende' als je de legende wilt aanhoren");
System.out.println("Typ 'help' als je hulp nodig hebt");
System.out.println("Typ 'stop' om het spel te verlaten");
System.out.println();
}
/**
* Drukt het verhaal en het doel van het spel af.
*/
public void legende(int aantalBeurten)
{
System.out.println();
System.out.println("In een ver, ver verleden werd een dorpje vervloekt.");
System.out.println("Het dorpje werd van alle menselijke kenmerken ontdaan.");
System.out.println("Al wie het dorp betreedt, wordt onderhevig aan de vloek.");
System.out.println("Enkel hij die tijdig de beker van succes kan bemachtigen, kan de vloek opheffen");
System.out.println("en macht en rijkdom zullen hem ten deel vallen.");
System.out.println("Hij die de verkeerde beker in handen krijgt, vernietigt de laatste kans op redding.");
System.out.println("Zal jij de juiste vinden?");
System.out.println();
System.out.println("Baan je weg doorheen het dorp, maar let op!");
System.out.println("Je hebt slechts " + aantalBeurten + " beurten alvorens de vloek je in zijn macht neemt.");
System.out.println("Wees ondanks de tijdslimiet toch waakzaam voor eventuele gevaren.");
System.out.println();
System.out.println("Typ 'menu' om terug te keren naar het startvenster (en anders ook)");
System.out.println();
}
/**
* Drukt de opties af.
*/
public void opties(int aantalSpelers, int aantalBeurten)
{
System.out.println();
System.out.println("Aantal spelers : " + aantalSpelers);
System.out.println("Aantal beurten : " + aantalBeurten);
System.out.println();
System.out.println("Typ 'spelers' in om het aantal spelers te wijzigen");
System.out.println("Typ 'beurten' in om het aantal beurten te wijzigen");
System.out.println("Typ 'menu' om terug te keren naar het menu");
System.out.println("Typ 'help' als je hulp nodig hebt");
System.out.println("Typ 'stop' om het spel te verlaten");
System.out.println();
}
/**
* Drukt de mogelijke toetsencombinaties af.
*/
public void printHelp(String gameFase, Parser parser)
{
System.out.println();
System.out.println("Mogelijke commando's zijn:");
parser.showCommands(gameFase);
System.out.println();
}
} | bartgerard/Village_of_Zuul | Tekst.java | 825 | /**
* Drukt een openingsbericht & startmenu af voor de speler.
*/ | block_comment | nl |
public class Tekst
{
public Tekst() {}
/**
* Drukt een openingsbericht<SUF>*/
public void printWelcome()
{
System.out.println();
System.out.println(" VILLAGE OF ZUUL ");
System.out.println();
System.out.println("Typ 'start' om een spel te starten");
System.out.println("Typ 'opties' om eventuele instellingen te wijzigen");
System.out.println("Typ 'legende' als je de legende wilt aanhoren");
System.out.println("Typ 'help' als je hulp nodig hebt");
System.out.println("Typ 'stop' om het spel te verlaten");
System.out.println();
}
/**
* Drukt het verhaal en het doel van het spel af.
*/
public void legende(int aantalBeurten)
{
System.out.println();
System.out.println("In een ver, ver verleden werd een dorpje vervloekt.");
System.out.println("Het dorpje werd van alle menselijke kenmerken ontdaan.");
System.out.println("Al wie het dorp betreedt, wordt onderhevig aan de vloek.");
System.out.println("Enkel hij die tijdig de beker van succes kan bemachtigen, kan de vloek opheffen");
System.out.println("en macht en rijkdom zullen hem ten deel vallen.");
System.out.println("Hij die de verkeerde beker in handen krijgt, vernietigt de laatste kans op redding.");
System.out.println("Zal jij de juiste vinden?");
System.out.println();
System.out.println("Baan je weg doorheen het dorp, maar let op!");
System.out.println("Je hebt slechts " + aantalBeurten + " beurten alvorens de vloek je in zijn macht neemt.");
System.out.println("Wees ondanks de tijdslimiet toch waakzaam voor eventuele gevaren.");
System.out.println();
System.out.println("Typ 'menu' om terug te keren naar het startvenster (en anders ook)");
System.out.println();
}
/**
* Drukt de opties af.
*/
public void opties(int aantalSpelers, int aantalBeurten)
{
System.out.println();
System.out.println("Aantal spelers : " + aantalSpelers);
System.out.println("Aantal beurten : " + aantalBeurten);
System.out.println();
System.out.println("Typ 'spelers' in om het aantal spelers te wijzigen");
System.out.println("Typ 'beurten' in om het aantal beurten te wijzigen");
System.out.println("Typ 'menu' om terug te keren naar het menu");
System.out.println("Typ 'help' als je hulp nodig hebt");
System.out.println("Typ 'stop' om het spel te verlaten");
System.out.println();
}
/**
* Drukt de mogelijke toetsencombinaties af.
*/
public void printHelp(String gameFase, Parser parser)
{
System.out.println();
System.out.println("Mogelijke commando's zijn:");
parser.showCommands(gameFase);
System.out.println();
}
} |
1650_1 |
public class Tekst
{
public Tekst() {}
/**
* Drukt een openingsbericht & startmenu af voor de speler.
*/
public void printWelcome()
{
System.out.println();
System.out.println(" VILLAGE OF ZUUL ");
System.out.println();
System.out.println("Typ 'start' om een spel te starten");
System.out.println("Typ 'opties' om eventuele instellingen te wijzigen");
System.out.println("Typ 'legende' als je de legende wilt aanhoren");
System.out.println("Typ 'help' als je hulp nodig hebt");
System.out.println("Typ 'stop' om het spel te verlaten");
System.out.println();
}
/**
* Drukt het verhaal en het doel van het spel af.
*/
public void legende(int aantalBeurten)
{
System.out.println();
System.out.println("In een ver, ver verleden werd een dorpje vervloekt.");
System.out.println("Het dorpje werd van alle menselijke kenmerken ontdaan.");
System.out.println("Al wie het dorp betreedt, wordt onderhevig aan de vloek.");
System.out.println("Enkel hij die tijdig de beker van succes kan bemachtigen, kan de vloek opheffen");
System.out.println("en macht en rijkdom zullen hem ten deel vallen.");
System.out.println("Hij die de verkeerde beker in handen krijgt, vernietigt de laatste kans op redding.");
System.out.println("Zal jij de juiste vinden?");
System.out.println();
System.out.println("Baan je weg doorheen het dorp, maar let op!");
System.out.println("Je hebt slechts " + aantalBeurten + " beurten alvorens de vloek je in zijn macht neemt.");
System.out.println("Wees ondanks de tijdslimiet toch waakzaam voor eventuele gevaren.");
System.out.println();
System.out.println("Typ 'menu' om terug te keren naar het startvenster (en anders ook)");
System.out.println();
}
/**
* Drukt de opties af.
*/
public void opties(int aantalSpelers, int aantalBeurten)
{
System.out.println();
System.out.println("Aantal spelers : " + aantalSpelers);
System.out.println("Aantal beurten : " + aantalBeurten);
System.out.println();
System.out.println("Typ 'spelers' in om het aantal spelers te wijzigen");
System.out.println("Typ 'beurten' in om het aantal beurten te wijzigen");
System.out.println("Typ 'menu' om terug te keren naar het menu");
System.out.println("Typ 'help' als je hulp nodig hebt");
System.out.println("Typ 'stop' om het spel te verlaten");
System.out.println();
}
/**
* Drukt de mogelijke toetsencombinaties af.
*/
public void printHelp(String gameFase, Parser parser)
{
System.out.println();
System.out.println("Mogelijke commando's zijn:");
parser.showCommands(gameFase);
System.out.println();
}
} | bartgerard/Village_of_Zuul | Tekst.java | 825 | /**
* Drukt het verhaal en het doel van het spel af.
*/ | block_comment | nl |
public class Tekst
{
public Tekst() {}
/**
* Drukt een openingsbericht & startmenu af voor de speler.
*/
public void printWelcome()
{
System.out.println();
System.out.println(" VILLAGE OF ZUUL ");
System.out.println();
System.out.println("Typ 'start' om een spel te starten");
System.out.println("Typ 'opties' om eventuele instellingen te wijzigen");
System.out.println("Typ 'legende' als je de legende wilt aanhoren");
System.out.println("Typ 'help' als je hulp nodig hebt");
System.out.println("Typ 'stop' om het spel te verlaten");
System.out.println();
}
/**
* Drukt het verhaal<SUF>*/
public void legende(int aantalBeurten)
{
System.out.println();
System.out.println("In een ver, ver verleden werd een dorpje vervloekt.");
System.out.println("Het dorpje werd van alle menselijke kenmerken ontdaan.");
System.out.println("Al wie het dorp betreedt, wordt onderhevig aan de vloek.");
System.out.println("Enkel hij die tijdig de beker van succes kan bemachtigen, kan de vloek opheffen");
System.out.println("en macht en rijkdom zullen hem ten deel vallen.");
System.out.println("Hij die de verkeerde beker in handen krijgt, vernietigt de laatste kans op redding.");
System.out.println("Zal jij de juiste vinden?");
System.out.println();
System.out.println("Baan je weg doorheen het dorp, maar let op!");
System.out.println("Je hebt slechts " + aantalBeurten + " beurten alvorens de vloek je in zijn macht neemt.");
System.out.println("Wees ondanks de tijdslimiet toch waakzaam voor eventuele gevaren.");
System.out.println();
System.out.println("Typ 'menu' om terug te keren naar het startvenster (en anders ook)");
System.out.println();
}
/**
* Drukt de opties af.
*/
public void opties(int aantalSpelers, int aantalBeurten)
{
System.out.println();
System.out.println("Aantal spelers : " + aantalSpelers);
System.out.println("Aantal beurten : " + aantalBeurten);
System.out.println();
System.out.println("Typ 'spelers' in om het aantal spelers te wijzigen");
System.out.println("Typ 'beurten' in om het aantal beurten te wijzigen");
System.out.println("Typ 'menu' om terug te keren naar het menu");
System.out.println("Typ 'help' als je hulp nodig hebt");
System.out.println("Typ 'stop' om het spel te verlaten");
System.out.println();
}
/**
* Drukt de mogelijke toetsencombinaties af.
*/
public void printHelp(String gameFase, Parser parser)
{
System.out.println();
System.out.println("Mogelijke commando's zijn:");
parser.showCommands(gameFase);
System.out.println();
}
} |
1650_3 |
public class Tekst
{
public Tekst() {}
/**
* Drukt een openingsbericht & startmenu af voor de speler.
*/
public void printWelcome()
{
System.out.println();
System.out.println(" VILLAGE OF ZUUL ");
System.out.println();
System.out.println("Typ 'start' om een spel te starten");
System.out.println("Typ 'opties' om eventuele instellingen te wijzigen");
System.out.println("Typ 'legende' als je de legende wilt aanhoren");
System.out.println("Typ 'help' als je hulp nodig hebt");
System.out.println("Typ 'stop' om het spel te verlaten");
System.out.println();
}
/**
* Drukt het verhaal en het doel van het spel af.
*/
public void legende(int aantalBeurten)
{
System.out.println();
System.out.println("In een ver, ver verleden werd een dorpje vervloekt.");
System.out.println("Het dorpje werd van alle menselijke kenmerken ontdaan.");
System.out.println("Al wie het dorp betreedt, wordt onderhevig aan de vloek.");
System.out.println("Enkel hij die tijdig de beker van succes kan bemachtigen, kan de vloek opheffen");
System.out.println("en macht en rijkdom zullen hem ten deel vallen.");
System.out.println("Hij die de verkeerde beker in handen krijgt, vernietigt de laatste kans op redding.");
System.out.println("Zal jij de juiste vinden?");
System.out.println();
System.out.println("Baan je weg doorheen het dorp, maar let op!");
System.out.println("Je hebt slechts " + aantalBeurten + " beurten alvorens de vloek je in zijn macht neemt.");
System.out.println("Wees ondanks de tijdslimiet toch waakzaam voor eventuele gevaren.");
System.out.println();
System.out.println("Typ 'menu' om terug te keren naar het startvenster (en anders ook)");
System.out.println();
}
/**
* Drukt de opties af.
*/
public void opties(int aantalSpelers, int aantalBeurten)
{
System.out.println();
System.out.println("Aantal spelers : " + aantalSpelers);
System.out.println("Aantal beurten : " + aantalBeurten);
System.out.println();
System.out.println("Typ 'spelers' in om het aantal spelers te wijzigen");
System.out.println("Typ 'beurten' in om het aantal beurten te wijzigen");
System.out.println("Typ 'menu' om terug te keren naar het menu");
System.out.println("Typ 'help' als je hulp nodig hebt");
System.out.println("Typ 'stop' om het spel te verlaten");
System.out.println();
}
/**
* Drukt de mogelijke toetsencombinaties af.
*/
public void printHelp(String gameFase, Parser parser)
{
System.out.println();
System.out.println("Mogelijke commando's zijn:");
parser.showCommands(gameFase);
System.out.println();
}
} | bartgerard/Village_of_Zuul | Tekst.java | 825 | /**
* Drukt de mogelijke toetsencombinaties af.
*/ | block_comment | nl |
public class Tekst
{
public Tekst() {}
/**
* Drukt een openingsbericht & startmenu af voor de speler.
*/
public void printWelcome()
{
System.out.println();
System.out.println(" VILLAGE OF ZUUL ");
System.out.println();
System.out.println("Typ 'start' om een spel te starten");
System.out.println("Typ 'opties' om eventuele instellingen te wijzigen");
System.out.println("Typ 'legende' als je de legende wilt aanhoren");
System.out.println("Typ 'help' als je hulp nodig hebt");
System.out.println("Typ 'stop' om het spel te verlaten");
System.out.println();
}
/**
* Drukt het verhaal en het doel van het spel af.
*/
public void legende(int aantalBeurten)
{
System.out.println();
System.out.println("In een ver, ver verleden werd een dorpje vervloekt.");
System.out.println("Het dorpje werd van alle menselijke kenmerken ontdaan.");
System.out.println("Al wie het dorp betreedt, wordt onderhevig aan de vloek.");
System.out.println("Enkel hij die tijdig de beker van succes kan bemachtigen, kan de vloek opheffen");
System.out.println("en macht en rijkdom zullen hem ten deel vallen.");
System.out.println("Hij die de verkeerde beker in handen krijgt, vernietigt de laatste kans op redding.");
System.out.println("Zal jij de juiste vinden?");
System.out.println();
System.out.println("Baan je weg doorheen het dorp, maar let op!");
System.out.println("Je hebt slechts " + aantalBeurten + " beurten alvorens de vloek je in zijn macht neemt.");
System.out.println("Wees ondanks de tijdslimiet toch waakzaam voor eventuele gevaren.");
System.out.println();
System.out.println("Typ 'menu' om terug te keren naar het startvenster (en anders ook)");
System.out.println();
}
/**
* Drukt de opties af.
*/
public void opties(int aantalSpelers, int aantalBeurten)
{
System.out.println();
System.out.println("Aantal spelers : " + aantalSpelers);
System.out.println("Aantal beurten : " + aantalBeurten);
System.out.println();
System.out.println("Typ 'spelers' in om het aantal spelers te wijzigen");
System.out.println("Typ 'beurten' in om het aantal beurten te wijzigen");
System.out.println("Typ 'menu' om terug te keren naar het menu");
System.out.println("Typ 'help' als je hulp nodig hebt");
System.out.println("Typ 'stop' om het spel te verlaten");
System.out.println();
}
/**
* Drukt de mogelijke<SUF>*/
public void printHelp(String gameFase, Parser parser)
{
System.out.println();
System.out.println("Mogelijke commando's zijn:");
parser.showCommands(gameFase);
System.out.println();
}
} |
1651_3 | package unittests;
import static org.junit.Assert.fail;
import java.util.List;
import java.util.Set;
import org.hibernate.SessionFactory;
import org.junit.BeforeClass;
import org.junit.Test;
import utils.HibernateUtil;
import dao.AccountDAO;
import dao.GenericHibernateDAO;
import dao.VeilingDAO;
import dao.BodDAO;
import domein.Account;
import domein.Bod;
import domein.Veiling;
public class BodTest {
private static SessionFactory sf = HibernateUtil.getSessionFactory();
private static VeilingDAO veilingDAO;
private static AccountDAO accountDAO;
private static BodDAO bodDAO;
@BeforeClass
public static void setUpBeforeClass(){
sf.getCurrentSession().beginTransaction();
veilingDAO = new VeilingDAO();
accountDAO = new AccountDAO();
bodDAO = new BodDAO();
}
@Test
public void test() throws Exception {
GenericHibernateDAO<Account, Integer> accountDAO = new AccountDAO();
List<Account> test = accountDAO.findAll();
if (test == null || test.isEmpty()) {
fail("niet goed");
}
}
// @Test
// public void testGetBodVanVeiling() {
// Veiling veiling = veilingDAO.findById(8);
//// Set<Bod> biedingen = veiling.getBiedingen();
// System.out.println(biedingen);
// if(biedingen.isEmpty()){
// fail("Veiling heeft geen biedingen");
// }
// }
@Test
public void testGetAlleBiedingen() {
List<Bod> biedingen = bodDAO.getBiedingenByID(8);
System.out.println("Alle biedingen zijn van veiling met id 8:" + biedingen);
if(biedingen.isEmpty()){
fail("Veiling heeft geen biedingen");
}
}
}
| Neverfor/TO5 | src/unittests/BodTest.java | 480 | // fail("Veiling heeft geen biedingen"); | line_comment | nl | package unittests;
import static org.junit.Assert.fail;
import java.util.List;
import java.util.Set;
import org.hibernate.SessionFactory;
import org.junit.BeforeClass;
import org.junit.Test;
import utils.HibernateUtil;
import dao.AccountDAO;
import dao.GenericHibernateDAO;
import dao.VeilingDAO;
import dao.BodDAO;
import domein.Account;
import domein.Bod;
import domein.Veiling;
public class BodTest {
private static SessionFactory sf = HibernateUtil.getSessionFactory();
private static VeilingDAO veilingDAO;
private static AccountDAO accountDAO;
private static BodDAO bodDAO;
@BeforeClass
public static void setUpBeforeClass(){
sf.getCurrentSession().beginTransaction();
veilingDAO = new VeilingDAO();
accountDAO = new AccountDAO();
bodDAO = new BodDAO();
}
@Test
public void test() throws Exception {
GenericHibernateDAO<Account, Integer> accountDAO = new AccountDAO();
List<Account> test = accountDAO.findAll();
if (test == null || test.isEmpty()) {
fail("niet goed");
}
}
// @Test
// public void testGetBodVanVeiling() {
// Veiling veiling = veilingDAO.findById(8);
//// Set<Bod> biedingen = veiling.getBiedingen();
// System.out.println(biedingen);
// if(biedingen.isEmpty()){
// fail("Veiling heeft<SUF>
// }
// }
@Test
public void testGetAlleBiedingen() {
List<Bod> biedingen = bodDAO.getBiedingenByID(8);
System.out.println("Alle biedingen zijn van veiling met id 8:" + biedingen);
if(biedingen.isEmpty()){
fail("Veiling heeft geen biedingen");
}
}
}
|
1652_0 | package be.pxl.h4.exoef1;
/*Extra oefening 1
*
* Geef 2 getallen in via het toetsenbord. Maak een afdruk als volgt:
* het kleinste getal is ...
* Het kwadraat van het kleinste getal is ...*/
import java.util.Scanner;
public class H4ExOef1 {
public static void main(String[] args) {
//Scanner en variabelen aanmaken
Scanner keyboard = new Scanner(System.in);
int a, b, kleinste_getal, kwadraat_kleinste_getal;
//Input vragen van de gebruiker
System.out.println("Getal a: ");
a = keyboard.nextInt();
System.out.println("Getal b: ");
b = keyboard.nextInt();
//Bepalen welk getal het kleinste is
if (a > b) {
kleinste_getal = b;
} else {
kleinste_getal = a;
}
//Kwadraat berekenen en kleinste getal en zijn kwadraat uitrekenen
kwadraat_kleinste_getal = kleinste_getal * kleinste_getal; // Opgelost zonder de math klasse - normaal wordt die voor deze berekening gebruikt.
System.out.println("Het kleinste getal is " + kleinste_getal);
System.out.println("Het kwadraat van het kleinste getal is " + kwadraat_kleinste_getal);
keyboard.close();
}
}
| JoachimVeulemans/PXL-DIGITAL | PXL_DIGITAL_JAAR_1/Programming Basics/Oplossingen Oefeningen/H4/exoef1/H4ExOef1.java | 389 | /*Extra oefening 1
*
* Geef 2 getallen in via het toetsenbord. Maak een afdruk als volgt:
* het kleinste getal is ...
* Het kwadraat van het kleinste getal is ...*/ | block_comment | nl | package be.pxl.h4.exoef1;
/*Extra oefening 1<SUF>*/
import java.util.Scanner;
public class H4ExOef1 {
public static void main(String[] args) {
//Scanner en variabelen aanmaken
Scanner keyboard = new Scanner(System.in);
int a, b, kleinste_getal, kwadraat_kleinste_getal;
//Input vragen van de gebruiker
System.out.println("Getal a: ");
a = keyboard.nextInt();
System.out.println("Getal b: ");
b = keyboard.nextInt();
//Bepalen welk getal het kleinste is
if (a > b) {
kleinste_getal = b;
} else {
kleinste_getal = a;
}
//Kwadraat berekenen en kleinste getal en zijn kwadraat uitrekenen
kwadraat_kleinste_getal = kleinste_getal * kleinste_getal; // Opgelost zonder de math klasse - normaal wordt die voor deze berekening gebruikt.
System.out.println("Het kleinste getal is " + kleinste_getal);
System.out.println("Het kwadraat van het kleinste getal is " + kwadraat_kleinste_getal);
keyboard.close();
}
}
|
1652_1 | package be.pxl.h4.exoef1;
/*Extra oefening 1
*
* Geef 2 getallen in via het toetsenbord. Maak een afdruk als volgt:
* het kleinste getal is ...
* Het kwadraat van het kleinste getal is ...*/
import java.util.Scanner;
public class H4ExOef1 {
public static void main(String[] args) {
//Scanner en variabelen aanmaken
Scanner keyboard = new Scanner(System.in);
int a, b, kleinste_getal, kwadraat_kleinste_getal;
//Input vragen van de gebruiker
System.out.println("Getal a: ");
a = keyboard.nextInt();
System.out.println("Getal b: ");
b = keyboard.nextInt();
//Bepalen welk getal het kleinste is
if (a > b) {
kleinste_getal = b;
} else {
kleinste_getal = a;
}
//Kwadraat berekenen en kleinste getal en zijn kwadraat uitrekenen
kwadraat_kleinste_getal = kleinste_getal * kleinste_getal; // Opgelost zonder de math klasse - normaal wordt die voor deze berekening gebruikt.
System.out.println("Het kleinste getal is " + kleinste_getal);
System.out.println("Het kwadraat van het kleinste getal is " + kwadraat_kleinste_getal);
keyboard.close();
}
}
| JoachimVeulemans/PXL-DIGITAL | PXL_DIGITAL_JAAR_1/Programming Basics/Oplossingen Oefeningen/H4/exoef1/H4ExOef1.java | 389 | //Scanner en variabelen aanmaken | line_comment | nl | package be.pxl.h4.exoef1;
/*Extra oefening 1
*
* Geef 2 getallen in via het toetsenbord. Maak een afdruk als volgt:
* het kleinste getal is ...
* Het kwadraat van het kleinste getal is ...*/
import java.util.Scanner;
public class H4ExOef1 {
public static void main(String[] args) {
//Scanner en<SUF>
Scanner keyboard = new Scanner(System.in);
int a, b, kleinste_getal, kwadraat_kleinste_getal;
//Input vragen van de gebruiker
System.out.println("Getal a: ");
a = keyboard.nextInt();
System.out.println("Getal b: ");
b = keyboard.nextInt();
//Bepalen welk getal het kleinste is
if (a > b) {
kleinste_getal = b;
} else {
kleinste_getal = a;
}
//Kwadraat berekenen en kleinste getal en zijn kwadraat uitrekenen
kwadraat_kleinste_getal = kleinste_getal * kleinste_getal; // Opgelost zonder de math klasse - normaal wordt die voor deze berekening gebruikt.
System.out.println("Het kleinste getal is " + kleinste_getal);
System.out.println("Het kwadraat van het kleinste getal is " + kwadraat_kleinste_getal);
keyboard.close();
}
}
|
1652_4 | package be.pxl.h4.exoef1;
/*Extra oefening 1
*
* Geef 2 getallen in via het toetsenbord. Maak een afdruk als volgt:
* het kleinste getal is ...
* Het kwadraat van het kleinste getal is ...*/
import java.util.Scanner;
public class H4ExOef1 {
public static void main(String[] args) {
//Scanner en variabelen aanmaken
Scanner keyboard = new Scanner(System.in);
int a, b, kleinste_getal, kwadraat_kleinste_getal;
//Input vragen van de gebruiker
System.out.println("Getal a: ");
a = keyboard.nextInt();
System.out.println("Getal b: ");
b = keyboard.nextInt();
//Bepalen welk getal het kleinste is
if (a > b) {
kleinste_getal = b;
} else {
kleinste_getal = a;
}
//Kwadraat berekenen en kleinste getal en zijn kwadraat uitrekenen
kwadraat_kleinste_getal = kleinste_getal * kleinste_getal; // Opgelost zonder de math klasse - normaal wordt die voor deze berekening gebruikt.
System.out.println("Het kleinste getal is " + kleinste_getal);
System.out.println("Het kwadraat van het kleinste getal is " + kwadraat_kleinste_getal);
keyboard.close();
}
}
| JoachimVeulemans/PXL-DIGITAL | PXL_DIGITAL_JAAR_1/Programming Basics/Oplossingen Oefeningen/H4/exoef1/H4ExOef1.java | 389 | //Kwadraat berekenen en kleinste getal en zijn kwadraat uitrekenen | line_comment | nl | package be.pxl.h4.exoef1;
/*Extra oefening 1
*
* Geef 2 getallen in via het toetsenbord. Maak een afdruk als volgt:
* het kleinste getal is ...
* Het kwadraat van het kleinste getal is ...*/
import java.util.Scanner;
public class H4ExOef1 {
public static void main(String[] args) {
//Scanner en variabelen aanmaken
Scanner keyboard = new Scanner(System.in);
int a, b, kleinste_getal, kwadraat_kleinste_getal;
//Input vragen van de gebruiker
System.out.println("Getal a: ");
a = keyboard.nextInt();
System.out.println("Getal b: ");
b = keyboard.nextInt();
//Bepalen welk getal het kleinste is
if (a > b) {
kleinste_getal = b;
} else {
kleinste_getal = a;
}
//Kwadraat berekenen<SUF>
kwadraat_kleinste_getal = kleinste_getal * kleinste_getal; // Opgelost zonder de math klasse - normaal wordt die voor deze berekening gebruikt.
System.out.println("Het kleinste getal is " + kleinste_getal);
System.out.println("Het kwadraat van het kleinste getal is " + kwadraat_kleinste_getal);
keyboard.close();
}
}
|
1652_5 | package be.pxl.h4.exoef1;
/*Extra oefening 1
*
* Geef 2 getallen in via het toetsenbord. Maak een afdruk als volgt:
* het kleinste getal is ...
* Het kwadraat van het kleinste getal is ...*/
import java.util.Scanner;
public class H4ExOef1 {
public static void main(String[] args) {
//Scanner en variabelen aanmaken
Scanner keyboard = new Scanner(System.in);
int a, b, kleinste_getal, kwadraat_kleinste_getal;
//Input vragen van de gebruiker
System.out.println("Getal a: ");
a = keyboard.nextInt();
System.out.println("Getal b: ");
b = keyboard.nextInt();
//Bepalen welk getal het kleinste is
if (a > b) {
kleinste_getal = b;
} else {
kleinste_getal = a;
}
//Kwadraat berekenen en kleinste getal en zijn kwadraat uitrekenen
kwadraat_kleinste_getal = kleinste_getal * kleinste_getal; // Opgelost zonder de math klasse - normaal wordt die voor deze berekening gebruikt.
System.out.println("Het kleinste getal is " + kleinste_getal);
System.out.println("Het kwadraat van het kleinste getal is " + kwadraat_kleinste_getal);
keyboard.close();
}
}
| JoachimVeulemans/PXL-DIGITAL | PXL_DIGITAL_JAAR_1/Programming Basics/Oplossingen Oefeningen/H4/exoef1/H4ExOef1.java | 389 | // Opgelost zonder de math klasse - normaal wordt die voor deze berekening gebruikt. | line_comment | nl | package be.pxl.h4.exoef1;
/*Extra oefening 1
*
* Geef 2 getallen in via het toetsenbord. Maak een afdruk als volgt:
* het kleinste getal is ...
* Het kwadraat van het kleinste getal is ...*/
import java.util.Scanner;
public class H4ExOef1 {
public static void main(String[] args) {
//Scanner en variabelen aanmaken
Scanner keyboard = new Scanner(System.in);
int a, b, kleinste_getal, kwadraat_kleinste_getal;
//Input vragen van de gebruiker
System.out.println("Getal a: ");
a = keyboard.nextInt();
System.out.println("Getal b: ");
b = keyboard.nextInt();
//Bepalen welk getal het kleinste is
if (a > b) {
kleinste_getal = b;
} else {
kleinste_getal = a;
}
//Kwadraat berekenen en kleinste getal en zijn kwadraat uitrekenen
kwadraat_kleinste_getal = kleinste_getal * kleinste_getal; // Opgelost zonder<SUF>
System.out.println("Het kleinste getal is " + kleinste_getal);
System.out.println("Het kwadraat van het kleinste getal is " + kwadraat_kleinste_getal);
keyboard.close();
}
}
|
1653_0 | package be.pxl.h4.exoef2;
/*Extra oefening 2
*
* Er worden 3 getallen ingelezen a, b en c. Als a+b kleiner
* is dan 20, moet c bij deze som geteld worden en moet dit resultaat
* afgedrukt worden. Als a en b samen groter dan of gelijk zijn aan 20,
* dan moet de tekst "te groot" afgedrukt worden.
*/
import java.util.Scanner;
public class H4ExOef2 {
public static void main(String[] args) {
//Aanmaken van Scanner en variabelen
Scanner keyboard = new Scanner(System.in);
int a, b, c, sum;
//Input vragen aan de gebruiker
System.out.println("Getal a: ");
a = keyboard.nextInt();
System.out.println("Getal b: ");
b = keyboard.nextInt();
System.out.println("Getal c: ");
c = keyboard.nextInt();
//optellen van a en b -> nodig voor de if test
sum = a + b;
if (sum < 20) {
sum += c;
System.out.println(sum);
} else { //Moeten geen if test meer schrijven. Als de som niet groter is dan 20, kunnen we aannemen dat die ofwel gelijk is aan 20 of minder dan 20.
System.out.println("Te groot");
}
keyboard.close();
}
}
| JoachimVeulemans/PXL-DIGITAL | PXL_DIGITAL_JAAR_1/Programming Basics/Oplossingen Oefeningen/H4/exoef2/H4ExOef2.java | 379 | /*Extra oefening 2
*
* Er worden 3 getallen ingelezen a, b en c. Als a+b kleiner
* is dan 20, moet c bij deze som geteld worden en moet dit resultaat
* afgedrukt worden. Als a en b samen groter dan of gelijk zijn aan 20,
* dan moet de tekst "te groot" afgedrukt worden.
*/ | block_comment | nl | package be.pxl.h4.exoef2;
/*Extra oefening 2<SUF>*/
import java.util.Scanner;
public class H4ExOef2 {
public static void main(String[] args) {
//Aanmaken van Scanner en variabelen
Scanner keyboard = new Scanner(System.in);
int a, b, c, sum;
//Input vragen aan de gebruiker
System.out.println("Getal a: ");
a = keyboard.nextInt();
System.out.println("Getal b: ");
b = keyboard.nextInt();
System.out.println("Getal c: ");
c = keyboard.nextInt();
//optellen van a en b -> nodig voor de if test
sum = a + b;
if (sum < 20) {
sum += c;
System.out.println(sum);
} else { //Moeten geen if test meer schrijven. Als de som niet groter is dan 20, kunnen we aannemen dat die ofwel gelijk is aan 20 of minder dan 20.
System.out.println("Te groot");
}
keyboard.close();
}
}
|
1653_1 | package be.pxl.h4.exoef2;
/*Extra oefening 2
*
* Er worden 3 getallen ingelezen a, b en c. Als a+b kleiner
* is dan 20, moet c bij deze som geteld worden en moet dit resultaat
* afgedrukt worden. Als a en b samen groter dan of gelijk zijn aan 20,
* dan moet de tekst "te groot" afgedrukt worden.
*/
import java.util.Scanner;
public class H4ExOef2 {
public static void main(String[] args) {
//Aanmaken van Scanner en variabelen
Scanner keyboard = new Scanner(System.in);
int a, b, c, sum;
//Input vragen aan de gebruiker
System.out.println("Getal a: ");
a = keyboard.nextInt();
System.out.println("Getal b: ");
b = keyboard.nextInt();
System.out.println("Getal c: ");
c = keyboard.nextInt();
//optellen van a en b -> nodig voor de if test
sum = a + b;
if (sum < 20) {
sum += c;
System.out.println(sum);
} else { //Moeten geen if test meer schrijven. Als de som niet groter is dan 20, kunnen we aannemen dat die ofwel gelijk is aan 20 of minder dan 20.
System.out.println("Te groot");
}
keyboard.close();
}
}
| JoachimVeulemans/PXL-DIGITAL | PXL_DIGITAL_JAAR_1/Programming Basics/Oplossingen Oefeningen/H4/exoef2/H4ExOef2.java | 379 | //Aanmaken van Scanner en variabelen | line_comment | nl | package be.pxl.h4.exoef2;
/*Extra oefening 2
*
* Er worden 3 getallen ingelezen a, b en c. Als a+b kleiner
* is dan 20, moet c bij deze som geteld worden en moet dit resultaat
* afgedrukt worden. Als a en b samen groter dan of gelijk zijn aan 20,
* dan moet de tekst "te groot" afgedrukt worden.
*/
import java.util.Scanner;
public class H4ExOef2 {
public static void main(String[] args) {
//Aanmaken van<SUF>
Scanner keyboard = new Scanner(System.in);
int a, b, c, sum;
//Input vragen aan de gebruiker
System.out.println("Getal a: ");
a = keyboard.nextInt();
System.out.println("Getal b: ");
b = keyboard.nextInt();
System.out.println("Getal c: ");
c = keyboard.nextInt();
//optellen van a en b -> nodig voor de if test
sum = a + b;
if (sum < 20) {
sum += c;
System.out.println(sum);
} else { //Moeten geen if test meer schrijven. Als de som niet groter is dan 20, kunnen we aannemen dat die ofwel gelijk is aan 20 of minder dan 20.
System.out.println("Te groot");
}
keyboard.close();
}
}
|
1653_4 | package be.pxl.h4.exoef2;
/*Extra oefening 2
*
* Er worden 3 getallen ingelezen a, b en c. Als a+b kleiner
* is dan 20, moet c bij deze som geteld worden en moet dit resultaat
* afgedrukt worden. Als a en b samen groter dan of gelijk zijn aan 20,
* dan moet de tekst "te groot" afgedrukt worden.
*/
import java.util.Scanner;
public class H4ExOef2 {
public static void main(String[] args) {
//Aanmaken van Scanner en variabelen
Scanner keyboard = new Scanner(System.in);
int a, b, c, sum;
//Input vragen aan de gebruiker
System.out.println("Getal a: ");
a = keyboard.nextInt();
System.out.println("Getal b: ");
b = keyboard.nextInt();
System.out.println("Getal c: ");
c = keyboard.nextInt();
//optellen van a en b -> nodig voor de if test
sum = a + b;
if (sum < 20) {
sum += c;
System.out.println(sum);
} else { //Moeten geen if test meer schrijven. Als de som niet groter is dan 20, kunnen we aannemen dat die ofwel gelijk is aan 20 of minder dan 20.
System.out.println("Te groot");
}
keyboard.close();
}
}
| JoachimVeulemans/PXL-DIGITAL | PXL_DIGITAL_JAAR_1/Programming Basics/Oplossingen Oefeningen/H4/exoef2/H4ExOef2.java | 379 | //Moeten geen if test meer schrijven. Als de som niet groter is dan 20, kunnen we aannemen dat die ofwel gelijk is aan 20 of minder dan 20. | line_comment | nl | package be.pxl.h4.exoef2;
/*Extra oefening 2
*
* Er worden 3 getallen ingelezen a, b en c. Als a+b kleiner
* is dan 20, moet c bij deze som geteld worden en moet dit resultaat
* afgedrukt worden. Als a en b samen groter dan of gelijk zijn aan 20,
* dan moet de tekst "te groot" afgedrukt worden.
*/
import java.util.Scanner;
public class H4ExOef2 {
public static void main(String[] args) {
//Aanmaken van Scanner en variabelen
Scanner keyboard = new Scanner(System.in);
int a, b, c, sum;
//Input vragen aan de gebruiker
System.out.println("Getal a: ");
a = keyboard.nextInt();
System.out.println("Getal b: ");
b = keyboard.nextInt();
System.out.println("Getal c: ");
c = keyboard.nextInt();
//optellen van a en b -> nodig voor de if test
sum = a + b;
if (sum < 20) {
sum += c;
System.out.println(sum);
} else { //Moeten geen<SUF>
System.out.println("Te groot");
}
keyboard.close();
}
}
|
1654_1 | import greenfoot.*; // (World, Actor, GreenfootImage, Greenfoot and MouseInfo)
/**
* Politie zet straten af die onder water staan.
*
* Project 42
*/
public class ControlroomShutOff extends ControlroomIntervention
{
public void addedToWorld(World world)
{
// Dit moet een werkende .GIF zijn
setImage("shut_off_street.gif");
}
public void act()
{
super.act();
}
} | Project42/game2 | ControlroomShutOff.java | 125 | /**
* Politie zet straten af die onder water staan.
*
* Project 42
*/ | block_comment | nl | import greenfoot.*; // (World, Actor, GreenfootImage, Greenfoot and MouseInfo)
/**
* Politie zet straten<SUF>*/
public class ControlroomShutOff extends ControlroomIntervention
{
public void addedToWorld(World world)
{
// Dit moet een werkende .GIF zijn
setImage("shut_off_street.gif");
}
public void act()
{
super.act();
}
} |
1654_2 | import greenfoot.*; // (World, Actor, GreenfootImage, Greenfoot and MouseInfo)
/**
* Politie zet straten af die onder water staan.
*
* Project 42
*/
public class ControlroomShutOff extends ControlroomIntervention
{
public void addedToWorld(World world)
{
// Dit moet een werkende .GIF zijn
setImage("shut_off_street.gif");
}
public void act()
{
super.act();
}
} | Project42/game2 | ControlroomShutOff.java | 125 | // Dit moet een werkende .GIF zijn | line_comment | nl | import greenfoot.*; // (World, Actor, GreenfootImage, Greenfoot and MouseInfo)
/**
* Politie zet straten af die onder water staan.
*
* Project 42
*/
public class ControlroomShutOff extends ControlroomIntervention
{
public void addedToWorld(World world)
{
// Dit moet<SUF>
setImage("shut_off_street.gif");
}
public void act()
{
super.act();
}
} |
1655_5 | import java.util.Scanner;
/**
* Created by Sneeuwpopsneeuw on 27-Apr-16.
*/
/* MADE BY: _TIMO_STRATING_
*
* number: 999.999
* | |
* ex <---/ \---> ex
* | | ex | | ex | | ex | | ex | | ....
* ~~~~~ +"duizend"+ ~~~~~ = negenhonderdnegenennegentigduizendnegenhonderdnegenennegentig
*/
public class Problem017_NumberLetterCount {
static String format = "%-40s%s%n";
public static void main(String args[]) {
Scanner sc = new Scanner(System.in);
System.out.println("--------------------------");
System.out.println("0 to run oneToAThausend() ");
System.out.println("1-9283759827349729347927349287439827834278348927352938239487 to get the text version");
System.out.println("--------------------------");
while (true) {
System.out.print("Please enter any positive number : ");
String inputString = sc.nextLine();
if(inputString.equals("`") || inputString.equals("exit")){ break; } /*HACK: break; for the infinite loop*/
run(inputString);
}
}
public static void run(String inputString) {
String[] macthenVanDuizend = {"", "Duizend", "Miljoen", "Miljard", "Biljoen", "Biljard", "Triljoen", "Triljard", "Quadriljoen", "Quadriljard", "Quintiljoen", "Quintiljard", "Sextiljoen", "Sextiljard", "Septiljoen", "Septiljard",
"Octiljoen", "Octiljard", "Noniljoen", "Noniljard", "Deciljoen", "Deciljard", "Undeciljoen", "Undeciljard", "Duodeciljoen", "Duodeciljard", "Tredeciljoen", "Tredeciljard", "Quattuordeciljoen", "Quattuordeciljard", "Quindeciljoen",
"Quindeciljard", "Sedeciljoen", "Sedeciljard", "Septendeciljoen", "Septendeciljard", "Octodeciljoen", "Octodeciljard", "Novemdeciljoen", "Novemdeciljard", "Vigintiljoen", "Vigintiljard" };
if(inputString.substring(0,1).equals("0") || inputString.length() > 100) {
oneToAThauzend();
return;
}
int c = (inputString.length()-1) /3;
int j = 0;
for(int i=0; i<inputString.length(); i+=3) {
String test = inputString.substring(j, inputString.length() - (c*3) ); /* HACK: 99.999 fix */
String temp = (test.equals("1") && c==1)? "Duizend" : ex(test) + macthenVanDuizend[c]; /* HACK: EEN duizend fix*/
System.out.printf( format, temp, temp.length() );
c--; /*haha leuke grap java eerst c en nu ook al c++*/
j+= test.length();
}
System.out.println();
}
// overloading
public static String ex(String numberString) { /*0 to 999*/
try { /*try to search for stupid humans*/
return ex( Integer.parseInt(numberString) );
} catch (Exception e) {
System.err.println("Haha humans are stupid, they do not even know what numbers are.");
}
return null;
}
public static String ex(int number) { /*0 to 999*/
String[] eenheden = {"", "one", "two", "three", "four", "five", "six", "zeven", "eight", "nine", "ten", "eleven", "twelve", "thirteen", "fourteen", "fifteen", "sixteen", "seventeen", "eighteen", "nineteen"};
String[] tientallen = {"", "ten", "twenty", "thirty", "forty", "fifty", "sixty", "seventy", "eighty", "ninety"};
String words = "";
if ((number / 100) > 0) {
words += eenheden[number / 100] + "hundred";
number %= 100;
words += ((number > 0) ? "and" : "");
}
if (number < 20) {
return (words + eenheden[number]);
}
if ((number / 10) >= 0) {
String temp = tientallen[number / 10];
number %= 10;
words += temp;
if (number > 0)
words += eenheden[number];
}
return words;
}
public static void oneToAThauzend() { /*1 to 1000 loop and count*/
int count = 0;
for (int i=0; i<1000; i++) {
System.out.printf( format, ex(i), (count += ex(i).length()) );
}
System.out.printf( format, "oneThousand", (count += "oneThousand".length()) );
System.out.println();
System.out.println("het aantal karakters dat nodig zijn om de getallen van 1 tot en met 1000 op te schrijven zijn : " + count);
}
} | timostrating/ProjectEuler | java/Problem017_NumberLetterCount.java | 1,417 | /*haha leuke grap java eerst c en nu ook al c++*/ | block_comment | nl | import java.util.Scanner;
/**
* Created by Sneeuwpopsneeuw on 27-Apr-16.
*/
/* MADE BY: _TIMO_STRATING_
*
* number: 999.999
* | |
* ex <---/ \---> ex
* | | ex | | ex | | ex | | ex | | ....
* ~~~~~ +"duizend"+ ~~~~~ = negenhonderdnegenennegentigduizendnegenhonderdnegenennegentig
*/
public class Problem017_NumberLetterCount {
static String format = "%-40s%s%n";
public static void main(String args[]) {
Scanner sc = new Scanner(System.in);
System.out.println("--------------------------");
System.out.println("0 to run oneToAThausend() ");
System.out.println("1-9283759827349729347927349287439827834278348927352938239487 to get the text version");
System.out.println("--------------------------");
while (true) {
System.out.print("Please enter any positive number : ");
String inputString = sc.nextLine();
if(inputString.equals("`") || inputString.equals("exit")){ break; } /*HACK: break; for the infinite loop*/
run(inputString);
}
}
public static void run(String inputString) {
String[] macthenVanDuizend = {"", "Duizend", "Miljoen", "Miljard", "Biljoen", "Biljard", "Triljoen", "Triljard", "Quadriljoen", "Quadriljard", "Quintiljoen", "Quintiljard", "Sextiljoen", "Sextiljard", "Septiljoen", "Septiljard",
"Octiljoen", "Octiljard", "Noniljoen", "Noniljard", "Deciljoen", "Deciljard", "Undeciljoen", "Undeciljard", "Duodeciljoen", "Duodeciljard", "Tredeciljoen", "Tredeciljard", "Quattuordeciljoen", "Quattuordeciljard", "Quindeciljoen",
"Quindeciljard", "Sedeciljoen", "Sedeciljard", "Septendeciljoen", "Septendeciljard", "Octodeciljoen", "Octodeciljard", "Novemdeciljoen", "Novemdeciljard", "Vigintiljoen", "Vigintiljard" };
if(inputString.substring(0,1).equals("0") || inputString.length() > 100) {
oneToAThauzend();
return;
}
int c = (inputString.length()-1) /3;
int j = 0;
for(int i=0; i<inputString.length(); i+=3) {
String test = inputString.substring(j, inputString.length() - (c*3) ); /* HACK: 99.999 fix */
String temp = (test.equals("1") && c==1)? "Duizend" : ex(test) + macthenVanDuizend[c]; /* HACK: EEN duizend fix*/
System.out.printf( format, temp, temp.length() );
c--; /*haha leuke grap<SUF>*/
j+= test.length();
}
System.out.println();
}
// overloading
public static String ex(String numberString) { /*0 to 999*/
try { /*try to search for stupid humans*/
return ex( Integer.parseInt(numberString) );
} catch (Exception e) {
System.err.println("Haha humans are stupid, they do not even know what numbers are.");
}
return null;
}
public static String ex(int number) { /*0 to 999*/
String[] eenheden = {"", "one", "two", "three", "four", "five", "six", "zeven", "eight", "nine", "ten", "eleven", "twelve", "thirteen", "fourteen", "fifteen", "sixteen", "seventeen", "eighteen", "nineteen"};
String[] tientallen = {"", "ten", "twenty", "thirty", "forty", "fifty", "sixty", "seventy", "eighty", "ninety"};
String words = "";
if ((number / 100) > 0) {
words += eenheden[number / 100] + "hundred";
number %= 100;
words += ((number > 0) ? "and" : "");
}
if (number < 20) {
return (words + eenheden[number]);
}
if ((number / 10) >= 0) {
String temp = tientallen[number / 10];
number %= 10;
words += temp;
if (number > 0)
words += eenheden[number];
}
return words;
}
public static void oneToAThauzend() { /*1 to 1000 loop and count*/
int count = 0;
for (int i=0; i<1000; i++) {
System.out.printf( format, ex(i), (count += ex(i).length()) );
}
System.out.printf( format, "oneThousand", (count += "oneThousand".length()) );
System.out.println();
System.out.println("het aantal karakters dat nodig zijn om de getallen van 1 tot en met 1000 op te schrijven zijn : " + count);
}
} |
1658_1 | package utils;
/**
* Created by Bart on 8-4-2014.
*/
/** Dit zijn de default klassen voor een task. Deze dienen elke taak te hebben. */
public class Task {
public void run() {
// Run validate
}
private boolean validate() {
// After succes validate, run execute
return false;
}
private void execute() {
// execute Java class
}
}
| 0xbart/QuixoJavaGame | src/utils/Task.java | 108 | /** Dit zijn de default klassen voor een task. Deze dienen elke taak te hebben. */ | block_comment | nl | package utils;
/**
* Created by Bart on 8-4-2014.
*/
/** Dit zijn de<SUF>*/
public class Task {
public void run() {
// Run validate
}
private boolean validate() {
// After succes validate, run execute
return false;
}
private void execute() {
// execute Java class
}
}
|
1659_0 | import greenfoot.*;
/**
* Evacueert mensen.
*
* Project 42
*/
public class ControlroomEvacuate extends ControlroomIntervention
{
public void addedToWorld(World world)
{
// Dit moet een werkende .GIF zijn
setImage("evac_vehicle.gif");
}
public void act()
{
super.act();
}
} | Project42/game2 | ControlroomEvacuate.java | 101 | /**
* Evacueert mensen.
*
* Project 42
*/ | block_comment | nl | import greenfoot.*;
/**
* Evacueert mensen.
<SUF>*/
public class ControlroomEvacuate extends ControlroomIntervention
{
public void addedToWorld(World world)
{
// Dit moet een werkende .GIF zijn
setImage("evac_vehicle.gif");
}
public void act()
{
super.act();
}
} |
1659_1 | import greenfoot.*;
/**
* Evacueert mensen.
*
* Project 42
*/
public class ControlroomEvacuate extends ControlroomIntervention
{
public void addedToWorld(World world)
{
// Dit moet een werkende .GIF zijn
setImage("evac_vehicle.gif");
}
public void act()
{
super.act();
}
} | Project42/game2 | ControlroomEvacuate.java | 101 | // Dit moet een werkende .GIF zijn | line_comment | nl | import greenfoot.*;
/**
* Evacueert mensen.
*
* Project 42
*/
public class ControlroomEvacuate extends ControlroomIntervention
{
public void addedToWorld(World world)
{
// Dit moet<SUF>
setImage("evac_vehicle.gif");
}
public void act()
{
super.act();
}
} |
1662_0 | package nl.topicus.cobra.util;
import java.util.Date;
import java.util.Iterator;
import java.util.NoSuchElementException;
/**
* Iterator die alle data geeft tussen een begindatum en een einddatum. De eerste datum
* die teruggegeven wordt is de begindatum. De laatste datum die teruggegeven wordt is de
* einddatum. (Begin- en einddatum zijn dus inclusief.)
*
* @author loite
*/
public class DateIterator implements Iterator<Date>
{
private final Date eind;
private Date current;
/**
* Constructor
*
* @param begin
* @param eind
*/
public DateIterator(Date begin, Date eind)
{
this.eind = eind;
current = begin;
}
/**
* @see java.util.Iterator#hasNext()
*/
@Override
public boolean hasNext()
{
return !current.equals(eind);
}
/**
* @see java.util.Iterator#next()
*/
@Override
public Date next()
{
if (!hasNext())
{
throw new NoSuchElementException("Laatste datum reeds bereikt");
}
current = TimeUtil.getInstance().addDays(current, 1);
return current;
}
/**
* @throws UnsupportedOperationException
* @see java.util.Iterator#remove()
*/
@Override
public void remove()
{
throw new UnsupportedOperationException("remove wordt niet ondersteund");
}
}
| topicusonderwijs/tribe-krd-opensource | cobra/commons/src/main/java/nl/topicus/cobra/util/DateIterator.java | 407 | /**
* Iterator die alle data geeft tussen een begindatum en een einddatum. De eerste datum
* die teruggegeven wordt is de begindatum. De laatste datum die teruggegeven wordt is de
* einddatum. (Begin- en einddatum zijn dus inclusief.)
*
* @author loite
*/ | block_comment | nl | package nl.topicus.cobra.util;
import java.util.Date;
import java.util.Iterator;
import java.util.NoSuchElementException;
/**
* Iterator die alle<SUF>*/
public class DateIterator implements Iterator<Date>
{
private final Date eind;
private Date current;
/**
* Constructor
*
* @param begin
* @param eind
*/
public DateIterator(Date begin, Date eind)
{
this.eind = eind;
current = begin;
}
/**
* @see java.util.Iterator#hasNext()
*/
@Override
public boolean hasNext()
{
return !current.equals(eind);
}
/**
* @see java.util.Iterator#next()
*/
@Override
public Date next()
{
if (!hasNext())
{
throw new NoSuchElementException("Laatste datum reeds bereikt");
}
current = TimeUtil.getInstance().addDays(current, 1);
return current;
}
/**
* @throws UnsupportedOperationException
* @see java.util.Iterator#remove()
*/
@Override
public void remove()
{
throw new UnsupportedOperationException("remove wordt niet ondersteund");
}
}
|
1663_0 | import greenfoot.*;
/**
* Dief die probeert te plunderen.
*
* Project 42
*/
public class ControlroomThief extends ControlroomCalamities
{
ControlroomCatchThief police_catchthief;
public void addedToWorld(World world)
{
setImage("thief.gif");
setDifficultyScore();
}
public void act()
{
super.act();
checkClicked();
checkIfIExpire(checkDifficulty());
if (police_catchthief != null) {
interventionTimer++;
ControlroomWorld world = (ControlroomWorld)getWorld();
if (interventionTimer > 200)
{
world.removeObject(this);
world.removeObject(police_catchthief);
world.getScoreCounter().add(50);
world.addConsoleMessage("De boeven zijn gearresteerd.");
}
} else {
interventionTimer = 0;
}
}
/** Check if object has been clicked
* If true, it checks whether the last object clicked was a Firefighter
* If true, it deletes the Fire object and adds 50 to score
*/
public void checkClicked() {
if (Greenfoot.mouseClicked(this))
{
ControlroomWorld world = (ControlroomWorld)getWorld();
if (world.getSelectedCharacter() == ControlroomWorld.Character.POLICE_CATCHTHIEF) {
int objectLocationX = getX()+2;
int objectLocationY = getY();
world.addObject(police_catchthief = new ControlroomCatchThief(), objectLocationX, objectLocationY);
world.getPoliceUnits().add(-1);
}
}
}
/** Check whether object has been in the world for too long
* If true, removes the Fire object and sets the timer back to 0
* Difficulty argument decreases when progressing in the game, making objects expire faster
*/
public void checkIfIExpire(int difficulty) {
ControlroomWorld world = (ControlroomWorld)getWorld();
if (getExpireTimer() > difficulty && police_catchthief == null)
{
world.removeObject(this);
world.loseLife();
setExpireTimer(0);
}
}
}
| Project42/game2 | ControlroomThief.java | 552 | /**
* Dief die probeert te plunderen.
*
* Project 42
*/ | block_comment | nl | import greenfoot.*;
/**
* Dief die probeert<SUF>*/
public class ControlroomThief extends ControlroomCalamities
{
ControlroomCatchThief police_catchthief;
public void addedToWorld(World world)
{
setImage("thief.gif");
setDifficultyScore();
}
public void act()
{
super.act();
checkClicked();
checkIfIExpire(checkDifficulty());
if (police_catchthief != null) {
interventionTimer++;
ControlroomWorld world = (ControlroomWorld)getWorld();
if (interventionTimer > 200)
{
world.removeObject(this);
world.removeObject(police_catchthief);
world.getScoreCounter().add(50);
world.addConsoleMessage("De boeven zijn gearresteerd.");
}
} else {
interventionTimer = 0;
}
}
/** Check if object has been clicked
* If true, it checks whether the last object clicked was a Firefighter
* If true, it deletes the Fire object and adds 50 to score
*/
public void checkClicked() {
if (Greenfoot.mouseClicked(this))
{
ControlroomWorld world = (ControlroomWorld)getWorld();
if (world.getSelectedCharacter() == ControlroomWorld.Character.POLICE_CATCHTHIEF) {
int objectLocationX = getX()+2;
int objectLocationY = getY();
world.addObject(police_catchthief = new ControlroomCatchThief(), objectLocationX, objectLocationY);
world.getPoliceUnits().add(-1);
}
}
}
/** Check whether object has been in the world for too long
* If true, removes the Fire object and sets the timer back to 0
* Difficulty argument decreases when progressing in the game, making objects expire faster
*/
public void checkIfIExpire(int difficulty) {
ControlroomWorld world = (ControlroomWorld)getWorld();
if (getExpireTimer() > difficulty && police_catchthief == null)
{
world.removeObject(this);
world.loseLife();
setExpireTimer(0);
}
}
}
|
1664_0 | package controller;
import java.sql.SQLException;
import java.util.ArrayList;
import java.util.List;
import com.google.gson.Gson;
import com.google.gson.GsonBuilder;
import dao.RoadmapDAO;
import dao.SessionManagementDAO;
import model.system.State;
import model.user.Child;
import model.user.Mentor;
import model.category.Category;
import model.quiz.Quiz;
import model.roadmap.Roadmap;
public class RoadmapController {
RoadmapDAO roadmapDAO;
protected Json json = new Json();
public RoadmapController(){
roadmapDAO = new RoadmapDAO();
}
public String getAllRoadmaps(){
Gson gson = new Gson();
List<Roadmap> theRoadmaps = new ArrayList<Roadmap>();
theRoadmaps = roadmapDAO.getAllRoadmaps();
if(theRoadmaps != null && !theRoadmaps.isEmpty()){
return gson.toJson(theRoadmaps);
}
return gson.toJson(theRoadmaps);
// return json.createJson(State.ERROR, "Er is iets fout gegaan met het ophalen van de roadmaps");
}
public String getAllRoadmapsByMentor(Mentor mentor){
Gson gson = new Gson();
List<Roadmap> theRoadmaps = new ArrayList<Roadmap>();
theRoadmaps = roadmapDAO.getAllRoadmapsByMentor(mentor);
json.createJson(State.ERROR, "Er is iets fout gegaan met het ophalen van de roadmaps.");
if(theRoadmaps != null && !theRoadmaps.isEmpty()){
return gson.toJson(theRoadmaps);
}
return json.createJson(State.ERROR, "Er zijn geen roadmaps.");
}
public String getAllRoadmapssByChild(Child child){
Gson gson = new Gson();
List<Roadmap> theRoadmaps = new ArrayList<Roadmap>();
theRoadmaps = roadmapDAO.getAllRoadmapsByChild(child);
json.createJson(State.ERROR, "Er is iets fout gegaan met het ophalen van de roadmaps.");
if(theRoadmaps != null && !theRoadmaps.isEmpty()){
return gson.toJson(theRoadmaps);
}
return json.createJson(State.ERROR, "Er zijn geen roadmaps.");
}
public String getAllRoadmapsByCategory(Category category){
Gson gson = new Gson();
List<Roadmap> theRoadmaps = new ArrayList<Roadmap>();
theRoadmaps = roadmapDAO.getAllRoadmapsByCategory(category);
json.createJson(State.ERROR, "Er is iets fout gegaan met het ophalen van de roadmaps.");
if(theRoadmaps != null && !theRoadmaps.isEmpty()){
return gson.toJson(theRoadmaps);
}
return json.createJson(State.ERROR, "Er zijn geen roadmaps voor deze category.");
}
public String addRoadmap(String token, String input) throws Exception {
Json json = new Json();
Gson gson = new GsonBuilder().setDateFormat("yyyy-mm-dd").create();
SessionManagementDAO session = new SessionManagementDAO();
System.out.println(input);
Roadmap r = gson.fromJson(input, Roadmap.class);
Mentor m = session.getMentorFromToken(token);
r.setMentor(m);
if (!roadmapDAO.addRoadmap(r)) {
json.createJson(State.ERROR, "Er is iets fout gegaan met het toevoegen van de Roadmap.");
}
return json.createJson(State.PASSED, "Roadmap is toegevoegd");
}
public String addRoadmapHasChild(String input) {
Json json = new Json();
Gson gson = new Gson();
Roadmap roadmap = gson.fromJson(input, Roadmap.class);
roadmapDAO.addRoadmapHasChild(roadmap, roadmap.getMentor().getTheChildren().get(roadmap.getMentor().getTheChildren().size()));
json.createJson(State.ERROR, "Er is iets fout gegaan met het toevoegen van de Roadmap");
return json.createJson(State.PASSED, "Roadmap is toegevoegd");
}
public String updateRoadmap(String input){
Json json = new Json();
Gson gson = new Gson();
Roadmap roadmap = gson.fromJson(input, Roadmap.class);
if(roadmapDAO.updateRoadmap(roadmap)){
return json.createJson(State.PASSED, "Roadmap is ge�pdated");
}
return json.createJson(State.ERROR, "Er is iets fout gegaan met het updaten van de Roadmap");
}
public String deleteRoadmap(String input) {
Json json = new Json();
Gson gson = new Gson();
Roadmap roadmap = gson.fromJson(input, Roadmap.class);
if(roadmapDAO.deleteRoadmap(roadmap)) {
return json.createJson(State.PASSED, "Roadmap is verwijderd.");
}
return json.createJson(State.ERROR, "Roadmap kon niet verwijderd worden.");
}
} | martijnboers/storytime-backend | src/controller/RoadmapController.java | 1,228 | // return json.createJson(State.ERROR, "Er is iets fout gegaan met het ophalen van de roadmaps"); | line_comment | nl | package controller;
import java.sql.SQLException;
import java.util.ArrayList;
import java.util.List;
import com.google.gson.Gson;
import com.google.gson.GsonBuilder;
import dao.RoadmapDAO;
import dao.SessionManagementDAO;
import model.system.State;
import model.user.Child;
import model.user.Mentor;
import model.category.Category;
import model.quiz.Quiz;
import model.roadmap.Roadmap;
public class RoadmapController {
RoadmapDAO roadmapDAO;
protected Json json = new Json();
public RoadmapController(){
roadmapDAO = new RoadmapDAO();
}
public String getAllRoadmaps(){
Gson gson = new Gson();
List<Roadmap> theRoadmaps = new ArrayList<Roadmap>();
theRoadmaps = roadmapDAO.getAllRoadmaps();
if(theRoadmaps != null && !theRoadmaps.isEmpty()){
return gson.toJson(theRoadmaps);
}
return gson.toJson(theRoadmaps);
// return json.createJson(State.ERROR,<SUF>
}
public String getAllRoadmapsByMentor(Mentor mentor){
Gson gson = new Gson();
List<Roadmap> theRoadmaps = new ArrayList<Roadmap>();
theRoadmaps = roadmapDAO.getAllRoadmapsByMentor(mentor);
json.createJson(State.ERROR, "Er is iets fout gegaan met het ophalen van de roadmaps.");
if(theRoadmaps != null && !theRoadmaps.isEmpty()){
return gson.toJson(theRoadmaps);
}
return json.createJson(State.ERROR, "Er zijn geen roadmaps.");
}
public String getAllRoadmapssByChild(Child child){
Gson gson = new Gson();
List<Roadmap> theRoadmaps = new ArrayList<Roadmap>();
theRoadmaps = roadmapDAO.getAllRoadmapsByChild(child);
json.createJson(State.ERROR, "Er is iets fout gegaan met het ophalen van de roadmaps.");
if(theRoadmaps != null && !theRoadmaps.isEmpty()){
return gson.toJson(theRoadmaps);
}
return json.createJson(State.ERROR, "Er zijn geen roadmaps.");
}
public String getAllRoadmapsByCategory(Category category){
Gson gson = new Gson();
List<Roadmap> theRoadmaps = new ArrayList<Roadmap>();
theRoadmaps = roadmapDAO.getAllRoadmapsByCategory(category);
json.createJson(State.ERROR, "Er is iets fout gegaan met het ophalen van de roadmaps.");
if(theRoadmaps != null && !theRoadmaps.isEmpty()){
return gson.toJson(theRoadmaps);
}
return json.createJson(State.ERROR, "Er zijn geen roadmaps voor deze category.");
}
public String addRoadmap(String token, String input) throws Exception {
Json json = new Json();
Gson gson = new GsonBuilder().setDateFormat("yyyy-mm-dd").create();
SessionManagementDAO session = new SessionManagementDAO();
System.out.println(input);
Roadmap r = gson.fromJson(input, Roadmap.class);
Mentor m = session.getMentorFromToken(token);
r.setMentor(m);
if (!roadmapDAO.addRoadmap(r)) {
json.createJson(State.ERROR, "Er is iets fout gegaan met het toevoegen van de Roadmap.");
}
return json.createJson(State.PASSED, "Roadmap is toegevoegd");
}
public String addRoadmapHasChild(String input) {
Json json = new Json();
Gson gson = new Gson();
Roadmap roadmap = gson.fromJson(input, Roadmap.class);
roadmapDAO.addRoadmapHasChild(roadmap, roadmap.getMentor().getTheChildren().get(roadmap.getMentor().getTheChildren().size()));
json.createJson(State.ERROR, "Er is iets fout gegaan met het toevoegen van de Roadmap");
return json.createJson(State.PASSED, "Roadmap is toegevoegd");
}
public String updateRoadmap(String input){
Json json = new Json();
Gson gson = new Gson();
Roadmap roadmap = gson.fromJson(input, Roadmap.class);
if(roadmapDAO.updateRoadmap(roadmap)){
return json.createJson(State.PASSED, "Roadmap is ge�pdated");
}
return json.createJson(State.ERROR, "Er is iets fout gegaan met het updaten van de Roadmap");
}
public String deleteRoadmap(String input) {
Json json = new Json();
Gson gson = new Gson();
Roadmap roadmap = gson.fromJson(input, Roadmap.class);
if(roadmapDAO.deleteRoadmap(roadmap)) {
return json.createJson(State.PASSED, "Roadmap is verwijderd.");
}
return json.createJson(State.ERROR, "Roadmap kon niet verwijderd worden.");
}
} |
1665_0 | /*
* Deze lijst houdt enkel de medicijnen bij die te bestellen zijn.
* Enkel een beperkt aantal attributen zijn nodig.
* De objecten blijven maar voor korte duur op een lijst. Ze verdwijnen nadat de Apotheker een aangekomen bestelling
* wenst te verwijderen. Het heeft verder ook bijzonder weinig nut, behalve voor misschien een esthetische meerwaarde.
*
* Dat is dus ook het geval met objecten van de klasse Bestelling. Eens de apotheker
* doorgeeft dat de bestelling is geleverd verdwijnt het object van de Bestellingslijst
*/
public class BestelMedicijn {
String merknaam;
int aantal;
int prijs;
public int bestelIndex;
public BestelMedicijn(int bestelIndex, String merknaam, int aantal, int prijs)
{
this.bestelIndex=bestelIndex;
this.merknaam = merknaam;
this.aantal = aantal;
this.prijs = prijs;
}
public int geefIndex(){
return bestelIndex;
}
public String geefMerknaam(){
return merknaam;
}
public void wijzigAantal(int aantal)
{
this.aantal = aantal;
}
public void vermeerderAantal(){
aantal++;
}
public void verminderAantal(){
aantal--;
}
}
| 4SDDeMeyerKaya/Voorraadbeheer4SD | src/BestelMedicijn.java | 342 | /*
* Deze lijst houdt enkel de medicijnen bij die te bestellen zijn.
* Enkel een beperkt aantal attributen zijn nodig.
* De objecten blijven maar voor korte duur op een lijst. Ze verdwijnen nadat de Apotheker een aangekomen bestelling
* wenst te verwijderen. Het heeft verder ook bijzonder weinig nut, behalve voor misschien een esthetische meerwaarde.
*
* Dat is dus ook het geval met objecten van de klasse Bestelling. Eens de apotheker
* doorgeeft dat de bestelling is geleverd verdwijnt het object van de Bestellingslijst
*/ | block_comment | nl | /*
* Deze lijst houdt<SUF>*/
public class BestelMedicijn {
String merknaam;
int aantal;
int prijs;
public int bestelIndex;
public BestelMedicijn(int bestelIndex, String merknaam, int aantal, int prijs)
{
this.bestelIndex=bestelIndex;
this.merknaam = merknaam;
this.aantal = aantal;
this.prijs = prijs;
}
public int geefIndex(){
return bestelIndex;
}
public String geefMerknaam(){
return merknaam;
}
public void wijzigAantal(int aantal)
{
this.aantal = aantal;
}
public void vermeerderAantal(){
aantal++;
}
public void verminderAantal(){
aantal--;
}
}
|
1666_0 | /**
* Weerwolven klauwen naar de held. De gevolgen voor de energie
* is afhankelijk van de lengte van de klauwen, namelijk 2 energiepunten per
* centimeter klauw. Volwassen weerwolven hebben klauwen van minstens 5
* centimeter, kleintjes zijn schattig en hebben mini-klauwtjes van maximaal
* 2 centimeter.
*/
public class Weerwolf extends Vijanden
{
private int lengteKlauw;
public Weerwolf(String description)
{
super(description);
boolean volwassen;
volwassen = random.nextBoolean();
if (volwassen == true) {
int maxLengteKlauwVolwassen = 15;
int minLengteKlauwVolwassen = 5;
lengteKlauw = minLengteKlauwVolwassen + random.nextInt(maxLengteKlauwVolwassen - 4);
}
else {
int maxLengteKlauwKleintje = 2;
lengteKlauw = random.nextInt(maxLengteKlauwKleintje + 1);
}
}
public void ontmoeten(Speler speler)
{
speler.wijzigEnergie(-2 * lengteKlauw);
System.out.println("De weerwolf zijn " + lengteKlauw + " cm lange klauw ontdoet U van " + 2 * lengteKlauw + " Hp.");
}
} | bartgerard/Village_of_Zuul | Weerwolf.java | 365 | /**
* Weerwolven klauwen naar de held. De gevolgen voor de energie
* is afhankelijk van de lengte van de klauwen, namelijk 2 energiepunten per
* centimeter klauw. Volwassen weerwolven hebben klauwen van minstens 5
* centimeter, kleintjes zijn schattig en hebben mini-klauwtjes van maximaal
* 2 centimeter.
*/ | block_comment | nl | /**
* Weerwolven klauwen naar<SUF>*/
public class Weerwolf extends Vijanden
{
private int lengteKlauw;
public Weerwolf(String description)
{
super(description);
boolean volwassen;
volwassen = random.nextBoolean();
if (volwassen == true) {
int maxLengteKlauwVolwassen = 15;
int minLengteKlauwVolwassen = 5;
lengteKlauw = minLengteKlauwVolwassen + random.nextInt(maxLengteKlauwVolwassen - 4);
}
else {
int maxLengteKlauwKleintje = 2;
lengteKlauw = random.nextInt(maxLengteKlauwKleintje + 1);
}
}
public void ontmoeten(Speler speler)
{
speler.wijzigEnergie(-2 * lengteKlauw);
System.out.println("De weerwolf zijn " + lengteKlauw + " cm lange klauw ontdoet U van " + 2 * lengteKlauw + " Hp.");
}
} |
1667_0 | package main.application;
/**
* De zombie apocalypse heeft toegeslagen.
* Patient zero is besmet geraakt nadat hij was gebeten door een mier tijdens het nachtelijk wildplassen. Precies om 0:00 zelfs.
* De volgende waarden zijn van toepassing
* Op het moment van de besmetting van patient zero zijn er 7.000.000.000 mensen niet besmet.
* Elke zombie valt 2 mensen aan per uur tussen 8:00 en 22:00. In de nachtelijke uren is dit er 1 per uur.
* Elk uur raakt per 5 aanvallen afgerond naar beneden gemiddeld 1 lichaam van een gezond persoon te zwaar beschadigd om
* opnieuw op te staan. Deze persoon kan dus geen anderen infecteren.
* Vanaf 8:00 op de eerste dag heeft de mensheid door wat er aan de hand is en weet vanaf dan elk uur per
* drie aanvallen één aanval af te slaan en daarbij aan de zombie te ontsnappen.
* Omdat we uitgaan van gemiddelden, beginnen we elk uur opnieuw met het tellen van beschadigde lichamen en afgeweerde zombies.
* Na hoeveel uren is het menselijk ras uitgestorven?
*
* Antwoord met een positieve integer (bijv. 15000).
*
*/
public class VraagTredici {
private static boolean aware = false;
private static long humans = 7000000000l;
private static long zombies = 1;
private static int hours = 0;
private static int totalhours = 0;
public static void main(String[] args){
long zombieAtacks = 0;
long atackedPersons = 0;
long noobZombies = 0;
long disabledZombies = 0;
while(true){
if(hours == 24){
totalhours += hours -1;
hours = 0;
}
if(hours >= 8 && hours <= 22){
aware = true;
zombieAtacks = 2;
} else {
zombieAtacks = 1;
}
atackedPersons = zombies * zombieAtacks;
if (aware){
noobZombies = Math.round(atackedPersons / 3);
}
atackedPersons -= noobZombies;
disabledZombies = Math.round(atackedPersons / 5);
zombies = zombies - noobZombies + atackedPersons - disabledZombies;
humans -= atackedPersons;
if(humans <= 0){
break;
}
hours++;
}
System.out.println(totalhours-7);
//Antwoord is: 39
}
}
| Igoranze/Martyrs-mega-project-list | tweakers-devv-contest/src/main/application/VraagTredici.java | 659 | /**
* De zombie apocalypse heeft toegeslagen.
* Patient zero is besmet geraakt nadat hij was gebeten door een mier tijdens het nachtelijk wildplassen. Precies om 0:00 zelfs.
* De volgende waarden zijn van toepassing
* Op het moment van de besmetting van patient zero zijn er 7.000.000.000 mensen niet besmet.
* Elke zombie valt 2 mensen aan per uur tussen 8:00 en 22:00. In de nachtelijke uren is dit er 1 per uur.
* Elk uur raakt per 5 aanvallen afgerond naar beneden gemiddeld 1 lichaam van een gezond persoon te zwaar beschadigd om
* opnieuw op te staan. Deze persoon kan dus geen anderen infecteren.
* Vanaf 8:00 op de eerste dag heeft de mensheid door wat er aan de hand is en weet vanaf dan elk uur per
* drie aanvallen één aanval af te slaan en daarbij aan de zombie te ontsnappen.
* Omdat we uitgaan van gemiddelden, beginnen we elk uur opnieuw met het tellen van beschadigde lichamen en afgeweerde zombies.
* Na hoeveel uren is het menselijk ras uitgestorven?
*
* Antwoord met een positieve integer (bijv. 15000).
*
*/ | block_comment | nl | package main.application;
/**
* De zombie apocalypse<SUF>*/
public class VraagTredici {
private static boolean aware = false;
private static long humans = 7000000000l;
private static long zombies = 1;
private static int hours = 0;
private static int totalhours = 0;
public static void main(String[] args){
long zombieAtacks = 0;
long atackedPersons = 0;
long noobZombies = 0;
long disabledZombies = 0;
while(true){
if(hours == 24){
totalhours += hours -1;
hours = 0;
}
if(hours >= 8 && hours <= 22){
aware = true;
zombieAtacks = 2;
} else {
zombieAtacks = 1;
}
atackedPersons = zombies * zombieAtacks;
if (aware){
noobZombies = Math.round(atackedPersons / 3);
}
atackedPersons -= noobZombies;
disabledZombies = Math.round(atackedPersons / 5);
zombies = zombies - noobZombies + atackedPersons - disabledZombies;
humans -= atackedPersons;
if(humans <= 0){
break;
}
hours++;
}
System.out.println(totalhours-7);
//Antwoord is: 39
}
}
|
1668_0 | package Machiavelli.Models;
import java.io.BufferedReader;
import java.io.FileNotFoundException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.rmi.RemoteException;
import java.util.ArrayList;
import Machiavelli.Interfaces.Observers.SpelregelsObserver;
import Machiavelli.Interfaces.Remotes.SpelregelsRemote;
/**
* @author Jamie Kalloe
* De spelregels van Machiavelli zijn opgeslagen in een textdocument, deze
* kunnen op elk moment in het spel aangeroepen worden.
*/
public class Spelregels implements SpelregelsRemote, Serializable {
private ArrayList<SpelregelsObserver> observers = new ArrayList<>();
/**
* Retourneerd de spelregels die zijn opgehaald uit de text file.
*
* @return spelregels String
*/
public String getSpelregels() {
try {
return this.getSpelregelsFromResource("spelregels.txt");
} catch (Exception e) {
e.printStackTrace();
}
return null;
}
/**
* Deze method haalt de spelregels uit een textfile van het opgegeven pad.
*
* @param fileName naam de van de file waar de spelregels in staan.
*/
private String getSpelregelsFromResource(String fileName) throws Exception {
String text = null;
InputStream in = getClass().getResourceAsStream("/Machiavelli/Resources/" + fileName);
BufferedReader input = new BufferedReader(new InputStreamReader(in));
try {
StringBuilder builder = new StringBuilder();
String aux = "";
while ((aux = input.readLine()) != null) {
builder.append(aux + System.getProperty("line.separator"));
}
text = builder.toString();
} catch (FileNotFoundException e) {
e.printStackTrace();
}
input.close();
return text;
}
/**
* Voert de SpelregelsObserver toe aan de lijst met observers.
*/
public void addObserver(SpelregelsObserver observer) throws RemoteException {
observers.add(observer);
}
/**
* Vertelt de observers dat het model is veranderd.
*/
public void notifyObservers() throws RemoteException {
for (SpelregelsObserver observer : observers) {
observer.modelChanged(this);
}
}
}
| Badmuts/Machiavelli | src/Machiavelli/Models/Spelregels.java | 572 | /**
* @author Jamie Kalloe
* De spelregels van Machiavelli zijn opgeslagen in een textdocument, deze
* kunnen op elk moment in het spel aangeroepen worden.
*/ | block_comment | nl | package Machiavelli.Models;
import java.io.BufferedReader;
import java.io.FileNotFoundException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.rmi.RemoteException;
import java.util.ArrayList;
import Machiavelli.Interfaces.Observers.SpelregelsObserver;
import Machiavelli.Interfaces.Remotes.SpelregelsRemote;
/**
* @author Jamie Kalloe<SUF>*/
public class Spelregels implements SpelregelsRemote, Serializable {
private ArrayList<SpelregelsObserver> observers = new ArrayList<>();
/**
* Retourneerd de spelregels die zijn opgehaald uit de text file.
*
* @return spelregels String
*/
public String getSpelregels() {
try {
return this.getSpelregelsFromResource("spelregels.txt");
} catch (Exception e) {
e.printStackTrace();
}
return null;
}
/**
* Deze method haalt de spelregels uit een textfile van het opgegeven pad.
*
* @param fileName naam de van de file waar de spelregels in staan.
*/
private String getSpelregelsFromResource(String fileName) throws Exception {
String text = null;
InputStream in = getClass().getResourceAsStream("/Machiavelli/Resources/" + fileName);
BufferedReader input = new BufferedReader(new InputStreamReader(in));
try {
StringBuilder builder = new StringBuilder();
String aux = "";
while ((aux = input.readLine()) != null) {
builder.append(aux + System.getProperty("line.separator"));
}
text = builder.toString();
} catch (FileNotFoundException e) {
e.printStackTrace();
}
input.close();
return text;
}
/**
* Voert de SpelregelsObserver toe aan de lijst met observers.
*/
public void addObserver(SpelregelsObserver observer) throws RemoteException {
observers.add(observer);
}
/**
* Vertelt de observers dat het model is veranderd.
*/
public void notifyObservers() throws RemoteException {
for (SpelregelsObserver observer : observers) {
observer.modelChanged(this);
}
}
}
|
1668_1 | package Machiavelli.Models;
import java.io.BufferedReader;
import java.io.FileNotFoundException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.rmi.RemoteException;
import java.util.ArrayList;
import Machiavelli.Interfaces.Observers.SpelregelsObserver;
import Machiavelli.Interfaces.Remotes.SpelregelsRemote;
/**
* @author Jamie Kalloe
* De spelregels van Machiavelli zijn opgeslagen in een textdocument, deze
* kunnen op elk moment in het spel aangeroepen worden.
*/
public class Spelregels implements SpelregelsRemote, Serializable {
private ArrayList<SpelregelsObserver> observers = new ArrayList<>();
/**
* Retourneerd de spelregels die zijn opgehaald uit de text file.
*
* @return spelregels String
*/
public String getSpelregels() {
try {
return this.getSpelregelsFromResource("spelregels.txt");
} catch (Exception e) {
e.printStackTrace();
}
return null;
}
/**
* Deze method haalt de spelregels uit een textfile van het opgegeven pad.
*
* @param fileName naam de van de file waar de spelregels in staan.
*/
private String getSpelregelsFromResource(String fileName) throws Exception {
String text = null;
InputStream in = getClass().getResourceAsStream("/Machiavelli/Resources/" + fileName);
BufferedReader input = new BufferedReader(new InputStreamReader(in));
try {
StringBuilder builder = new StringBuilder();
String aux = "";
while ((aux = input.readLine()) != null) {
builder.append(aux + System.getProperty("line.separator"));
}
text = builder.toString();
} catch (FileNotFoundException e) {
e.printStackTrace();
}
input.close();
return text;
}
/**
* Voert de SpelregelsObserver toe aan de lijst met observers.
*/
public void addObserver(SpelregelsObserver observer) throws RemoteException {
observers.add(observer);
}
/**
* Vertelt de observers dat het model is veranderd.
*/
public void notifyObservers() throws RemoteException {
for (SpelregelsObserver observer : observers) {
observer.modelChanged(this);
}
}
}
| Badmuts/Machiavelli | src/Machiavelli/Models/Spelregels.java | 572 | /**
* Retourneerd de spelregels die zijn opgehaald uit de text file.
*
* @return spelregels String
*/ | block_comment | nl | package Machiavelli.Models;
import java.io.BufferedReader;
import java.io.FileNotFoundException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.rmi.RemoteException;
import java.util.ArrayList;
import Machiavelli.Interfaces.Observers.SpelregelsObserver;
import Machiavelli.Interfaces.Remotes.SpelregelsRemote;
/**
* @author Jamie Kalloe
* De spelregels van Machiavelli zijn opgeslagen in een textdocument, deze
* kunnen op elk moment in het spel aangeroepen worden.
*/
public class Spelregels implements SpelregelsRemote, Serializable {
private ArrayList<SpelregelsObserver> observers = new ArrayList<>();
/**
* Retourneerd de spelregels<SUF>*/
public String getSpelregels() {
try {
return this.getSpelregelsFromResource("spelregels.txt");
} catch (Exception e) {
e.printStackTrace();
}
return null;
}
/**
* Deze method haalt de spelregels uit een textfile van het opgegeven pad.
*
* @param fileName naam de van de file waar de spelregels in staan.
*/
private String getSpelregelsFromResource(String fileName) throws Exception {
String text = null;
InputStream in = getClass().getResourceAsStream("/Machiavelli/Resources/" + fileName);
BufferedReader input = new BufferedReader(new InputStreamReader(in));
try {
StringBuilder builder = new StringBuilder();
String aux = "";
while ((aux = input.readLine()) != null) {
builder.append(aux + System.getProperty("line.separator"));
}
text = builder.toString();
} catch (FileNotFoundException e) {
e.printStackTrace();
}
input.close();
return text;
}
/**
* Voert de SpelregelsObserver toe aan de lijst met observers.
*/
public void addObserver(SpelregelsObserver observer) throws RemoteException {
observers.add(observer);
}
/**
* Vertelt de observers dat het model is veranderd.
*/
public void notifyObservers() throws RemoteException {
for (SpelregelsObserver observer : observers) {
observer.modelChanged(this);
}
}
}
|
1668_2 | package Machiavelli.Models;
import java.io.BufferedReader;
import java.io.FileNotFoundException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.rmi.RemoteException;
import java.util.ArrayList;
import Machiavelli.Interfaces.Observers.SpelregelsObserver;
import Machiavelli.Interfaces.Remotes.SpelregelsRemote;
/**
* @author Jamie Kalloe
* De spelregels van Machiavelli zijn opgeslagen in een textdocument, deze
* kunnen op elk moment in het spel aangeroepen worden.
*/
public class Spelregels implements SpelregelsRemote, Serializable {
private ArrayList<SpelregelsObserver> observers = new ArrayList<>();
/**
* Retourneerd de spelregels die zijn opgehaald uit de text file.
*
* @return spelregels String
*/
public String getSpelregels() {
try {
return this.getSpelregelsFromResource("spelregels.txt");
} catch (Exception e) {
e.printStackTrace();
}
return null;
}
/**
* Deze method haalt de spelregels uit een textfile van het opgegeven pad.
*
* @param fileName naam de van de file waar de spelregels in staan.
*/
private String getSpelregelsFromResource(String fileName) throws Exception {
String text = null;
InputStream in = getClass().getResourceAsStream("/Machiavelli/Resources/" + fileName);
BufferedReader input = new BufferedReader(new InputStreamReader(in));
try {
StringBuilder builder = new StringBuilder();
String aux = "";
while ((aux = input.readLine()) != null) {
builder.append(aux + System.getProperty("line.separator"));
}
text = builder.toString();
} catch (FileNotFoundException e) {
e.printStackTrace();
}
input.close();
return text;
}
/**
* Voert de SpelregelsObserver toe aan de lijst met observers.
*/
public void addObserver(SpelregelsObserver observer) throws RemoteException {
observers.add(observer);
}
/**
* Vertelt de observers dat het model is veranderd.
*/
public void notifyObservers() throws RemoteException {
for (SpelregelsObserver observer : observers) {
observer.modelChanged(this);
}
}
}
| Badmuts/Machiavelli | src/Machiavelli/Models/Spelregels.java | 572 | /**
* Deze method haalt de spelregels uit een textfile van het opgegeven pad.
*
* @param fileName naam de van de file waar de spelregels in staan.
*/ | block_comment | nl | package Machiavelli.Models;
import java.io.BufferedReader;
import java.io.FileNotFoundException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.rmi.RemoteException;
import java.util.ArrayList;
import Machiavelli.Interfaces.Observers.SpelregelsObserver;
import Machiavelli.Interfaces.Remotes.SpelregelsRemote;
/**
* @author Jamie Kalloe
* De spelregels van Machiavelli zijn opgeslagen in een textdocument, deze
* kunnen op elk moment in het spel aangeroepen worden.
*/
public class Spelregels implements SpelregelsRemote, Serializable {
private ArrayList<SpelregelsObserver> observers = new ArrayList<>();
/**
* Retourneerd de spelregels die zijn opgehaald uit de text file.
*
* @return spelregels String
*/
public String getSpelregels() {
try {
return this.getSpelregelsFromResource("spelregels.txt");
} catch (Exception e) {
e.printStackTrace();
}
return null;
}
/**
* Deze method haalt<SUF>*/
private String getSpelregelsFromResource(String fileName) throws Exception {
String text = null;
InputStream in = getClass().getResourceAsStream("/Machiavelli/Resources/" + fileName);
BufferedReader input = new BufferedReader(new InputStreamReader(in));
try {
StringBuilder builder = new StringBuilder();
String aux = "";
while ((aux = input.readLine()) != null) {
builder.append(aux + System.getProperty("line.separator"));
}
text = builder.toString();
} catch (FileNotFoundException e) {
e.printStackTrace();
}
input.close();
return text;
}
/**
* Voert de SpelregelsObserver toe aan de lijst met observers.
*/
public void addObserver(SpelregelsObserver observer) throws RemoteException {
observers.add(observer);
}
/**
* Vertelt de observers dat het model is veranderd.
*/
public void notifyObservers() throws RemoteException {
for (SpelregelsObserver observer : observers) {
observer.modelChanged(this);
}
}
}
|
1668_3 | package Machiavelli.Models;
import java.io.BufferedReader;
import java.io.FileNotFoundException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.rmi.RemoteException;
import java.util.ArrayList;
import Machiavelli.Interfaces.Observers.SpelregelsObserver;
import Machiavelli.Interfaces.Remotes.SpelregelsRemote;
/**
* @author Jamie Kalloe
* De spelregels van Machiavelli zijn opgeslagen in een textdocument, deze
* kunnen op elk moment in het spel aangeroepen worden.
*/
public class Spelregels implements SpelregelsRemote, Serializable {
private ArrayList<SpelregelsObserver> observers = new ArrayList<>();
/**
* Retourneerd de spelregels die zijn opgehaald uit de text file.
*
* @return spelregels String
*/
public String getSpelregels() {
try {
return this.getSpelregelsFromResource("spelregels.txt");
} catch (Exception e) {
e.printStackTrace();
}
return null;
}
/**
* Deze method haalt de spelregels uit een textfile van het opgegeven pad.
*
* @param fileName naam de van de file waar de spelregels in staan.
*/
private String getSpelregelsFromResource(String fileName) throws Exception {
String text = null;
InputStream in = getClass().getResourceAsStream("/Machiavelli/Resources/" + fileName);
BufferedReader input = new BufferedReader(new InputStreamReader(in));
try {
StringBuilder builder = new StringBuilder();
String aux = "";
while ((aux = input.readLine()) != null) {
builder.append(aux + System.getProperty("line.separator"));
}
text = builder.toString();
} catch (FileNotFoundException e) {
e.printStackTrace();
}
input.close();
return text;
}
/**
* Voert de SpelregelsObserver toe aan de lijst met observers.
*/
public void addObserver(SpelregelsObserver observer) throws RemoteException {
observers.add(observer);
}
/**
* Vertelt de observers dat het model is veranderd.
*/
public void notifyObservers() throws RemoteException {
for (SpelregelsObserver observer : observers) {
observer.modelChanged(this);
}
}
}
| Badmuts/Machiavelli | src/Machiavelli/Models/Spelregels.java | 572 | /**
* Voert de SpelregelsObserver toe aan de lijst met observers.
*/ | block_comment | nl | package Machiavelli.Models;
import java.io.BufferedReader;
import java.io.FileNotFoundException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.Serializable;
import java.rmi.RemoteException;
import java.util.ArrayList;
import Machiavelli.Interfaces.Observers.SpelregelsObserver;
import Machiavelli.Interfaces.Remotes.SpelregelsRemote;
/**
* @author Jamie Kalloe
* De spelregels van Machiavelli zijn opgeslagen in een textdocument, deze
* kunnen op elk moment in het spel aangeroepen worden.
*/
public class Spelregels implements SpelregelsRemote, Serializable {
private ArrayList<SpelregelsObserver> observers = new ArrayList<>();
/**
* Retourneerd de spelregels die zijn opgehaald uit de text file.
*
* @return spelregels String
*/
public String getSpelregels() {
try {
return this.getSpelregelsFromResource("spelregels.txt");
} catch (Exception e) {
e.printStackTrace();
}
return null;
}
/**
* Deze method haalt de spelregels uit een textfile van het opgegeven pad.
*
* @param fileName naam de van de file waar de spelregels in staan.
*/
private String getSpelregelsFromResource(String fileName) throws Exception {
String text = null;
InputStream in = getClass().getResourceAsStream("/Machiavelli/Resources/" + fileName);
BufferedReader input = new BufferedReader(new InputStreamReader(in));
try {
StringBuilder builder = new StringBuilder();
String aux = "";
while ((aux = input.readLine()) != null) {
builder.append(aux + System.getProperty("line.separator"));
}
text = builder.toString();
} catch (FileNotFoundException e) {
e.printStackTrace();
}
input.close();
return text;
}
/**
* Voert de SpelregelsObserver<SUF>*/
public void addObserver(SpelregelsObserver observer) throws RemoteException {
observers.add(observer);
}
/**
* Vertelt de observers dat het model is veranderd.
*/
public void notifyObservers() throws RemoteException {
for (SpelregelsObserver observer : observers) {
observer.modelChanged(this);
}
}
}
|