index
int64 130
4.67k
| file_id
stringlengths 6
9
| content
stringlengths 407
11.9k
| repo
stringlengths 11
72
| path
stringlengths 11
133
| token_length
int64 146
3.59k
| original_comment
stringlengths 17
507
| comment_type
stringclasses 2
values | detected_lang
stringclasses 1
value | prompt
stringlengths 362
11.8k
| Inclusion
stringclasses 1
value | Exclusion
stringclasses 1
value | __index_level_0__
int64 1.95k
2.15k
| file-tokens-Qwen/CodeQwen1.5-7B
int64 146
3.59k
| comment-tokens-Qwen/CodeQwen1.5-7B
int64 6
144
| comment_tail_length_Qwen/CodeQwen1.5-7B
int64 4
101
| file-tokens-bigcode/starcoder2-7b
int64 141
3.69k
| comment-tokens-bigcode/starcoder2-7b
int64 7
145
| comment_tail_length_bigcode/starcoder2-7b
int64 5
104
| file-tokens-google/codegemma-7b
int64 130
3.6k
| comment-tokens-google/codegemma-7b
int64 5
125
| comment_tail_length_google/codegemma-7b
int64 3
82
| file-tokens-ibm-granite/granite-8b-code-base
int64 141
3.69k
| comment-tokens-ibm-granite/granite-8b-code-base
int64 7
145
| comment_tail_length_ibm-granite/granite-8b-code-base
int64 5
104
| file-tokens-meta-llama/CodeLlama-7b-hf
int64 146
3.96k
| comment-tokens-meta-llama/CodeLlama-7b-hf
int64 7
161
| comment_tail_length_meta-llama/CodeLlama-7b-hf
int64 5
106
| excluded-based-on-tokenizer-Qwen/CodeQwen1.5-7B
bool 2
classes | excluded-based-on-tokenizer-bigcode/starcoder2-7b
bool 2
classes | excluded-based-on-tokenizer-google/codegemma-7b
bool 2
classes | excluded-based-on-tokenizer-ibm-granite/granite-8b-code-base
bool 2
classes | excluded-based-on-tokenizer-meta-llama/CodeLlama-7b-hf
bool 2
classes | include-for-inference
bool 2
classes |
---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
882 | 111092_3 | package nl.hva.ict.data.MongoDB;
import com.mongodb.MongoException;
import com.mongodb.client.MongoClient;
import com.mongodb.client.MongoClients;
import com.mongodb.client.MongoCollection;
import com.mongodb.client.MongoDatabase;
import nl.hva.ict.MainApplication;
import nl.hva.ict.data.Data;
import org.bson.Document;
/**
* MongoDB class die de verbinding maakt met de Mongo server
* @author Pieter Leek
*/
public abstract class MongoDB implements Data {
protected MongoCollection<Document> collection;
private MongoClient mongoClient;
private MongoDatabase mongoDatabase;
/**
* Verbind direct met de server als dit object wordt aangemaakt
*/
public MongoDB() {
connect();
}
// connect database
private void connect() {
// Heb je geen gegevens in de MainApplication staan slaat hij het maken van de verbinding over
if (MainApplication.getNosqlHost().equals(""))
return;
// Verbind alleen als er nog geen actieve verbinding is.
if (this.mongoClient == null) {
try {
// Open pijpleiding
this.mongoClient = MongoClients.create(MainApplication.getNosqlHost());
// Selecteer de juiste database
this.mongoDatabase = mongoClient.getDatabase(MainApplication.getNosqlDatabase());
} catch (MongoException e) {
e.printStackTrace();
}
}
}
/**
* Selecteer de juiste collection
* @param collection
*/
public void selectedCollection(String collection) {
this.collection = mongoDatabase.getCollection(collection);
}
}
| JuniorBrPr/DB2V2 | src/nl/hva/ict/data/MongoDB/MongoDB.java | 477 | // Verbind alleen als er nog geen actieve verbinding is. | line_comment | nl | package nl.hva.ict.data.MongoDB;
import com.mongodb.MongoException;
import com.mongodb.client.MongoClient;
import com.mongodb.client.MongoClients;
import com.mongodb.client.MongoCollection;
import com.mongodb.client.MongoDatabase;
import nl.hva.ict.MainApplication;
import nl.hva.ict.data.Data;
import org.bson.Document;
/**
* MongoDB class die de verbinding maakt met de Mongo server
* @author Pieter Leek
*/
public abstract class MongoDB implements Data {
protected MongoCollection<Document> collection;
private MongoClient mongoClient;
private MongoDatabase mongoDatabase;
/**
* Verbind direct met de server als dit object wordt aangemaakt
*/
public MongoDB() {
connect();
}
// connect database
private void connect() {
// Heb je geen gegevens in de MainApplication staan slaat hij het maken van de verbinding over
if (MainApplication.getNosqlHost().equals(""))
return;
// Verbind alleen<SUF>
if (this.mongoClient == null) {
try {
// Open pijpleiding
this.mongoClient = MongoClients.create(MainApplication.getNosqlHost());
// Selecteer de juiste database
this.mongoDatabase = mongoClient.getDatabase(MainApplication.getNosqlDatabase());
} catch (MongoException e) {
e.printStackTrace();
}
}
}
/**
* Selecteer de juiste collection
* @param collection
*/
public void selectedCollection(String collection) {
this.collection = mongoDatabase.getCollection(collection);
}
}
| True | False | 1,952 | 477 | 14 | 12 | 392 | 17 | 15 | 401 | 13 | 11 | 392 | 17 | 15 | 455 | 15 | 13 | false | false | false | false | false | true |
1,899 | 88062_9 | package bin.model;
import java.util.List;
import bin.logic.Field;
import bin.logic.Location;
/**
* A simple model of a grass.
* Grasss age, move, breed, and die.
*
* @author Ieme, Jermo, Yisong
* @version 2012.01.29
*/
public class Grass extends Plant
{
// Characteristics shared by all grass (class variables).
// The age at which a grass can start to breed.
private static int breeding_age = 3;
// The age to which a grass can live.
private static int max_age = 12;
// The likelihood of a grass breeding.
private static double breeding_probability = 0.09;
// The maximum number of births.
private static int max_litter_size = 6;
/**
* Create a new grass. A grass may be created with age
* zero (a new born) or with a random age.
*
* @param randomAge If true, the grass will have a random age.
* @param field The field currently occupied.
* @param location The location within the field.
*/
public Grass(boolean randomAge, Field field, Location location)
{
super(field, location);
setAge(0);
if(randomAge) {
setAge(getRandom().nextInt(max_age));
}
}
/**
* This is what the grass does most of the time - it runs
* around. Sometimes it will breed or die of old age.
* @param newGrasss A list to return newly born grasss.
*/
public void act(List<Actor> newGrass)
{
incrementAge();
if(isAlive()) {
giveBirth(newGrass);
// Try to move into a free location.
Location newLocation = getField().freeAdjacentLocation(getLocation());
if(newLocation != null) {
setLocation(newLocation);
}
else {
// Overcrowding.
setDead();
}
}
}
/**
* Zorgt er voor dat er geen nakomeling worden geboren als er te weinig voesel zijn.
* @return true als genoeg voedsel zijn
* @return false als niet genoeg voedsel zijn
*/
public boolean survivalInstinct()
{
// MainProgram.getSimulator().getSimulatorView().getStats().getPopulation();
return true;
}
/**
* check if grass is surround by grassvirus.
* @return true if it is
*/
/**
* Check whether or not this grass is to give birth at this step.
* New births will be made into free adjacent locations.
* @param newGrasss A list to return newly born grasss.
*/
private void giveBirth(List<Actor> newGrass)
{
// New grasss are born into adjacent locations.
// Get a list of adjacent free locations.
Field field = getField();
List<Location> free = field.getFreeAdjacentLocations(getLocation());
int births = breed();
for(int b = 0; b < births && free.size() > 0; b++) {
Location loc = free.remove(0);
Grass young = new Grass(false, field, loc);
newGrass.add(young);
}
}
/**
* A grass can breed if it has reached the breeding age.
* @return true if the grass can breed, false otherwise.
*/
protected boolean canBreed()
{
return getAge() >= getBreedingAge();
}
/**
* setter voor breeding_age
* @param breeding_age
*/
public static void setBreedingAge(int breeding_age)
{
if (breeding_age >= 0)
Grass.breeding_age = breeding_age;
}
/**
* setter voor max_age
* @param max_age
*/
public static void setMaxAge(int max_age)
{
if (max_age >= 1)
Grass.max_age = max_age;
}
/**
* setter voor breeding_probability
* @param breeding_probability
*/
public static void setBreedingProbability(double breeding_probability)
{
if (breeding_probability >= 0)
Grass.breeding_probability = breeding_probability;
}
/**
* setter voor max_litter_size
* @param max_litter_size
*/
public static void setMaxLitterSize(int max_litter_size)
{
if (max_litter_size >= 1)
Grass.max_litter_size = max_litter_size;
}
/**
* default settings
*/
public static void setDefault()
{
breeding_age = 1;
max_age = 100;
breeding_probability = 0.02;
max_litter_size = 100;
}
/**
* Getter om breeding_age op te halen
*/
protected int getBreedingAge()
{
return breeding_age;
}
/**
* returns the maximum age of a grass can live
* @return int maximum age of a grass can live
*/
protected int getMaxAge()
{
return max_age;
}
/**
* Getter om max_litter_size op te halen
* @return max_litter_size maximum litter
*/
protected int getMaxLitterSize()
{
return max_litter_size;
}
/**
* Getter om breeding_probability op te halen
* @return breeding_probability breeding kansen
*/
protected double getBreedingProbability()
{
return breeding_probability;
}
/**
* getter om grass_infection op te halen
* @return grass_infection
*/
}
| X08/Vossen-en-Konijnen | bin/model/Grass.java | 1,593 | /**
* Zorgt er voor dat er geen nakomeling worden geboren als er te weinig voesel zijn.
* @return true als genoeg voedsel zijn
* @return false als niet genoeg voedsel zijn
*/ | block_comment | nl | package bin.model;
import java.util.List;
import bin.logic.Field;
import bin.logic.Location;
/**
* A simple model of a grass.
* Grasss age, move, breed, and die.
*
* @author Ieme, Jermo, Yisong
* @version 2012.01.29
*/
public class Grass extends Plant
{
// Characteristics shared by all grass (class variables).
// The age at which a grass can start to breed.
private static int breeding_age = 3;
// The age to which a grass can live.
private static int max_age = 12;
// The likelihood of a grass breeding.
private static double breeding_probability = 0.09;
// The maximum number of births.
private static int max_litter_size = 6;
/**
* Create a new grass. A grass may be created with age
* zero (a new born) or with a random age.
*
* @param randomAge If true, the grass will have a random age.
* @param field The field currently occupied.
* @param location The location within the field.
*/
public Grass(boolean randomAge, Field field, Location location)
{
super(field, location);
setAge(0);
if(randomAge) {
setAge(getRandom().nextInt(max_age));
}
}
/**
* This is what the grass does most of the time - it runs
* around. Sometimes it will breed or die of old age.
* @param newGrasss A list to return newly born grasss.
*/
public void act(List<Actor> newGrass)
{
incrementAge();
if(isAlive()) {
giveBirth(newGrass);
// Try to move into a free location.
Location newLocation = getField().freeAdjacentLocation(getLocation());
if(newLocation != null) {
setLocation(newLocation);
}
else {
// Overcrowding.
setDead();
}
}
}
/**
* Zorgt er voor<SUF>*/
public boolean survivalInstinct()
{
// MainProgram.getSimulator().getSimulatorView().getStats().getPopulation();
return true;
}
/**
* check if grass is surround by grassvirus.
* @return true if it is
*/
/**
* Check whether or not this grass is to give birth at this step.
* New births will be made into free adjacent locations.
* @param newGrasss A list to return newly born grasss.
*/
private void giveBirth(List<Actor> newGrass)
{
// New grasss are born into adjacent locations.
// Get a list of adjacent free locations.
Field field = getField();
List<Location> free = field.getFreeAdjacentLocations(getLocation());
int births = breed();
for(int b = 0; b < births && free.size() > 0; b++) {
Location loc = free.remove(0);
Grass young = new Grass(false, field, loc);
newGrass.add(young);
}
}
/**
* A grass can breed if it has reached the breeding age.
* @return true if the grass can breed, false otherwise.
*/
protected boolean canBreed()
{
return getAge() >= getBreedingAge();
}
/**
* setter voor breeding_age
* @param breeding_age
*/
public static void setBreedingAge(int breeding_age)
{
if (breeding_age >= 0)
Grass.breeding_age = breeding_age;
}
/**
* setter voor max_age
* @param max_age
*/
public static void setMaxAge(int max_age)
{
if (max_age >= 1)
Grass.max_age = max_age;
}
/**
* setter voor breeding_probability
* @param breeding_probability
*/
public static void setBreedingProbability(double breeding_probability)
{
if (breeding_probability >= 0)
Grass.breeding_probability = breeding_probability;
}
/**
* setter voor max_litter_size
* @param max_litter_size
*/
public static void setMaxLitterSize(int max_litter_size)
{
if (max_litter_size >= 1)
Grass.max_litter_size = max_litter_size;
}
/**
* default settings
*/
public static void setDefault()
{
breeding_age = 1;
max_age = 100;
breeding_probability = 0.02;
max_litter_size = 100;
}
/**
* Getter om breeding_age op te halen
*/
protected int getBreedingAge()
{
return breeding_age;
}
/**
* returns the maximum age of a grass can live
* @return int maximum age of a grass can live
*/
protected int getMaxAge()
{
return max_age;
}
/**
* Getter om max_litter_size op te halen
* @return max_litter_size maximum litter
*/
protected int getMaxLitterSize()
{
return max_litter_size;
}
/**
* Getter om breeding_probability op te halen
* @return breeding_probability breeding kansen
*/
protected double getBreedingProbability()
{
return breeding_probability;
}
/**
* getter om grass_infection op te halen
* @return grass_infection
*/
}
| True | False | 1,957 | 1,593 | 56 | 40 | 1,441 | 60 | 48 | 1,486 | 49 | 33 | 1,443 | 60 | 48 | 1,646 | 60 | 44 | false | false | false | false | false | true |
3,043 | 70446_1 | package ap.be.backend.security.jwt;
import java.io.IOException;
import javax.servlet.FilterChain;
import javax.servlet.ServletException;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import org.springframework.util.StringUtils;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.beans.factory.annotation.Value;
import org.springframework.security.authentication.UsernamePasswordAuthenticationToken;
import org.springframework.security.core.context.SecurityContextHolder;
import org.springframework.security.core.userdetails.UserDetails;
import org.springframework.security.web.authentication.WebAuthenticationDetailsSource;
import org.springframework.web.filter.OncePerRequestFilter;
import ap.be.backend.security.services.UserDetailsServiceImpl;
public class AuthTokenFilter extends OncePerRequestFilter{
@Autowired
private JwtUtils jwtUtils;
@Autowired
private UserDetailsServiceImpl userDetailsService;
@Value("${Leap.app.tokenBearer}")
private String bearer;
private static final Logger logger = LoggerFactory.getLogger(AuthTokenFilter.class);
/**
* Vraagt de hele request header op om ze daarna te ontleden en de JSON Web Token eruit te halen.
* @param request nodig om de request header te kunnen aanvragen.
* @return geeft de JSON Web Token terug.
*/
private String parseJwt(HttpServletRequest request) {
String headerAuth = request.getHeader("Authorization");
if(StringUtils.hasText(headerAuth) && headerAuth.startsWith(bearer + " ")) {
return headerAuth.substring(7, headerAuth.length());
}
return null;
}
/**
* Controleert of de gebruiker en token bij elkaar horen.
* @param request interface dat wordt gebruikt om authenticatie details aan te vragen.
* @param response interface dat wordt gebruikt om HTTP specifieke functionaliteiten binnen te krijgen.
* @param filterChain vuurt de volgende filter in de kettingreactie af.
* @throws ServletException wordt afgevuurd bij een algemene fout.
* @throws IOException wordt afgevuurd bij gefaalde of onderbroken i/o processen.
*/
@Override
protected void doFilterInternal(HttpServletRequest request, HttpServletResponse response, FilterChain filterChain)
throws ServletException, IOException {
try {
String jwt = parseJwt(request);
if(jwt != null && jwtUtils.validateJwtToken(jwt)) {
String username = jwtUtils.getUserNameFromJwtToken(jwt);
UserDetails userDetails = userDetailsService.loadUserByUsername(username);
UsernamePasswordAuthenticationToken authentication = new UsernamePasswordAuthenticationToken(userDetails, null, userDetails.getAuthorities());
authentication.setDetails(new WebAuthenticationDetailsSource().buildDetails(request));
SecurityContextHolder.getContext().setAuthentication(authentication);
}
} catch (Exception e) {
logger.error("Cannot set user authentication: {}", e);
}
filterChain.doFilter(request, response);
}
}
| iDeebSee/LEAP | backend/src/main/java/ap/be/backend/security/jwt/AuthTokenFilter.java | 845 | /**
* Controleert of de gebruiker en token bij elkaar horen.
* @param request interface dat wordt gebruikt om authenticatie details aan te vragen.
* @param response interface dat wordt gebruikt om HTTP specifieke functionaliteiten binnen te krijgen.
* @param filterChain vuurt de volgende filter in de kettingreactie af.
* @throws ServletException wordt afgevuurd bij een algemene fout.
* @throws IOException wordt afgevuurd bij gefaalde of onderbroken i/o processen.
*/ | block_comment | nl | package ap.be.backend.security.jwt;
import java.io.IOException;
import javax.servlet.FilterChain;
import javax.servlet.ServletException;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import org.springframework.util.StringUtils;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.beans.factory.annotation.Value;
import org.springframework.security.authentication.UsernamePasswordAuthenticationToken;
import org.springframework.security.core.context.SecurityContextHolder;
import org.springframework.security.core.userdetails.UserDetails;
import org.springframework.security.web.authentication.WebAuthenticationDetailsSource;
import org.springframework.web.filter.OncePerRequestFilter;
import ap.be.backend.security.services.UserDetailsServiceImpl;
public class AuthTokenFilter extends OncePerRequestFilter{
@Autowired
private JwtUtils jwtUtils;
@Autowired
private UserDetailsServiceImpl userDetailsService;
@Value("${Leap.app.tokenBearer}")
private String bearer;
private static final Logger logger = LoggerFactory.getLogger(AuthTokenFilter.class);
/**
* Vraagt de hele request header op om ze daarna te ontleden en de JSON Web Token eruit te halen.
* @param request nodig om de request header te kunnen aanvragen.
* @return geeft de JSON Web Token terug.
*/
private String parseJwt(HttpServletRequest request) {
String headerAuth = request.getHeader("Authorization");
if(StringUtils.hasText(headerAuth) && headerAuth.startsWith(bearer + " ")) {
return headerAuth.substring(7, headerAuth.length());
}
return null;
}
/**
* Controleert of de<SUF>*/
@Override
protected void doFilterInternal(HttpServletRequest request, HttpServletResponse response, FilterChain filterChain)
throws ServletException, IOException {
try {
String jwt = parseJwt(request);
if(jwt != null && jwtUtils.validateJwtToken(jwt)) {
String username = jwtUtils.getUserNameFromJwtToken(jwt);
UserDetails userDetails = userDetailsService.loadUserByUsername(username);
UsernamePasswordAuthenticationToken authentication = new UsernamePasswordAuthenticationToken(userDetails, null, userDetails.getAuthorities());
authentication.setDetails(new WebAuthenticationDetailsSource().buildDetails(request));
SecurityContextHolder.getContext().setAuthentication(authentication);
}
} catch (Exception e) {
logger.error("Cannot set user authentication: {}", e);
}
filterChain.doFilter(request, response);
}
}
| True | False | 1,962 | 845 | 132 | 96 | 724 | 129 | 102 | 731 | 118 | 82 | 724 | 129 | 102 | 839 | 142 | 106 | true | false | true | false | true | false |
348 | 56970_2 | /*
* Commons eID Project.
* Copyright (C) 2008-2013 FedICT.
*
* This is free software; you can redistribute it and/or modify it
* under the terms of the GNU Lesser General Public License version
* 3.0 as published by the Free Software Foundation.
*
* This software is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
* Lesser General Public License for more details.
*
* You should have received a copy of the GNU Lesser General Public
* License along with this software; if not, see
* http://www.gnu.org/licenses/.
*/
package be.fedict.commons.eid.consumer;
import java.io.Serializable;
import java.util.HashMap;
import java.util.Map;
/**
* Enumeration for eID Document Type.
*
* @author Frank Cornelis
*
*/
public enum DocumentType implements Serializable {
BELGIAN_CITIZEN("1"),
KIDS_CARD("6"),
BOOTSTRAP_CARD("7"),
HABILITATION_CARD("8"),
/**
* Bewijs van inschrijving in het vreemdelingenregister ??? Tijdelijk
* verblijf
*/
FOREIGNER_A("11"),
/**
* Bewijs van inschrijving in het vreemdelingenregister
*/
FOREIGNER_B("12"),
/**
* Identiteitskaart voor vreemdeling
*/
FOREIGNER_C("13"),
/**
* EG-Langdurig ingezetene
*/
FOREIGNER_D("14"),
/**
* (Verblijfs)kaart van een onderdaan van een lidstaat der EEG Verklaring
* van inschrijving
*/
FOREIGNER_E("15"),
/**
* Document ter staving van duurzaam verblijf van een EU onderdaan
*/
FOREIGNER_E_PLUS("16"),
/**
* Kaart voor niet-EU familieleden van een EU-onderdaan of van een Belg
* Verblijfskaart van een familielid van een burger van de Unie
*/
FOREIGNER_F("17"),
/**
* Duurzame verblijfskaart van een familielid van een burger van de Unie
*/
FOREIGNER_F_PLUS("18"),
/**
* H. Europese blauwe kaart. Toegang en verblijf voor onderdanen van derde
* landen.
*/
EUROPEAN_BLUE_CARD_H("19");
private final int key;
private DocumentType(final String value) {
this.key = toKey(value);
}
private int toKey(final String value) {
final char c1 = value.charAt(0);
int key = c1 - '0';
if (2 == value.length()) {
key *= 10;
final char c2 = value.charAt(1);
key += c2 - '0';
}
return key;
}
private static int toKey(final byte[] value) {
int key = value[0] - '0';
if (2 == value.length) {
key *= 10;
key += value[1] - '0';
}
return key;
}
private static Map<Integer, DocumentType> documentTypes;
static {
final Map<Integer, DocumentType> documentTypes = new HashMap<Integer, DocumentType>();
for (DocumentType documentType : DocumentType.values()) {
final int encodedValue = documentType.key;
if (documentTypes.containsKey(encodedValue)) {
throw new RuntimeException("duplicate document type enum: "
+ encodedValue);
}
documentTypes.put(encodedValue, documentType);
}
DocumentType.documentTypes = documentTypes;
}
public int getKey() {
return this.key;
}
public static DocumentType toDocumentType(final byte[] value) {
final int key = DocumentType.toKey(value);
final DocumentType documentType = DocumentType.documentTypes.get(key);
/*
* If the key is unknown, we simply return null.
*/
return documentType;
}
public static String toString(final byte[] documentTypeValue) {
return Integer.toString(DocumentType.toKey(documentTypeValue));
}
}
| Corilus/commons-eid | commons-eid-consumer/src/main/java/be/fedict/commons/eid/consumer/DocumentType.java | 1,169 | /**
* Bewijs van inschrijving in het vreemdelingenregister ??? Tijdelijk
* verblijf
*/ | block_comment | nl | /*
* Commons eID Project.
* Copyright (C) 2008-2013 FedICT.
*
* This is free software; you can redistribute it and/or modify it
* under the terms of the GNU Lesser General Public License version
* 3.0 as published by the Free Software Foundation.
*
* This software is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
* Lesser General Public License for more details.
*
* You should have received a copy of the GNU Lesser General Public
* License along with this software; if not, see
* http://www.gnu.org/licenses/.
*/
package be.fedict.commons.eid.consumer;
import java.io.Serializable;
import java.util.HashMap;
import java.util.Map;
/**
* Enumeration for eID Document Type.
*
* @author Frank Cornelis
*
*/
public enum DocumentType implements Serializable {
BELGIAN_CITIZEN("1"),
KIDS_CARD("6"),
BOOTSTRAP_CARD("7"),
HABILITATION_CARD("8"),
/**
* Bewijs van inschrijving<SUF>*/
FOREIGNER_A("11"),
/**
* Bewijs van inschrijving in het vreemdelingenregister
*/
FOREIGNER_B("12"),
/**
* Identiteitskaart voor vreemdeling
*/
FOREIGNER_C("13"),
/**
* EG-Langdurig ingezetene
*/
FOREIGNER_D("14"),
/**
* (Verblijfs)kaart van een onderdaan van een lidstaat der EEG Verklaring
* van inschrijving
*/
FOREIGNER_E("15"),
/**
* Document ter staving van duurzaam verblijf van een EU onderdaan
*/
FOREIGNER_E_PLUS("16"),
/**
* Kaart voor niet-EU familieleden van een EU-onderdaan of van een Belg
* Verblijfskaart van een familielid van een burger van de Unie
*/
FOREIGNER_F("17"),
/**
* Duurzame verblijfskaart van een familielid van een burger van de Unie
*/
FOREIGNER_F_PLUS("18"),
/**
* H. Europese blauwe kaart. Toegang en verblijf voor onderdanen van derde
* landen.
*/
EUROPEAN_BLUE_CARD_H("19");
private final int key;
private DocumentType(final String value) {
this.key = toKey(value);
}
private int toKey(final String value) {
final char c1 = value.charAt(0);
int key = c1 - '0';
if (2 == value.length()) {
key *= 10;
final char c2 = value.charAt(1);
key += c2 - '0';
}
return key;
}
private static int toKey(final byte[] value) {
int key = value[0] - '0';
if (2 == value.length) {
key *= 10;
key += value[1] - '0';
}
return key;
}
private static Map<Integer, DocumentType> documentTypes;
static {
final Map<Integer, DocumentType> documentTypes = new HashMap<Integer, DocumentType>();
for (DocumentType documentType : DocumentType.values()) {
final int encodedValue = documentType.key;
if (documentTypes.containsKey(encodedValue)) {
throw new RuntimeException("duplicate document type enum: "
+ encodedValue);
}
documentTypes.put(encodedValue, documentType);
}
DocumentType.documentTypes = documentTypes;
}
public int getKey() {
return this.key;
}
public static DocumentType toDocumentType(final byte[] value) {
final int key = DocumentType.toKey(value);
final DocumentType documentType = DocumentType.documentTypes.get(key);
/*
* If the key is unknown, we simply return null.
*/
return documentType;
}
public static String toString(final byte[] documentTypeValue) {
return Integer.toString(DocumentType.toKey(documentTypeValue));
}
}
| True | False | 1,967 | 1,169 | 33 | 21 | 1,108 | 32 | 24 | 1,073 | 27 | 16 | 1,108 | 32 | 24 | 1,275 | 34 | 22 | false | false | false | false | false | true |
307 | 97783_17 | /**
* Copyright (C) 2012 GridLine <[email protected]>
*
* Licensed to the Apache Software Foundation (ASF) under one
* or more contributor license agreements. See the NOTICE file
* distributed with this work for additional information
* regarding copyright ownership. The ASF licenses this file
* to you 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
*
*/
package nl.gridline.model.upr;
import java.util.Date;
import java.util.NavigableMap;
import javax.xml.bind.annotation.XmlAccessType;
import javax.xml.bind.annotation.XmlAccessorType;
import javax.xml.bind.annotation.XmlElement;
import javax.xml.bind.annotation.XmlRootElement;
import nl.gridline.zieook.api.Updatable;
/**
* Tracks what url's a user has visited in the UPR, specifically it tracks the URL's of collection items.
* <p />
* Project upr-api<br />
* Visited.java created 7 dec. 2011
* <p />
* Copyright, all rights reserved 2011 GridLine Amsterdam
* @author <a href="mailto:[email protected]">Job</a>
* @version $Revision:$, $Date:$
*/
@XmlRootElement(name = "visited")
@XmlAccessorType(XmlAccessType.FIELD)
public class Visit extends EventLog implements Updatable<Visit>
{
@XmlElement(name = "recommender")
private String recommender;
@XmlElement(name = "recommender-apikey")
private String apikey;
@XmlElement(name = "url")
private String url;
@XmlElement(name = "user_id")
private Long userId;
@XmlElement(name = "content_provider")
private String cp;
/**
*
*/
private static final long serialVersionUID = 3593628095422562232L;
public Visit()
{
}
/**
* @param cp
* @param url
* @param userId
*/
public Visit(String recommender, String url, String cp, Long userId)
{
this.userId = userId;
this.cp = cp;
this.recommender = recommender;
this.url = url;
}
public Visit(String recommender, String url, String cp, Long userId, Date created, Date updated)
{
super(created, updated);
this.userId = userId;
this.cp = cp;
this.recommender = recommender;
this.url = url;
}
public Visit(NavigableMap<byte[], byte[]> map)
{
super(map);
userId = ModelConstants.getUserId(map);
url = ModelConstants.getUrl(map);
recommender = ModelConstants.getRecommender(map);
apikey = ModelConstants.getApiKey(map);
cp = ModelConstants.getCp(map);
}
/*
* (non-Javadoc)
*
* @see nl.gridline.model.upr.EventLog#toMap()
*/
@Override
public NavigableMap<byte[], byte[]> toMap()
{
NavigableMap<byte[], byte[]> map = super.toMap();
return toMap(map);
}
/*
* (non-Javadoc)
*
* @see nl.gridline.model.upr.EventLog#toMap(java.util.NavigableMap)
*/
@Override
public NavigableMap<byte[], byte[]> toMap(NavigableMap<byte[], byte[]> map)
{
super.toMap(map);
ModelConstants.putUserId(map, userId);
ModelConstants.putUrl(map, url);
ModelConstants.putRecommender(map, recommender);
ModelConstants.putApiKey(map, apikey);
ModelConstants.putCp(map, cp);
return map;
}
/*
* (non-Javadoc)
*
* @see nl.gridline.zieook.api.Updatable#update(java.lang.Object)
*/
@Override
public Visit update(Visit updates)
{
if (updates == null)
{
return this;
}
super.update(updates);
if (updates.apikey != null)
{
apikey = updates.apikey;
}
if (updates.url != null)
{
url = updates.url;
}
if (updates.recommender != null)
{
recommender = updates.recommender;
}
if (updates.userId != null)
{
userId = updates.userId;
}
if (updates.cp != null)
{
cp = updates.cp;
}
return this;
}
/**
* @return The recommender.
*/
public String getRecommender()
{
return recommender;
}
/**
* @param recommender The cp to set.
*/
public void setRecommender(String recommender)
{
this.recommender = recommender;
}
/**
* @return The url.
*/
public String getUrl()
{
return url;
}
/**
* @param url The url to set.
*/
public void setUrl(String url)
{
this.url = url;
}
/**
* @return The userId.
*/
public Long getUserId()
{
return userId;
}
/**
* @param userId The userId to set.
*/
public void setUserId(Long userId)
{
this.userId = userId;
}
/**
* @return The apikey.
*/
public String getApikey()
{
return apikey;
}
/**
* @param apikey The apikey to set.
*/
public void setApikey(String apikey)
{
this.apikey = apikey;
}
public String getCp()
{
return cp;
}
public void setCp(String cp)
{
this.cp = cp;
}
/*
* (non-Javadoc)
*
* @see java.lang.Object#hashCode()
*/
@Override
public int hashCode()
{
final int prime = 31;
int result = super.hashCode();
result = prime * result + ((apikey == null) ? 0 : apikey.hashCode());
result = prime * result + ((cp == null) ? 0 : cp.hashCode());
result = prime * result + ((recommender == null) ? 0 : recommender.hashCode());
result = prime * result + ((url == null) ? 0 : url.hashCode());
result = prime * result + ((userId == null) ? 0 : userId.hashCode());
return result;
}
/*
* (non-Javadoc)
*
* @see java.lang.Object#equals(java.lang.Object)
*/
@Override
public boolean equals(Object obj)
{
if (this == obj)
{
return true;
}
if (!super.equals(obj))
{
return false;
}
if (getClass() != obj.getClass())
{
return false;
}
Visit other = (Visit) obj;
if (apikey == null)
{
if (other.apikey != null)
{
return false;
}
}
else if (!apikey.equals(other.apikey))
{
return false;
}
if (cp == null)
{
if (other.cp != null)
{
return false;
}
}
else if (!cp.equals(other.cp))
{
return false;
}
if (recommender == null)
{
if (other.recommender != null)
{
return false;
}
}
else if (!recommender.equals(other.recommender))
{
return false;
}
if (url == null)
{
if (other.url != null)
{
return false;
}
}
else if (!url.equals(other.url))
{
return false;
}
if (userId == null)
{
if (other.userId != null)
{
return false;
}
}
else if (!userId.equals(other.userId))
{
return false;
}
return true;
}
// naam van instelling
// URL waarop actie is uitgevoerd
// Timestamp van actie
}
| CatchPlus/User-Profile-Repository | upr-api/src/main/java/nl/gridline/model/upr/Visit.java | 2,436 | // URL waarop actie is uitgevoerd | line_comment | nl | /**
* Copyright (C) 2012 GridLine <[email protected]>
*
* Licensed to the Apache Software Foundation (ASF) under one
* or more contributor license agreements. See the NOTICE file
* distributed with this work for additional information
* regarding copyright ownership. The ASF licenses this file
* to you 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
*
*/
package nl.gridline.model.upr;
import java.util.Date;
import java.util.NavigableMap;
import javax.xml.bind.annotation.XmlAccessType;
import javax.xml.bind.annotation.XmlAccessorType;
import javax.xml.bind.annotation.XmlElement;
import javax.xml.bind.annotation.XmlRootElement;
import nl.gridline.zieook.api.Updatable;
/**
* Tracks what url's a user has visited in the UPR, specifically it tracks the URL's of collection items.
* <p />
* Project upr-api<br />
* Visited.java created 7 dec. 2011
* <p />
* Copyright, all rights reserved 2011 GridLine Amsterdam
* @author <a href="mailto:[email protected]">Job</a>
* @version $Revision:$, $Date:$
*/
@XmlRootElement(name = "visited")
@XmlAccessorType(XmlAccessType.FIELD)
public class Visit extends EventLog implements Updatable<Visit>
{
@XmlElement(name = "recommender")
private String recommender;
@XmlElement(name = "recommender-apikey")
private String apikey;
@XmlElement(name = "url")
private String url;
@XmlElement(name = "user_id")
private Long userId;
@XmlElement(name = "content_provider")
private String cp;
/**
*
*/
private static final long serialVersionUID = 3593628095422562232L;
public Visit()
{
}
/**
* @param cp
* @param url
* @param userId
*/
public Visit(String recommender, String url, String cp, Long userId)
{
this.userId = userId;
this.cp = cp;
this.recommender = recommender;
this.url = url;
}
public Visit(String recommender, String url, String cp, Long userId, Date created, Date updated)
{
super(created, updated);
this.userId = userId;
this.cp = cp;
this.recommender = recommender;
this.url = url;
}
public Visit(NavigableMap<byte[], byte[]> map)
{
super(map);
userId = ModelConstants.getUserId(map);
url = ModelConstants.getUrl(map);
recommender = ModelConstants.getRecommender(map);
apikey = ModelConstants.getApiKey(map);
cp = ModelConstants.getCp(map);
}
/*
* (non-Javadoc)
*
* @see nl.gridline.model.upr.EventLog#toMap()
*/
@Override
public NavigableMap<byte[], byte[]> toMap()
{
NavigableMap<byte[], byte[]> map = super.toMap();
return toMap(map);
}
/*
* (non-Javadoc)
*
* @see nl.gridline.model.upr.EventLog#toMap(java.util.NavigableMap)
*/
@Override
public NavigableMap<byte[], byte[]> toMap(NavigableMap<byte[], byte[]> map)
{
super.toMap(map);
ModelConstants.putUserId(map, userId);
ModelConstants.putUrl(map, url);
ModelConstants.putRecommender(map, recommender);
ModelConstants.putApiKey(map, apikey);
ModelConstants.putCp(map, cp);
return map;
}
/*
* (non-Javadoc)
*
* @see nl.gridline.zieook.api.Updatable#update(java.lang.Object)
*/
@Override
public Visit update(Visit updates)
{
if (updates == null)
{
return this;
}
super.update(updates);
if (updates.apikey != null)
{
apikey = updates.apikey;
}
if (updates.url != null)
{
url = updates.url;
}
if (updates.recommender != null)
{
recommender = updates.recommender;
}
if (updates.userId != null)
{
userId = updates.userId;
}
if (updates.cp != null)
{
cp = updates.cp;
}
return this;
}
/**
* @return The recommender.
*/
public String getRecommender()
{
return recommender;
}
/**
* @param recommender The cp to set.
*/
public void setRecommender(String recommender)
{
this.recommender = recommender;
}
/**
* @return The url.
*/
public String getUrl()
{
return url;
}
/**
* @param url The url to set.
*/
public void setUrl(String url)
{
this.url = url;
}
/**
* @return The userId.
*/
public Long getUserId()
{
return userId;
}
/**
* @param userId The userId to set.
*/
public void setUserId(Long userId)
{
this.userId = userId;
}
/**
* @return The apikey.
*/
public String getApikey()
{
return apikey;
}
/**
* @param apikey The apikey to set.
*/
public void setApikey(String apikey)
{
this.apikey = apikey;
}
public String getCp()
{
return cp;
}
public void setCp(String cp)
{
this.cp = cp;
}
/*
* (non-Javadoc)
*
* @see java.lang.Object#hashCode()
*/
@Override
public int hashCode()
{
final int prime = 31;
int result = super.hashCode();
result = prime * result + ((apikey == null) ? 0 : apikey.hashCode());
result = prime * result + ((cp == null) ? 0 : cp.hashCode());
result = prime * result + ((recommender == null) ? 0 : recommender.hashCode());
result = prime * result + ((url == null) ? 0 : url.hashCode());
result = prime * result + ((userId == null) ? 0 : userId.hashCode());
return result;
}
/*
* (non-Javadoc)
*
* @see java.lang.Object#equals(java.lang.Object)
*/
@Override
public boolean equals(Object obj)
{
if (this == obj)
{
return true;
}
if (!super.equals(obj))
{
return false;
}
if (getClass() != obj.getClass())
{
return false;
}
Visit other = (Visit) obj;
if (apikey == null)
{
if (other.apikey != null)
{
return false;
}
}
else if (!apikey.equals(other.apikey))
{
return false;
}
if (cp == null)
{
if (other.cp != null)
{
return false;
}
}
else if (!cp.equals(other.cp))
{
return false;
}
if (recommender == null)
{
if (other.recommender != null)
{
return false;
}
}
else if (!recommender.equals(other.recommender))
{
return false;
}
if (url == null)
{
if (other.url != null)
{
return false;
}
}
else if (!url.equals(other.url))
{
return false;
}
if (userId == null)
{
if (other.userId != null)
{
return false;
}
}
else if (!userId.equals(other.userId))
{
return false;
}
return true;
}
// naam van instelling
// URL waarop<SUF>
// Timestamp van actie
}
| True | False | 1,970 | 2,436 | 10 | 9 | 2,244 | 11 | 10 | 2,281 | 6 | 5 | 2,244 | 11 | 10 | 2,671 | 11 | 10 | false | false | false | false | false | true |
1,336 | 83193_1 | package customComponents;
import java.io.File;
import java.io.IOException;
import java.nio.charset.Charset;
import java.nio.charset.StandardCharsets;
import java.nio.file.Files;
import java.nio.file.Path;
import java.nio.file.Paths;
import java.util.ArrayList;
import java.util.List;
import javax.swing.JOptionPane;
public class Filehandling {
final static Charset ENCODING = StandardCharsets.UTF_8;
public Filehandling(){
}
//route uitlezen uit een file en de file controleren
public Filedata readRouteFile(String aFileName){
Path path = Paths.get(aFileName);
try {
List<String> routebestand = Files.readAllLines(path, ENCODING);
if(routebestand.size() == 0 || !routebestand.get(0).contains("broboticsrouteplanner")){
JOptionPane.showConfirmDialog(null, "Route niet geldig!", "Alert: " + "Fout", JOptionPane.INFORMATION_MESSAGE);
System.out.println("Route bestand niet geldig!");
}else{
String[] sizesplitarray = routebestand.get(1).split(",");
String[] corsplitarray = routebestand.get(2).split(";");
String[] stepsplitarray = routebestand.get(3).split(",");
ArrayList<ArrayList<Integer>> corarray = new ArrayList<ArrayList<Integer>>();
ArrayList<Character> steps = new ArrayList<Character>();
Filedata file = new Filedata();
file.setColumns(Integer.parseInt(sizesplitarray[1]));
file.setRows(Integer.parseInt(sizesplitarray[0]));
for(String cor:corsplitarray){
String[] temparray = cor.split(",");
corarray.add(new ArrayList<Integer>());
corarray.get(corarray.size()-1).add(0, Integer.parseInt(temparray[0]));
corarray.get(corarray.size()-1).add(1, Integer.parseInt(temparray[1]));
}
for(String step:stepsplitarray){
steps.add(step.toCharArray()[0]);
}
file.setCordinates(corarray);
file.setSteps(steps);
System.out.println(file.getCordinates());
return file;
}
} catch (IOException e) {
JOptionPane.showMessageDialog(null, "Route niet geldig!", "Alert: " + "Fout", JOptionPane.INFORMATION_MESSAGE);
System.out.println("Route bestand niet geldig!");
}
return null;
}
//route file schrijven
public void writeRouteFile(int maxx, int maxy, ArrayList<ArrayList<Integer>> route, ArrayList<Character> steps, String aFileName){
Path path = Paths.get(aFileName);
List<String> file = new ArrayList<String>();
String routestring = "";
for(ArrayList<Integer> cor:route){
routestring += cor.get(0) + "," + cor.get(1) + ";" ;
}
String stepstring = "";
for(Character c:steps){
stepstring += c +",";
}
file.add("broboticsrouteplanner");
file.add(maxx+","+maxy);
file.add(routestring);
file.add(stepstring);
try {
Files.write(path, file, ENCODING);
} catch (IOException e) {
e.printStackTrace();
}
}
//nieuwe routefile aanmaken
public void createRouteFile(String filename, List<String> aLines, String aFileName) throws IOException {
File file = new File("example.txt");
Path path = Paths.get(aFileName);
Files.write(path, aLines, ENCODING);
}
}
| ProjectgroepA8/BroBot | gui/customComponents/Filehandling.java | 1,100 | //route file schrijven | line_comment | nl | package customComponents;
import java.io.File;
import java.io.IOException;
import java.nio.charset.Charset;
import java.nio.charset.StandardCharsets;
import java.nio.file.Files;
import java.nio.file.Path;
import java.nio.file.Paths;
import java.util.ArrayList;
import java.util.List;
import javax.swing.JOptionPane;
public class Filehandling {
final static Charset ENCODING = StandardCharsets.UTF_8;
public Filehandling(){
}
//route uitlezen uit een file en de file controleren
public Filedata readRouteFile(String aFileName){
Path path = Paths.get(aFileName);
try {
List<String> routebestand = Files.readAllLines(path, ENCODING);
if(routebestand.size() == 0 || !routebestand.get(0).contains("broboticsrouteplanner")){
JOptionPane.showConfirmDialog(null, "Route niet geldig!", "Alert: " + "Fout", JOptionPane.INFORMATION_MESSAGE);
System.out.println("Route bestand niet geldig!");
}else{
String[] sizesplitarray = routebestand.get(1).split(",");
String[] corsplitarray = routebestand.get(2).split(";");
String[] stepsplitarray = routebestand.get(3).split(",");
ArrayList<ArrayList<Integer>> corarray = new ArrayList<ArrayList<Integer>>();
ArrayList<Character> steps = new ArrayList<Character>();
Filedata file = new Filedata();
file.setColumns(Integer.parseInt(sizesplitarray[1]));
file.setRows(Integer.parseInt(sizesplitarray[0]));
for(String cor:corsplitarray){
String[] temparray = cor.split(",");
corarray.add(new ArrayList<Integer>());
corarray.get(corarray.size()-1).add(0, Integer.parseInt(temparray[0]));
corarray.get(corarray.size()-1).add(1, Integer.parseInt(temparray[1]));
}
for(String step:stepsplitarray){
steps.add(step.toCharArray()[0]);
}
file.setCordinates(corarray);
file.setSteps(steps);
System.out.println(file.getCordinates());
return file;
}
} catch (IOException e) {
JOptionPane.showMessageDialog(null, "Route niet geldig!", "Alert: " + "Fout", JOptionPane.INFORMATION_MESSAGE);
System.out.println("Route bestand niet geldig!");
}
return null;
}
//route file<SUF>
public void writeRouteFile(int maxx, int maxy, ArrayList<ArrayList<Integer>> route, ArrayList<Character> steps, String aFileName){
Path path = Paths.get(aFileName);
List<String> file = new ArrayList<String>();
String routestring = "";
for(ArrayList<Integer> cor:route){
routestring += cor.get(0) + "," + cor.get(1) + ";" ;
}
String stepstring = "";
for(Character c:steps){
stepstring += c +",";
}
file.add("broboticsrouteplanner");
file.add(maxx+","+maxy);
file.add(routestring);
file.add(stepstring);
try {
Files.write(path, file, ENCODING);
} catch (IOException e) {
e.printStackTrace();
}
}
//nieuwe routefile aanmaken
public void createRouteFile(String filename, List<String> aLines, String aFileName) throws IOException {
File file = new File("example.txt");
Path path = Paths.get(aFileName);
Files.write(path, aLines, ENCODING);
}
}
| True | False | 1,971 | 1,100 | 6 | 4 | 931 | 7 | 5 | 954 | 5 | 3 | 931 | 7 | 5 | 1,150 | 7 | 5 | false | false | false | false | false | true |
1,863 | 71894_2 | package Domain.Task;
import Domain.DataClasses.Time;
import Domain.User.Role;
import Domain.User.User;
import Domain.User.UserAlreadyAssignedToTaskException;
/**
* Task state class governing the task transitions from the PENDING state
*/
public class PendingState implements TaskState {
@Override
public void start(Task task, Time startTime, User currentUser, Role role) throws IncorrectTaskStatusException, IncorrectRoleException, UserAlreadyAssignedToTaskException {
if (!task.getUnfulfilledRoles().contains(role)) {
throw new IncorrectRoleException("Given role is not required in this task");
}
for (Task prevTask : task.getPrevTasks()) {
if (prevTask.getEndTime() == null || prevTask.getEndTime().after(startTime)) {
throw new IncorrectTaskStatusException("Start time is before end time previous task");
}
}
currentUser.assignTask(task, role);
task.commitUser(currentUser, role);
if (task.getUnfulfilledRoles().size() == 0) {
task.setState(new ExecutingState());
task.setStartTime(startTime);
} else {
task.setState(new PendingState());
// als user al op deze task werkte als enige kan het zijn dat de status
// terug available wordt bij het verwijderen van deze
}
}
@Override
public void undoStart(Task task) {
if (task.getCommittedUsers().size() - 1 == 0) {
task.setState(new AvailableState());
}
}
@Override
public Status getStatus() {
return Status.PENDING;
}
@Override
public void unassignUser(Task task, User user) {
task.uncommitUser(user);
if (task.getCommittedUsers().size() == 0) {
task.setState(new AvailableState());
}
}
@Override
public String toString() {
return getStatus().toString();
}
}
| WardGr/SWOP | src/Domain/Task/PendingState.java | 522 | // terug available wordt bij het verwijderen van deze | line_comment | nl | package Domain.Task;
import Domain.DataClasses.Time;
import Domain.User.Role;
import Domain.User.User;
import Domain.User.UserAlreadyAssignedToTaskException;
/**
* Task state class governing the task transitions from the PENDING state
*/
public class PendingState implements TaskState {
@Override
public void start(Task task, Time startTime, User currentUser, Role role) throws IncorrectTaskStatusException, IncorrectRoleException, UserAlreadyAssignedToTaskException {
if (!task.getUnfulfilledRoles().contains(role)) {
throw new IncorrectRoleException("Given role is not required in this task");
}
for (Task prevTask : task.getPrevTasks()) {
if (prevTask.getEndTime() == null || prevTask.getEndTime().after(startTime)) {
throw new IncorrectTaskStatusException("Start time is before end time previous task");
}
}
currentUser.assignTask(task, role);
task.commitUser(currentUser, role);
if (task.getUnfulfilledRoles().size() == 0) {
task.setState(new ExecutingState());
task.setStartTime(startTime);
} else {
task.setState(new PendingState());
// als user al op deze task werkte als enige kan het zijn dat de status
// terug available<SUF>
}
}
@Override
public void undoStart(Task task) {
if (task.getCommittedUsers().size() - 1 == 0) {
task.setState(new AvailableState());
}
}
@Override
public Status getStatus() {
return Status.PENDING;
}
@Override
public void unassignUser(Task task, User user) {
task.uncommitUser(user);
if (task.getCommittedUsers().size() == 0) {
task.setState(new AvailableState());
}
}
@Override
public String toString() {
return getStatus().toString();
}
}
| True | False | 1,972 | 522 | 13 | 12 | 447 | 13 | 12 | 477 | 9 | 8 | 447 | 13 | 12 | 529 | 12 | 11 | false | false | false | false | false | true |
1,255 | 62851_21 | /*_x000D_
* To change this license header, choose License Headers in Project Properties._x000D_
* To change this template file, choose Tools | Templates_x000D_
* and open the template in the editor._x000D_
*/_x000D_
package conversion.pdf.util;_x000D_
_x000D_
import java.io.ByteArrayInputStream;_x000D_
import java.io.ByteArrayOutputStream;_x000D_
import java.io.IOException;_x000D_
import java.io.ObjectInputStream;_x000D_
import java.io.ObjectOutputStream;_x000D_
import java.util.ArrayList;_x000D_
import objects.PPTObject;_x000D_
import org.apache.pdfbox.cos.COSStream;_x000D_
import org.apache.pdfbox.pdmodel.PDPage;_x000D_
import org.apache.pdfbox.pdmodel.PDResources;_x000D_
import org.apache.pdfbox.util.PDFTextStripper;_x000D_
import org.apache.pdfbox.util.TextPosition;_x000D_
_x000D_
/**_x000D_
* TextExtractor overrides certain methodes from PDFTextStripper in order to put_x000D_
* information in the arrayList of PPTObjects objecten._x000D_
*_x000D_
* @author Gertjan_x000D_
*/_x000D_
public class PDFTextExtractor extends PDFTextStripper {_x000D_
_x000D_
private TekenPlus teken = new TekenPlus();_x000D_
private ArrayList<TekenPlus> woord = new ArrayList<>();_x000D_
private boolean isNewWord = true;_x000D_
private ArrayList<PPTObject> objecten = new ArrayList<>();_x000D_
private Info2Object Inf2Obj = new Info2Object();_x000D_
_x000D_
public TekenPlus getTekenPlus() {_x000D_
return this.teken;_x000D_
}_x000D_
/*get geeft niet alleen de objecten terug maar maakt de lijst ook weer leeg, dit is zodat je telkens je ze ophaalt_x000D_
je een hele pagina ophaalt... */_x000D_
_x000D_
public ArrayList<PPTObject> getObjecten() {_x000D_
try {_x000D_
return objecten;_x000D_
} finally {_x000D_
objecten = new ArrayList<>();_x000D_
}_x000D_
_x000D_
}_x000D_
_x000D_
@Override_x000D_
public void processStream(PDPage aPage, PDResources resources, COSStream cosStream) throws IOException {_x000D_
super.processStream(aPage, resources, cosStream); //To change body of generated methods, choose Tools | Templates._x000D_
//en dan een persoonlijke naverwerking:_x000D_
objecten.add(Inf2Obj.convert(woord));_x000D_
woord = new ArrayList<>();_x000D_
}_x000D_
_x000D_
public PDFTextExtractor() throws IOException {_x000D_
super.setSortByPosition(true);_x000D_
_x000D_
}_x000D_
_x000D_
@Override_x000D_
protected void processTextPosition(TextPosition text) {_x000D_
/*deze methode haalt letters met info uit de text... hier gaan we de tekst opvangen _x000D_
en opslaan in woorden, de woorden hebben een fontsize en een schaal... aan de hand van de _x000D_
coordinaten xdir en ydir wordt de lijn en inspringing bepaald... */_x000D_
_x000D_
/*Het idee is om tekstdelen terug te geven uiteindelijk want dat heb je nodig_x000D_
Daarom is er de klasse tekstpartMaker die een enorme string van char's met hun info binnen krijgt_x000D_
-> char's met info = nieuwe klasse!! _x000D_
*/_x000D_
teken.setTeken(text.getCharacter());_x000D_
teken.setFontsize(text.getFontSize());_x000D_
teken.setHeigt(text.getHeightDir());_x000D_
teken.setPosX(text.getXDirAdj());_x000D_
teken.setPosY(text.getYDirAdj());_x000D_
teken.setSpace(text.getWidthOfSpace());_x000D_
teken.setXscale(text.getXScale());_x000D_
_x000D_
//System.out.println(text.getFont().getFontDescriptor());_x000D_
if (text.getFont().getBaseFont().toLowerCase().contains("bold")) {_x000D_
teken.setBold(true);_x000D_
//System.out.println("made bold!");_x000D_
} else {_x000D_
teken.setBold(false);_x000D_
}_x000D_
if (text.getFont().getBaseFont().toLowerCase().contains("italic")) {_x000D_
teken.setItalic(true);_x000D_
//System.out.println("made italic!");_x000D_
} else {_x000D_
teken.setItalic(false);_x000D_
}_x000D_
/*enum bepalen -> kijken watvoor letter het is gebeurt hier al!!!*/_x000D_
if (text.getCharacter().matches("[A-Za-z]")) {_x000D_
//System.out.println("letter gevonden!!!" + text.getCharacter());_x000D_
teken.setType(TekenPlus.type.LETTER);_x000D_
} else if (text.getCharacter().matches("[0-9]")) {_x000D_
//System.out.println("---cijfer gevonden!!!" + text.getCharacter());_x000D_
teken.setType(TekenPlus.type.CIJFER);_x000D_
} else if (text.getCharacter().matches("[--?()., ]")) { //OPM laat die - vanvoor staan anders klopt regex niet!!!_x000D_
//System.out.println("+++niet splitsend symbool" + text.getCharacter());_x000D_
teken.setType(TekenPlus.type.NONSPLITTING);_x000D_
} /*BELANGRIJKE OPM: een spatie is geen split teken... een spatie houdt meestal dingen gewoon samen...*/ else {_x000D_
//System.out.println(">>>onbekend split teken gevonden" + text.getCharacter());_x000D_
teken.setType(TekenPlus.type.SPLITTING);_x000D_
}_x000D_
_x000D_
//teken.schrijfPlus();_x000D_
_x000D_
/*_x000D_
System.out.println("Methode die info over tekst eruit haalt");_x000D_
System.out.println("String[" + text.getXDirAdj() + ","_x000D_
+ text.getYDirAdj() + " fs=" + text.getFontSize() + " xscale="_x000D_
+ text.getXScale() + " height=" + text.getHeightDir() + " space="_x000D_
+ text.getWidthOfSpace() + " width="_x000D_
+ text.getWidthDirAdj() + "]" + text.getCharacter());_x000D_
*/_x000D_
//een korte commercial break om ons teken nu ook hogerop te krijgen!_x000D_
verwerkTeken(teken);_x000D_
_x000D_
}_x000D_
_x000D_
private void verwerkTeken(TekenPlus teken) {_x000D_
/*Het idee is als volgt, indien het teken de zelfde eigenschappen heeft als het vorige dan wordt het_x000D_
erbij gepusht in een tijdelijk tekstdeel, is het anders dan wordt het in een nieuw tekstdeel gezet*/_x000D_
/*_x000D_
tekstdeel moet vervolgens nog tekst worden... OPM tekst wordt niet gesplitst op basis van spaties!!_x000D_
*/_x000D_
//System.out.println("te verwerken teken: " + teken.getTeken());_x000D_
if (isNewWord) {_x000D_
// System.out.println("gekozen voor : new word optie");_x000D_
woord = new ArrayList<>();_x000D_
isNewWord = false;_x000D_
}_x000D_
//anders gewoon verder schrijven aan je arraylist..._x000D_
/*Hier wordt onderzocht welke soort delimiter je hebt, is het een ander teken dan gewone tekst dan splits je daarop ook...*/_x000D_
if (teken.getType() == TekenPlus.type.SPLITTING) {_x000D_
//System.out.println("gekozen voor: splitting optie");_x000D_
// System.out.println("SPLITTING teken");_x000D_
objecten.add(Inf2Obj.convert(woord));_x000D_
woord = new ArrayList<>();_x000D_
}_x000D_
_x000D_
if (!woord.isEmpty() && !tekenControle(teken)) { //doet hetzelfde als kijken of het splitting is! _x000D_
//controle op leeg zijn anders nullpointers!!_x000D_
//System.out.println("INFO splitting");_x000D_
objecten.add(Inf2Obj.convert(woord));_x000D_
woord = new ArrayList<>();_x000D_
}_x000D_
_x000D_
//even een kopie nemen, hij doet iets vreemd anders..._x000D_
try {_x000D_
ByteArrayOutputStream baos = new ByteArrayOutputStream();_x000D_
ObjectOutputStream oos = new ObjectOutputStream(baos);_x000D_
oos.writeObject(teken);_x000D_
ByteArrayInputStream bais = new ByteArrayInputStream(baos.toByteArray());_x000D_
ObjectInputStream ois = new ObjectInputStream(bais);_x000D_
TekenPlus kopie = (TekenPlus) ois.readObject();_x000D_
_x000D_
woord.add(kopie);_x000D_
} catch (Exception e) {_x000D_
System.out.println("fout bij kopiëren..." + e.getMessage());_x000D_
}_x000D_
_x000D_
}_x000D_
_x000D_
/**_x000D_
* Checks if a symbol belongs to the same word or not...._x000D_
* returns false upon a splitting event (like a defferent font etc.)_x000D_
* @param teken_x000D_
* @return _x000D_
*/_x000D_
private boolean tekenControle(TekenPlus teken) {_x000D_
_x000D_
TekenPlus vorigeLetter = woord.get(woord.size() - 1); //dit haalt de laatste letter eraf..._x000D_
//System.out.print("De vorige letter was: ");_x000D_
//vorigeLetter.schrijfPlus();_x000D_
//opm = xpos is dat hori of verti? (programma assen of menselijker... :p_x000D_
if (vorigeLetter.getPosY() != teken.getPosY()) {_x000D_
//System.out.println("split op PosY!");_x000D_
return false;_x000D_
_x000D_
}_x000D_
if (vorigeLetter.getFontsize() != teken.getFontsize()) {_x000D_
//System.out.println("split op FontSize");_x000D_
return false;_x000D_
}_x000D_
if (vorigeLetter.isBold() != teken.isBold()) {_x000D_
return false;_x000D_
}_x000D_
if (vorigeLetter.isItalic() != teken.isItalic()) {_x000D_
return false;_x000D_
}_x000D_
_x000D_
if ((teken.getPosX() - vorigeLetter.getPosX()) > 100) {_x000D_
//100 is arbitrair gekozen, merk op dat deze test enkel gedaan wordt voor woorden met zelfde fontsize op zelfde lijn!_x000D_
//System.out.println("verschil tekens: " + (teken.getPosX() - vorigeLetter.getPosX()));_x000D_
return false;_x000D_
}_x000D_
_x000D_
return true;_x000D_
}_x000D_
_x000D_
}_x000D_
| OpenWebslides/conversion-tool | WebslideConversionLib/src/conversion/pdf/util/PDFTextExtractor.java | 2,619 | /*Hier wordt onderzocht welke soort delimiter je hebt, is het een ander teken dan gewone tekst dan splits je daarop ook...*/ | block_comment | nl | /*_x000D_
* To change this license header, choose License Headers in Project Properties._x000D_
* To change this template file, choose Tools | Templates_x000D_
* and open the template in the editor._x000D_
*/_x000D_
package conversion.pdf.util;_x000D_
_x000D_
import java.io.ByteArrayInputStream;_x000D_
import java.io.ByteArrayOutputStream;_x000D_
import java.io.IOException;_x000D_
import java.io.ObjectInputStream;_x000D_
import java.io.ObjectOutputStream;_x000D_
import java.util.ArrayList;_x000D_
import objects.PPTObject;_x000D_
import org.apache.pdfbox.cos.COSStream;_x000D_
import org.apache.pdfbox.pdmodel.PDPage;_x000D_
import org.apache.pdfbox.pdmodel.PDResources;_x000D_
import org.apache.pdfbox.util.PDFTextStripper;_x000D_
import org.apache.pdfbox.util.TextPosition;_x000D_
_x000D_
/**_x000D_
* TextExtractor overrides certain methodes from PDFTextStripper in order to put_x000D_
* information in the arrayList of PPTObjects objecten._x000D_
*_x000D_
* @author Gertjan_x000D_
*/_x000D_
public class PDFTextExtractor extends PDFTextStripper {_x000D_
_x000D_
private TekenPlus teken = new TekenPlus();_x000D_
private ArrayList<TekenPlus> woord = new ArrayList<>();_x000D_
private boolean isNewWord = true;_x000D_
private ArrayList<PPTObject> objecten = new ArrayList<>();_x000D_
private Info2Object Inf2Obj = new Info2Object();_x000D_
_x000D_
public TekenPlus getTekenPlus() {_x000D_
return this.teken;_x000D_
}_x000D_
/*get geeft niet alleen de objecten terug maar maakt de lijst ook weer leeg, dit is zodat je telkens je ze ophaalt_x000D_
je een hele pagina ophaalt... */_x000D_
_x000D_
public ArrayList<PPTObject> getObjecten() {_x000D_
try {_x000D_
return objecten;_x000D_
} finally {_x000D_
objecten = new ArrayList<>();_x000D_
}_x000D_
_x000D_
}_x000D_
_x000D_
@Override_x000D_
public void processStream(PDPage aPage, PDResources resources, COSStream cosStream) throws IOException {_x000D_
super.processStream(aPage, resources, cosStream); //To change body of generated methods, choose Tools | Templates._x000D_
//en dan een persoonlijke naverwerking:_x000D_
objecten.add(Inf2Obj.convert(woord));_x000D_
woord = new ArrayList<>();_x000D_
}_x000D_
_x000D_
public PDFTextExtractor() throws IOException {_x000D_
super.setSortByPosition(true);_x000D_
_x000D_
}_x000D_
_x000D_
@Override_x000D_
protected void processTextPosition(TextPosition text) {_x000D_
/*deze methode haalt letters met info uit de text... hier gaan we de tekst opvangen _x000D_
en opslaan in woorden, de woorden hebben een fontsize en een schaal... aan de hand van de _x000D_
coordinaten xdir en ydir wordt de lijn en inspringing bepaald... */_x000D_
_x000D_
/*Het idee is om tekstdelen terug te geven uiteindelijk want dat heb je nodig_x000D_
Daarom is er de klasse tekstpartMaker die een enorme string van char's met hun info binnen krijgt_x000D_
-> char's met info = nieuwe klasse!! _x000D_
*/_x000D_
teken.setTeken(text.getCharacter());_x000D_
teken.setFontsize(text.getFontSize());_x000D_
teken.setHeigt(text.getHeightDir());_x000D_
teken.setPosX(text.getXDirAdj());_x000D_
teken.setPosY(text.getYDirAdj());_x000D_
teken.setSpace(text.getWidthOfSpace());_x000D_
teken.setXscale(text.getXScale());_x000D_
_x000D_
//System.out.println(text.getFont().getFontDescriptor());_x000D_
if (text.getFont().getBaseFont().toLowerCase().contains("bold")) {_x000D_
teken.setBold(true);_x000D_
//System.out.println("made bold!");_x000D_
} else {_x000D_
teken.setBold(false);_x000D_
}_x000D_
if (text.getFont().getBaseFont().toLowerCase().contains("italic")) {_x000D_
teken.setItalic(true);_x000D_
//System.out.println("made italic!");_x000D_
} else {_x000D_
teken.setItalic(false);_x000D_
}_x000D_
/*enum bepalen -> kijken watvoor letter het is gebeurt hier al!!!*/_x000D_
if (text.getCharacter().matches("[A-Za-z]")) {_x000D_
//System.out.println("letter gevonden!!!" + text.getCharacter());_x000D_
teken.setType(TekenPlus.type.LETTER);_x000D_
} else if (text.getCharacter().matches("[0-9]")) {_x000D_
//System.out.println("---cijfer gevonden!!!" + text.getCharacter());_x000D_
teken.setType(TekenPlus.type.CIJFER);_x000D_
} else if (text.getCharacter().matches("[--?()., ]")) { //OPM laat die - vanvoor staan anders klopt regex niet!!!_x000D_
//System.out.println("+++niet splitsend symbool" + text.getCharacter());_x000D_
teken.setType(TekenPlus.type.NONSPLITTING);_x000D_
} /*BELANGRIJKE OPM: een spatie is geen split teken... een spatie houdt meestal dingen gewoon samen...*/ else {_x000D_
//System.out.println(">>>onbekend split teken gevonden" + text.getCharacter());_x000D_
teken.setType(TekenPlus.type.SPLITTING);_x000D_
}_x000D_
_x000D_
//teken.schrijfPlus();_x000D_
_x000D_
/*_x000D_
System.out.println("Methode die info over tekst eruit haalt");_x000D_
System.out.println("String[" + text.getXDirAdj() + ","_x000D_
+ text.getYDirAdj() + " fs=" + text.getFontSize() + " xscale="_x000D_
+ text.getXScale() + " height=" + text.getHeightDir() + " space="_x000D_
+ text.getWidthOfSpace() + " width="_x000D_
+ text.getWidthDirAdj() + "]" + text.getCharacter());_x000D_
*/_x000D_
//een korte commercial break om ons teken nu ook hogerop te krijgen!_x000D_
verwerkTeken(teken);_x000D_
_x000D_
}_x000D_
_x000D_
private void verwerkTeken(TekenPlus teken) {_x000D_
/*Het idee is als volgt, indien het teken de zelfde eigenschappen heeft als het vorige dan wordt het_x000D_
erbij gepusht in een tijdelijk tekstdeel, is het anders dan wordt het in een nieuw tekstdeel gezet*/_x000D_
/*_x000D_
tekstdeel moet vervolgens nog tekst worden... OPM tekst wordt niet gesplitst op basis van spaties!!_x000D_
*/_x000D_
//System.out.println("te verwerken teken: " + teken.getTeken());_x000D_
if (isNewWord) {_x000D_
// System.out.println("gekozen voor : new word optie");_x000D_
woord = new ArrayList<>();_x000D_
isNewWord = false;_x000D_
}_x000D_
//anders gewoon verder schrijven aan je arraylist..._x000D_
/*Hier wordt onderzocht<SUF>*/_x000D_
if (teken.getType() == TekenPlus.type.SPLITTING) {_x000D_
//System.out.println("gekozen voor: splitting optie");_x000D_
// System.out.println("SPLITTING teken");_x000D_
objecten.add(Inf2Obj.convert(woord));_x000D_
woord = new ArrayList<>();_x000D_
}_x000D_
_x000D_
if (!woord.isEmpty() && !tekenControle(teken)) { //doet hetzelfde als kijken of het splitting is! _x000D_
//controle op leeg zijn anders nullpointers!!_x000D_
//System.out.println("INFO splitting");_x000D_
objecten.add(Inf2Obj.convert(woord));_x000D_
woord = new ArrayList<>();_x000D_
}_x000D_
_x000D_
//even een kopie nemen, hij doet iets vreemd anders..._x000D_
try {_x000D_
ByteArrayOutputStream baos = new ByteArrayOutputStream();_x000D_
ObjectOutputStream oos = new ObjectOutputStream(baos);_x000D_
oos.writeObject(teken);_x000D_
ByteArrayInputStream bais = new ByteArrayInputStream(baos.toByteArray());_x000D_
ObjectInputStream ois = new ObjectInputStream(bais);_x000D_
TekenPlus kopie = (TekenPlus) ois.readObject();_x000D_
_x000D_
woord.add(kopie);_x000D_
} catch (Exception e) {_x000D_
System.out.println("fout bij kopiëren..." + e.getMessage());_x000D_
}_x000D_
_x000D_
}_x000D_
_x000D_
/**_x000D_
* Checks if a symbol belongs to the same word or not...._x000D_
* returns false upon a splitting event (like a defferent font etc.)_x000D_
* @param teken_x000D_
* @return _x000D_
*/_x000D_
private boolean tekenControle(TekenPlus teken) {_x000D_
_x000D_
TekenPlus vorigeLetter = woord.get(woord.size() - 1); //dit haalt de laatste letter eraf..._x000D_
//System.out.print("De vorige letter was: ");_x000D_
//vorigeLetter.schrijfPlus();_x000D_
//opm = xpos is dat hori of verti? (programma assen of menselijker... :p_x000D_
if (vorigeLetter.getPosY() != teken.getPosY()) {_x000D_
//System.out.println("split op PosY!");_x000D_
return false;_x000D_
_x000D_
}_x000D_
if (vorigeLetter.getFontsize() != teken.getFontsize()) {_x000D_
//System.out.println("split op FontSize");_x000D_
return false;_x000D_
}_x000D_
if (vorigeLetter.isBold() != teken.isBold()) {_x000D_
return false;_x000D_
}_x000D_
if (vorigeLetter.isItalic() != teken.isItalic()) {_x000D_
return false;_x000D_
}_x000D_
_x000D_
if ((teken.getPosX() - vorigeLetter.getPosX()) > 100) {_x000D_
//100 is arbitrair gekozen, merk op dat deze test enkel gedaan wordt voor woorden met zelfde fontsize op zelfde lijn!_x000D_
//System.out.println("verschil tekens: " + (teken.getPosX() - vorigeLetter.getPosX()));_x000D_
return false;_x000D_
}_x000D_
_x000D_
return true;_x000D_
}_x000D_
_x000D_
}_x000D_
| True | False | 1,976 | 3,519 | 35 | 31 | 3,691 | 39 | 35 | 3,599 | 28 | 24 | 3,691 | 39 | 35 | 3,963 | 36 | 32 | false | false | false | false | false | true |
1,865 | 19764_4 | import java.util.Scanner;
import java.util.*;
public class Main {
static class Metingen {
String linkerSchaal, rechterSchaal, weegResul;
Metingen(String linkerSchaalC, String rechterSchaalC, String weegResulC){
this.linkerSchaal=linkerSchaalC;
this.rechterSchaal=rechterSchaalC;
this.weegResul=weegResulC;
}
String getAlleLetters() {
return this.linkerSchaal + this.rechterSchaal;
}
String getLinkerSchaal() {
return this.linkerSchaal;
}
String getRechterSchaal() {
return this.rechterSchaal;
}
String getWeegResul() {
return this.weegResul;
}
boolean vergelijkLinks(Metingen meting) {
return this.linkerSchaal.equals(meting.getLinkerSchaal());
}
boolean vergelijkRechts(Metingen meting) {
return this.rechterSchaal.equals(meting.getRechterSchaal());
}
boolean vergelijkResul(Metingen meting) {
return this.weegResul.equals(meting.getWeegResul());
}
}
static void berekeningen(Metingen[] data) {
Set<Character> gebalanceerd = new HashSet<>();
Set<Character> alleLetters = new HashSet<>();
for(int j=0; j<data.length; j++) {
boolean evenwicht = (data[j].getWeegResul().equals("evenwicht") ? true : false);
for(char c : data[j].getAlleLetters().toCharArray()) {
alleLetters.add(c);
if(evenwicht) {
gebalanceerd.add(c);
}
}
}
//twee lijsten van elkaar aftrekken
Set<Character> overige = new HashSet<>(alleLetters);
overige.removeAll(gebalanceerd);
if(overige.size()==1) {
char c = overige.iterator().next();
for(int i=0; i<data.length; i++) {
//Als de munt is links en de schaal gaat naar boven ==> zwaarder
//Of de munt is rechts en de schaal gaat naar beneden ==> zwaarder
if((data[i].getLinkerSchaal().indexOf(c) >= 0 && data[i].getWeegResul().contentEquals("omhoog")) || (data[i].getRechterSchaal().indexOf(c) >= 0 && data[i].getWeegResul().contentEquals("omlaag"))) {
System.out.println("Het valse geldstuk " + c + " is zwaarder.");
return;
//Als de munt is links en de schaal gaat naar beneden ==> lichter
//Of de munt is rechts en de schaal gaat naar boven ==> lichter
} else if((data[i].getLinkerSchaal().indexOf(c) >= 0 && data[i].getWeegResul().contentEquals("omlaag")) || (data[i].getRechterSchaal().indexOf(c) >= 0 && data[i].getWeegResul().contentEquals("omhoog"))) {
System.out.println("Het valse geldstuk " + c + " is lichter.");
return;
}
}
} else {
if(overige.size() > 1) {
for(Metingen meting1 : data) {
for(Metingen meting2 : data) {
//De verschillende gevallen na elkaar uitgeschreven
if((meting1.vergelijkLinks(meting2) && !meting1.vergelijkResul(meting2)) || (!meting1.vergelijkLinks(meting2) && !meting1.vergelijkRechts(meting2) && meting1.vergelijkResul(meting2))) {
System.out.println("Inconsistente gegevens.");
return;
}
if((meting1.getLinkerSchaal().equals(meting2.getRechterSchaal()) ^ meting1.getRechterSchaal().equals(meting2.getLinkerSchaal())) && !meting1.vergelijkResul(meting2)) {
if(meting1.getLinkerSchaal().length() > 1 || meting1.getRechterSchaal().length() > 1 || meting2.getLinkerSchaal().length() > 1 || meting2.getRechterSchaal().length() > 1) {
System.out.println("Te weinig gegevens.");
return;
}
System.out.println("Het valse geldstuk " + (meting1.getLinkerSchaal().equals(meting2.getRechterSchaal()) ? meting1.getLinkerSchaal() : meting1.getRechterSchaal()) + " is " + (!meting1.vergelijkResul(meting2) ? "lichter" : "zwaarder") + ".");
return;
}
if((meting1.vergelijkLinks(meting2) ^ meting1.vergelijkRechts(meting2)) && meting1.vergelijkResul(meting2)) {
System.out.println("Het valse geldstuk " + (meting1.getLinkerSchaal().equals(meting2.getRechterSchaal()) ? meting1.getRechterSchaal() : meting1.getLinkerSchaal()) + " is " + (meting1.vergelijkResul(meting2) ? "zwaarder" : " lichter") + ".");
return;
}
}
}
}
//Als er geen munten meer zijn ==> inconsistent
else if(overige.size() < 1) {
System.out.println("Inconsistente gegevens.");
return;
}
}
}
public static void main(String[] args) {
int aantalPakketten=0;
int aantalWegingen=0;
String lijn;
Scanner sc = new Scanner(System.in);
lijn = sc.nextLine();
aantalPakketten = Integer.parseInt(lijn);
for(int i=0; i<aantalPakketten; i++) { // voor aantal muntpaketten
lijn = sc.nextLine();
aantalWegingen = Integer.parseInt(lijn);
//Onmogelijk te bepalen als er maar 1 weging is
if(aantalWegingen==1) {
lijn=sc.nextLine();
System.out.println("Te weinig gegevens.");
} else {
Metingen[] data = new Metingen[aantalWegingen];
for(int j=0; j<aantalWegingen; j++) {
lijn=sc.nextLine();
//opsplitsen van string/weging
String[] temp=lijn.split(" ");
data[j] = new Metingen(temp[0], temp[1], temp[2]);
}
berekeningen(data);
}
}
sc.close();
}
}
| Waterboy1602/DatastructurenEnAlgoritmen_VPW | ValsGeld/src/Main.java | 1,993 | //Of de munt is rechts en de schaal gaat naar boven ==> lichter | line_comment | nl | import java.util.Scanner;
import java.util.*;
public class Main {
static class Metingen {
String linkerSchaal, rechterSchaal, weegResul;
Metingen(String linkerSchaalC, String rechterSchaalC, String weegResulC){
this.linkerSchaal=linkerSchaalC;
this.rechterSchaal=rechterSchaalC;
this.weegResul=weegResulC;
}
String getAlleLetters() {
return this.linkerSchaal + this.rechterSchaal;
}
String getLinkerSchaal() {
return this.linkerSchaal;
}
String getRechterSchaal() {
return this.rechterSchaal;
}
String getWeegResul() {
return this.weegResul;
}
boolean vergelijkLinks(Metingen meting) {
return this.linkerSchaal.equals(meting.getLinkerSchaal());
}
boolean vergelijkRechts(Metingen meting) {
return this.rechterSchaal.equals(meting.getRechterSchaal());
}
boolean vergelijkResul(Metingen meting) {
return this.weegResul.equals(meting.getWeegResul());
}
}
static void berekeningen(Metingen[] data) {
Set<Character> gebalanceerd = new HashSet<>();
Set<Character> alleLetters = new HashSet<>();
for(int j=0; j<data.length; j++) {
boolean evenwicht = (data[j].getWeegResul().equals("evenwicht") ? true : false);
for(char c : data[j].getAlleLetters().toCharArray()) {
alleLetters.add(c);
if(evenwicht) {
gebalanceerd.add(c);
}
}
}
//twee lijsten van elkaar aftrekken
Set<Character> overige = new HashSet<>(alleLetters);
overige.removeAll(gebalanceerd);
if(overige.size()==1) {
char c = overige.iterator().next();
for(int i=0; i<data.length; i++) {
//Als de munt is links en de schaal gaat naar boven ==> zwaarder
//Of de munt is rechts en de schaal gaat naar beneden ==> zwaarder
if((data[i].getLinkerSchaal().indexOf(c) >= 0 && data[i].getWeegResul().contentEquals("omhoog")) || (data[i].getRechterSchaal().indexOf(c) >= 0 && data[i].getWeegResul().contentEquals("omlaag"))) {
System.out.println("Het valse geldstuk " + c + " is zwaarder.");
return;
//Als de munt is links en de schaal gaat naar beneden ==> lichter
//Of de<SUF>
} else if((data[i].getLinkerSchaal().indexOf(c) >= 0 && data[i].getWeegResul().contentEquals("omlaag")) || (data[i].getRechterSchaal().indexOf(c) >= 0 && data[i].getWeegResul().contentEquals("omhoog"))) {
System.out.println("Het valse geldstuk " + c + " is lichter.");
return;
}
}
} else {
if(overige.size() > 1) {
for(Metingen meting1 : data) {
for(Metingen meting2 : data) {
//De verschillende gevallen na elkaar uitgeschreven
if((meting1.vergelijkLinks(meting2) && !meting1.vergelijkResul(meting2)) || (!meting1.vergelijkLinks(meting2) && !meting1.vergelijkRechts(meting2) && meting1.vergelijkResul(meting2))) {
System.out.println("Inconsistente gegevens.");
return;
}
if((meting1.getLinkerSchaal().equals(meting2.getRechterSchaal()) ^ meting1.getRechterSchaal().equals(meting2.getLinkerSchaal())) && !meting1.vergelijkResul(meting2)) {
if(meting1.getLinkerSchaal().length() > 1 || meting1.getRechterSchaal().length() > 1 || meting2.getLinkerSchaal().length() > 1 || meting2.getRechterSchaal().length() > 1) {
System.out.println("Te weinig gegevens.");
return;
}
System.out.println("Het valse geldstuk " + (meting1.getLinkerSchaal().equals(meting2.getRechterSchaal()) ? meting1.getLinkerSchaal() : meting1.getRechterSchaal()) + " is " + (!meting1.vergelijkResul(meting2) ? "lichter" : "zwaarder") + ".");
return;
}
if((meting1.vergelijkLinks(meting2) ^ meting1.vergelijkRechts(meting2)) && meting1.vergelijkResul(meting2)) {
System.out.println("Het valse geldstuk " + (meting1.getLinkerSchaal().equals(meting2.getRechterSchaal()) ? meting1.getRechterSchaal() : meting1.getLinkerSchaal()) + " is " + (meting1.vergelijkResul(meting2) ? "zwaarder" : " lichter") + ".");
return;
}
}
}
}
//Als er geen munten meer zijn ==> inconsistent
else if(overige.size() < 1) {
System.out.println("Inconsistente gegevens.");
return;
}
}
}
public static void main(String[] args) {
int aantalPakketten=0;
int aantalWegingen=0;
String lijn;
Scanner sc = new Scanner(System.in);
lijn = sc.nextLine();
aantalPakketten = Integer.parseInt(lijn);
for(int i=0; i<aantalPakketten; i++) { // voor aantal muntpaketten
lijn = sc.nextLine();
aantalWegingen = Integer.parseInt(lijn);
//Onmogelijk te bepalen als er maar 1 weging is
if(aantalWegingen==1) {
lijn=sc.nextLine();
System.out.println("Te weinig gegevens.");
} else {
Metingen[] data = new Metingen[aantalWegingen];
for(int j=0; j<aantalWegingen; j++) {
lijn=sc.nextLine();
//opsplitsen van string/weging
String[] temp=lijn.split(" ");
data[j] = new Metingen(temp[0], temp[1], temp[2]);
}
berekeningen(data);
}
}
sc.close();
}
}
| True | False | 1,985 | 1,993 | 18 | 15 | 1,904 | 24 | 22 | 1,741 | 16 | 14 | 1,904 | 24 | 22 | 2,195 | 20 | 18 | false | false | false | false | false | true |
747 | 55362_0 | package main.application;
/**
* De schimmel F. ellipsoidea wordt erg groot. De fibonacci reeks bepaald het aantal
* centimeters dat de schimmel dagelijks in diameter toeneemt.
* Bereken de omtrek van de schimmel na 1000 dagen groeien.
* Antwoord in centimeters en gebruik de wetenschappelijke notatie,
* rond af op 4 cijfers achter de komma, bijvoorbeeld: 1.0903E+231
*/
public class VraagQuattro {
public static void main(String[] args) {
double a = 0;
double b = 1;
double c = 0;
double d = 2;
for (int i = 3; i <= 1000; i++) {
c = a + b;
d += c;
a = b;
b = c;
}
System.out.println(formatToString(d*Math.PI));
//Answer is: 2.2094E+209
}
private static String formatToString(double d) {
String num = Double.toString(d);
String [] decimal = num.split("\\.");
String [] eNum = num.split("E");
String output = decimal[0] + ".";
char c[] = decimal[1].toCharArray();
for (int i = 0; i < 4; i++){
output += c[i];
}
output += "E+" + eNum[1];
return output;
}
} | Igoranze/Martyrs-mega-project-list | tweakers-devv-contest/src/main/application/VraagQuattro.java | 396 | /**
* De schimmel F. ellipsoidea wordt erg groot. De fibonacci reeks bepaald het aantal
* centimeters dat de schimmel dagelijks in diameter toeneemt.
* Bereken de omtrek van de schimmel na 1000 dagen groeien.
* Antwoord in centimeters en gebruik de wetenschappelijke notatie,
* rond af op 4 cijfers achter de komma, bijvoorbeeld: 1.0903E+231
*/ | block_comment | nl | package main.application;
/**
* De schimmel F.<SUF>*/
public class VraagQuattro {
public static void main(String[] args) {
double a = 0;
double b = 1;
double c = 0;
double d = 2;
for (int i = 3; i <= 1000; i++) {
c = a + b;
d += c;
a = b;
b = c;
}
System.out.println(formatToString(d*Math.PI));
//Answer is: 2.2094E+209
}
private static String formatToString(double d) {
String num = Double.toString(d);
String [] decimal = num.split("\\.");
String [] eNum = num.split("E");
String output = decimal[0] + ".";
char c[] = decimal[1].toCharArray();
for (int i = 0; i < 4; i++){
output += c[i];
}
output += "E+" + eNum[1];
return output;
}
} | True | False | 1,989 | 396 | 117 | 83 | 405 | 135 | 97 | 376 | 101 | 61 | 405 | 135 | 97 | 439 | 125 | 85 | false | true | false | true | false | false |
3,128 | 13751_3 | package afvink3;
/**
* Race class
* Class Race maakt gebruik van de class Paard
*
* @author Martijn van der Bruggen
* @version alpha - aanroep van cruciale methodes ontbreekt
* (c) 2009 Hogeschool van Arnhem en Nijmegen
*
* Note: deze code is bewust niet op alle punten generiek
* dit om nog onbekende constructies te vermijden.
*
* Updates
* 2010: verduidelijking van opdrachten in de code MvdB
* 2011: verbetering leesbaarheid code MvdB
* 2012: verbetering layout code en aanpassing commentaar MvdB
* 2013: commentaar aangepast aan nieuwe opdracht MvdB
*
*************************************************
* Afvinkopdracht: werken met methodes en objecten
*************************************************
* Opdrachten zitten verwerkt in de code
* 1) Declaratie constante
* 2) Declaratie van Paard (niet instantiering)
* 3) Declareer een button
* 4) Zet breedte en hoogte van het frame
* 5) Teken een finish streep
* 6) Creatie van 4 paarden
* 7) Pauzeer
* 8) Teken 4 paarden
* 9) Plaats tekst op de button
* 10) Start de race, methode aanroep
*
*
*/
import java.awt.*;
import java.awt.event.*;
import javax.swing.*;
public class Race extends JFrame implements ActionListener {
/** declaratie van variabelen */
/* (1) Declareer hier een constante int met de naam lengte en een waarde van 250 */
private final int lengte = 250;
/* (2) Declareer hier h1, h2, h3, h4 van het type Paard
* Deze paarden instantieer je later in het programma
*/
private Paard h1, h2, h3, h4, h5;
/* (3) Declareer een button met de naam button van het type JButton */
private JPanel panel;
private JButton button;
/** Applicatie - main functie voor runnen applicatie */
public static void main(String[] args) {
Race frame = new Race();
/* (4) Geef het frame een breedte van 400 en hoogte van 140 */
frame.setSize(400, 170);
frame.createGUI();
frame.setVisible(true);
}
/** Loop de race
*/
private void startRace(Graphics g) {
panel.setBackground(Color.white);
/** Tekenen van de finish streep */
/* (5) Geef de finish streep een rode kleur */
/**(6) Creatie van 4 paarden
* Dit is een instantiering van de 4 paard objecten
* Bij de instantiering geef je de paarden een naam en een kleur mee
* Kijk in de class Paard hoe je de paarden
* kunt initialiseren.
*/
h1 = new Paard("Glitterhoof", Toolkit.getDefaultToolkit().getImage("src/afvink3/glit.jpg"));
h2 = new Paard("Usain Bolt", Toolkit.getDefaultToolkit().getImage("src/afvink3/bolt.jpg"));
h3 = new Paard("Konijn", Toolkit.getDefaultToolkit().getImage("src/afvink3/konijn.jpg"));
h4 = new Paard("John", Toolkit.getDefaultToolkit().getImage("src/afvink3/paard2.jpg"));
h5 = new Paard("Henk", Toolkit.getDefaultToolkit().getImage("src/afvink3/henk.jpg"));
/** Loop tot een paard over de finish is*/
while (h1.getAfstand() < lengte
&& h2.getAfstand() < lengte
&& h3.getAfstand() < lengte
&& h4.getAfstand() < lengte
&& h5.getAfstand() < lengte) {
g.setColor(Color.WHITE);
g.fillRect(0, 0, 500, 500);
g.setColor(Color.RED);
g.fillRect(lengte, 0, 3, 130);
h1.run();
h2.run();
h3.run();
h4.run();
h5.run();
/* (7) Voeg hier een aanroep van de methode pauzeer toe zodanig
* dat er 1 seconde pauze is. De methode pauzeer is onderdeel
* van deze class
*/
/* (8) Voeg hier code in om 4 paarden te tekenen die rennen
* Dus een call van de methode tekenPaard
*/
tekenPaard(g, h1);
tekenPaard(g, h2);
tekenPaard(g, h3);
tekenPaard(g, h4);
tekenPaard(g, h5);
pauzeer(1000);
}
/** Kijk welk paard gewonnen heeft
*/
if (h1.getAfstand() > lengte) {
JOptionPane.showMessageDialog(null, h1.getNaam() + " gewonnen!");
}
if (h2.getAfstand() > lengte) {
JOptionPane.showMessageDialog(null, h2.getNaam() + " gewonnen!");
}
if (h3.getAfstand() > lengte) {
JOptionPane.showMessageDialog(null, h3.getNaam() + " gewonnen!");
}
if (h4.getAfstand() > lengte) {
JOptionPane.showMessageDialog(null, h4.getNaam() + " gewonnen!");
}
if (h5.getAfstand() > lengte) {
JOptionPane.showMessageDialog(null, h5.getNaam() + " gewonnen!");
}
}
/** Creatie van de GUI*/
private void createGUI() {
setDefaultCloseOperation(EXIT_ON_CLOSE);
Container window = getContentPane();
window.setLayout(new FlowLayout());
panel = new JPanel();
panel.setPreferredSize(new Dimension(300, 120));
panel.setBackground(Color.white);
window.add(panel);
/* (9) Zet hier de tekst Run! op de button */
button = new JButton("Run!");
window.add(button);
button.addActionListener(this);
}
/** Teken het paard */
private void tekenPaard(Graphics g, Paard h) {
if (h.getKleur() == null) {
g.drawImage(h.getImage(), h.getAfstand(), 20 * h.getPaardNummer(), 15, 15, null);
}
else {
g.setColor(h.getKleur());
g.fillRect(h.getAfstand(), 20 * h.getPaardNummer(), 15, 15);
}
}
/** Actie indien de button geklikt is*/
public void actionPerformed(ActionEvent event) {
Graphics paper = panel.getGraphics();
/* (10) Roep hier de methode startrace aan met de juiste parameterisering */
startRace (paper);
}
/** Pauzeer gedurende x millisecondes*/
public void pauzeer(int msec) {
try {
Thread.sleep(msec);
} catch (InterruptedException e) {
System.out.println("Pauze interruptie");
}
}
}
| itbc-bin/1819-owe5a-afvinkopdracht3-Casvanrijbroek | afvink3/Race.java | 2,009 | /* (2) Declareer hier h1, h2, h3, h4 van het type Paard
* Deze paarden instantieer je later in het programma
*/ | block_comment | nl | package afvink3;
/**
* Race class
* Class Race maakt gebruik van de class Paard
*
* @author Martijn van der Bruggen
* @version alpha - aanroep van cruciale methodes ontbreekt
* (c) 2009 Hogeschool van Arnhem en Nijmegen
*
* Note: deze code is bewust niet op alle punten generiek
* dit om nog onbekende constructies te vermijden.
*
* Updates
* 2010: verduidelijking van opdrachten in de code MvdB
* 2011: verbetering leesbaarheid code MvdB
* 2012: verbetering layout code en aanpassing commentaar MvdB
* 2013: commentaar aangepast aan nieuwe opdracht MvdB
*
*************************************************
* Afvinkopdracht: werken met methodes en objecten
*************************************************
* Opdrachten zitten verwerkt in de code
* 1) Declaratie constante
* 2) Declaratie van Paard (niet instantiering)
* 3) Declareer een button
* 4) Zet breedte en hoogte van het frame
* 5) Teken een finish streep
* 6) Creatie van 4 paarden
* 7) Pauzeer
* 8) Teken 4 paarden
* 9) Plaats tekst op de button
* 10) Start de race, methode aanroep
*
*
*/
import java.awt.*;
import java.awt.event.*;
import javax.swing.*;
public class Race extends JFrame implements ActionListener {
/** declaratie van variabelen */
/* (1) Declareer hier een constante int met de naam lengte en een waarde van 250 */
private final int lengte = 250;
/* (2) Declareer hier<SUF>*/
private Paard h1, h2, h3, h4, h5;
/* (3) Declareer een button met de naam button van het type JButton */
private JPanel panel;
private JButton button;
/** Applicatie - main functie voor runnen applicatie */
public static void main(String[] args) {
Race frame = new Race();
/* (4) Geef het frame een breedte van 400 en hoogte van 140 */
frame.setSize(400, 170);
frame.createGUI();
frame.setVisible(true);
}
/** Loop de race
*/
private void startRace(Graphics g) {
panel.setBackground(Color.white);
/** Tekenen van de finish streep */
/* (5) Geef de finish streep een rode kleur */
/**(6) Creatie van 4 paarden
* Dit is een instantiering van de 4 paard objecten
* Bij de instantiering geef je de paarden een naam en een kleur mee
* Kijk in de class Paard hoe je de paarden
* kunt initialiseren.
*/
h1 = new Paard("Glitterhoof", Toolkit.getDefaultToolkit().getImage("src/afvink3/glit.jpg"));
h2 = new Paard("Usain Bolt", Toolkit.getDefaultToolkit().getImage("src/afvink3/bolt.jpg"));
h3 = new Paard("Konijn", Toolkit.getDefaultToolkit().getImage("src/afvink3/konijn.jpg"));
h4 = new Paard("John", Toolkit.getDefaultToolkit().getImage("src/afvink3/paard2.jpg"));
h5 = new Paard("Henk", Toolkit.getDefaultToolkit().getImage("src/afvink3/henk.jpg"));
/** Loop tot een paard over de finish is*/
while (h1.getAfstand() < lengte
&& h2.getAfstand() < lengte
&& h3.getAfstand() < lengte
&& h4.getAfstand() < lengte
&& h5.getAfstand() < lengte) {
g.setColor(Color.WHITE);
g.fillRect(0, 0, 500, 500);
g.setColor(Color.RED);
g.fillRect(lengte, 0, 3, 130);
h1.run();
h2.run();
h3.run();
h4.run();
h5.run();
/* (7) Voeg hier een aanroep van de methode pauzeer toe zodanig
* dat er 1 seconde pauze is. De methode pauzeer is onderdeel
* van deze class
*/
/* (8) Voeg hier code in om 4 paarden te tekenen die rennen
* Dus een call van de methode tekenPaard
*/
tekenPaard(g, h1);
tekenPaard(g, h2);
tekenPaard(g, h3);
tekenPaard(g, h4);
tekenPaard(g, h5);
pauzeer(1000);
}
/** Kijk welk paard gewonnen heeft
*/
if (h1.getAfstand() > lengte) {
JOptionPane.showMessageDialog(null, h1.getNaam() + " gewonnen!");
}
if (h2.getAfstand() > lengte) {
JOptionPane.showMessageDialog(null, h2.getNaam() + " gewonnen!");
}
if (h3.getAfstand() > lengte) {
JOptionPane.showMessageDialog(null, h3.getNaam() + " gewonnen!");
}
if (h4.getAfstand() > lengte) {
JOptionPane.showMessageDialog(null, h4.getNaam() + " gewonnen!");
}
if (h5.getAfstand() > lengte) {
JOptionPane.showMessageDialog(null, h5.getNaam() + " gewonnen!");
}
}
/** Creatie van de GUI*/
private void createGUI() {
setDefaultCloseOperation(EXIT_ON_CLOSE);
Container window = getContentPane();
window.setLayout(new FlowLayout());
panel = new JPanel();
panel.setPreferredSize(new Dimension(300, 120));
panel.setBackground(Color.white);
window.add(panel);
/* (9) Zet hier de tekst Run! op de button */
button = new JButton("Run!");
window.add(button);
button.addActionListener(this);
}
/** Teken het paard */
private void tekenPaard(Graphics g, Paard h) {
if (h.getKleur() == null) {
g.drawImage(h.getImage(), h.getAfstand(), 20 * h.getPaardNummer(), 15, 15, null);
}
else {
g.setColor(h.getKleur());
g.fillRect(h.getAfstand(), 20 * h.getPaardNummer(), 15, 15);
}
}
/** Actie indien de button geklikt is*/
public void actionPerformed(ActionEvent event) {
Graphics paper = panel.getGraphics();
/* (10) Roep hier de methode startrace aan met de juiste parameterisering */
startRace (paper);
}
/** Pauzeer gedurende x millisecondes*/
public void pauzeer(int msec) {
try {
Thread.sleep(msec);
} catch (InterruptedException e) {
System.out.println("Pauze interruptie");
}
}
}
| True | False | 1,994 | 2,009 | 44 | 26 | 1,856 | 41 | 25 | 1,804 | 41 | 23 | 1,856 | 41 | 25 | 2,044 | 42 | 24 | false | false | false | false | false | true |
1,503 | 39015_0 | /*
- De private functies die doen een operatie van source naar destination,
waarna destination de nieuwe fileWriter is.
- De public tegenhangers kopieren de file naar een tijdelijke kopie, en
doen de operatie daarna van de tijdelijke kopie naar de originele file,
zodat de checkpointFile ongewijzigd blijft
- init zorgt dat uiteindelijk de originele checkpointfile gebruikt wordt
*/
package ibis.satin.impl.checkPointing;
import ibis.ipl.IbisIdentifier;
import ibis.satin.impl.faultTolerance.GlobalResultTable;
import ibis.satin.impl.spawnSync.ReturnRecord;
import ibis.satin.impl.spawnSync.Stamp;
import java.io.EOFException;
import java.io.IOException;
import java.io.ObjectInputStream;
import java.io.ObjectOutputStream;
import java.io.StreamCorruptedException;
import java.util.ArrayList;
import java.util.Set;
import org.gridlab.gat.GAT;
import org.gridlab.gat.GATContext;
import org.gridlab.gat.URI;
import org.gridlab.gat.io.File;
import org.gridlab.gat.io.FileInputStream;
import org.gridlab.gat.io.FileOutputStream;
public class CheckpointFile {
private String filename = null;
private FileOutputStream fileStream = null;
private ObjectOutputStream fileWriter = null;
private ArrayList<Stamp> checkpoints = new ArrayList<Stamp>();
private long maxFileSize = 0;
private boolean stopWriting = true;
public CheckpointFile(String filename) {
this(filename, 0);
}
public CheckpointFile(String filename, long maxFileSize) {
this.filename = filename;
this.maxFileSize = maxFileSize;
}
// when a global result table is passed, this function will insert
// the results into the grt, and return the number of read checkpoints
public int init(GlobalResultTable grt) {
GATContext context = new GATContext();
try {
File f = GAT.createFile(context, new URI(filename));
if (f.exists()) {
if (maxFileSize > 0 && f.length() > maxFileSize) {
restore(filename, filename + "_TMP", grt);
compress(filename + "_TMP", filename);
delete(filename + "_TMP");
} else {
move(filename, filename + "_TMP");
restore(filename + "_TMP", filename, grt);
delete(filename + "_TMP");
}
} else {
open(filename);
}
} catch (Exception e) {
System.out.println("init calling fatal");
fatal(e);
return checkpoints.size();
}
stopWriting = false;
return checkpoints.size();
}
/**
* Writes newCheckpoints to the checkpointFile and checks the filesize of
* the checkpointfile for compression afterwards. Every exception is fatal
* and results in no write-possibilities in the future whatsoever
**/
public void write(ArrayList<Checkpoint> newCheckpoints) {
if (stopWriting) {
return;
}
if (fileStream == null || fileWriter == null) {
return;
}
try {
while (newCheckpoints.size() > 0) {
Checkpoint cp = newCheckpoints.remove(0);
fileWriter.writeObject(cp);
if (cp == null) {
System.out.println("OOPS2: cp = null");
} else if (cp.rr == null) {
System.out.println("OOPS3: cp.rr = null");
}
checkpoints.add(cp.rr.getStamp());
}
} catch (IOException e) {
System.out.println("iox while writing checkpoints: " + e);
}
try {
GATContext context = new GATContext();
if (maxFileSize > 0
&& GAT.createFile(context, new URI(filename)).length() > maxFileSize) {
compress();
if (GAT.createFile(context, new URI(filename)).length() > maxFileSize) {
System.out
.println("compression resulted in too big file. Checkpointing aborted");
stopWriting = true;
}
}
} catch (Exception e) {
System.out.println("write calling fatal");
fatal(e);
}
}
/**
* Retrieves all the checkpoints which belonged to 'id' from the
* checkpoint-file and stores them in 'grt'. if id == null, all checkpoints
* belonging to any node will be stored in 'grt.'
*/
public int read(Set<IbisIdentifier> id, GlobalResultTable grt) {
int result = 0;
FileInputStream tempInputFile = null;
ObjectInputStream tempReader = null;
try {
GATContext context = new GATContext();
tempInputFile = GAT.createFileInputStream(context,
new URI(filename));
tempReader = new ObjectInputStream(tempInputFile);
while (tempInputFile.available() > 0) {
Checkpoint cp = (Checkpoint) tempReader.readObject();
if (id == null || id.contains(cp.sender)) {
ReturnRecord record = cp.rr;
synchronized (grt.s) {
grt.storeResult(record);
}
result++;
}
}
} catch (Exception e) {
System.out.println("[CheckpointFile|read] exception: " + e);
}
try {
tempInputFile.close();
tempReader.close();
} catch (Exception e) {
}
return result;
}
/**
* Tries to compress the checkpointfile. Every exception is fatal and
* results in no write-possibilities in the future whatsoever
**/
public void compress() {
if (fileStream == null || fileWriter == null) {
return;
}
try {
close();
move(filename, filename + "_TMP");
compress(filename + "_TMP", filename);
delete(filename + "_TMP");
} catch (Exception e) {
System.out.println("compress calling fatal");
fatal(e);
}
}
/**
* Tries to restore the old checkpointFile. Every Exception is fatal and
* leads to no write-possibiliets in the future whatsoever
**/
public void restore(GlobalResultTable grt) {
if (fileStream == null || fileWriter == null) {
return;
}
try {
close();
move(filename, filename + "_TMP");
restore(filename + "_TMP", filename, grt);
delete(filename + "_TMP");
} catch (Exception e) {
System.out.println("restore calling fatal");
fatal(e);
}
}
/**
* First finds all the checkpoints which don't have any parents which are
* also available, and copies only these checkpoints to dest.
**/
private void compress(String source, String dest) throws Exception {
// find out which checkpoints are needed
int i = 0;
while (i < checkpoints.size()) {
int j = i + 1;
Stamp stamp1 = checkpoints.get(i);
if (stamp1 == null) {
checkpoints.remove(i);
continue;
}
while (j < checkpoints.size()) {
Stamp stamp2 = checkpoints.get(j);
// stamp2 can be removed if it is null, equal to stamp1,
// or a descendent of stamp1.
if (stamp2 == null || stamp2.equals(stamp1)
|| stamp2.isDescendentOf(stamp1)) {
checkpoints.remove(j);
continue;
}
// stamp1 can be removed if it is a descendent of stamp2.
if (stamp1.isDescendentOf(stamp2)) {
checkpoints.remove(i);
i--;
break;
}
j++;
}
i++;
}
// write these checkpoints to the file 'dest'
FileOutputStream tempOutputFile = null;
;
ObjectOutputStream tempWriter = null;
FileInputStream tempInputFile = null;
ObjectInputStream tempReader = null;
GATContext context = new GATContext();
tempOutputFile = GAT.createFileOutputStream(context, new URI(dest),
false);
tempWriter = new ObjectOutputStream(tempOutputFile);
tempInputFile = GAT.createFileInputStream(context, new URI(source));
tempReader = new ObjectInputStream(tempInputFile);
i = 0;
while (tempInputFile.available() > 0) {
Checkpoint cp = (Checkpoint) tempReader.readObject();
if (cp.rr.getStamp().stampEquals(checkpoints.get(i))) {
tempWriter.writeObject(cp);
}
i++;
}
try {
fileStream.close();
fileWriter.close();
tempInputFile.close();
tempReader.close();
} catch (Exception e) {
}
// make 'dest' the checkpointFile
fileStream = tempOutputFile;
fileWriter = tempWriter;
}
/**
* Copies all the objects from the old checkpointfile to the new copy until
* a StreamCorruptedException occurs. Everything that was written after this
* points is lost.
**/
private void restore(String source, String dest, GlobalResultTable grt)
throws Exception {
FileOutputStream tempOutputFile = null;
ObjectOutputStream tempWriter = null;
FileInputStream tempInputFile = null;
ObjectInputStream tempReader = null;
try {
GATContext context = new GATContext();
tempOutputFile = GAT.createFileOutputStream(context, new URI(dest),
false);
tempWriter = new ObjectOutputStream(tempOutputFile);
tempInputFile = GAT.createFileInputStream(context, new URI(source));
tempReader = new ObjectInputStream(tempInputFile);
checkpoints = new ArrayList<Stamp>();
while (tempInputFile.available() > 0) {
Checkpoint cp = (Checkpoint) tempReader.readObject();
tempWriter.writeObject(cp);
tempWriter.flush();
if (grt != null) {
synchronized (grt.s) {
grt.storeResult(cp.rr);
}
// propagate updates after every 1000 updates
try {
if (checkpoints.size() % 1000 == 999) {
long begin = System.currentTimeMillis();
grt.sendUpdates();
long end = System.currentTimeMillis();
System.out.println("update took " + (end - begin)
+ " ms");
}
} catch (Exception e) {
// nullpointerException if !GRT_MESSAGE_COMBINING
}
}
checkpoints.add(cp.rr.getStamp());
}
} catch (StreamCorruptedException e) {
System.out.println("restored " + checkpoints.size()
+ " from a corrupted checkpoint file");
} catch (EOFException e) {
System.out.println("restored " + checkpoints.size()
+ " from a corrupted checkpoint file");
}
try {
fileStream.close();
fileWriter.close();
tempInputFile.close();
tempReader.close();
} catch (Exception e) {
}
fileStream = tempOutputFile;
fileWriter = tempWriter;
}
/**
* Tries to delete the file filename
**/
private void delete(String filename) {
try {
GATContext context = new GATContext();
GAT.createFile(context, new URI(filename)).delete();
} catch (Exception e) {
}
}
/**
* Moves the file source to dest
**/
private void move(String source, String dest) throws Exception {
GATContext context = new GATContext();
GAT.createFile(context, new URI(source)).move(new URI(dest));
}
/**
* Tries to open filename, so that it will be used for future
* write-operations
**/
private void open(String filename) throws Exception {
GATContext context = new GATContext();
fileStream = GAT.createFileOutputStream(context, new URI(filename),
false);
fileWriter = new ObjectOutputStream(fileStream);
}
/**
* Prints Exception e, closes all streams and deletes all temporary files.
* Cosequently, all future write-operations will fail. The read-operations
* might still succeed if fatal wasn't called on a moment the original file
* (i.e. filename) didn't exist
**/
private void fatal(Exception e) {
System.out.println("CheckpointFile: Fatal Exception: " + e);
e.printStackTrace(System.out);
close();
delete(filename + "_TMP");
fileStream = null;
fileWriter = null;
stopWriting = true;
}
public void close() {
try {
fileWriter.close();
fileStream.close();
} catch (Exception e) {
}
}
}
| RvanNieuwpoort/satin | src/main/java/ibis/satin/impl/checkPointing/CheckpointFile.java | 3,558 | /*
- De private functies die doen een operatie van source naar destination,
waarna destination de nieuwe fileWriter is.
- De public tegenhangers kopieren de file naar een tijdelijke kopie, en
doen de operatie daarna van de tijdelijke kopie naar de originele file,
zodat de checkpointFile ongewijzigd blijft
- init zorgt dat uiteindelijk de originele checkpointfile gebruikt wordt
*/ | block_comment | nl | /*
- De private<SUF>*/
package ibis.satin.impl.checkPointing;
import ibis.ipl.IbisIdentifier;
import ibis.satin.impl.faultTolerance.GlobalResultTable;
import ibis.satin.impl.spawnSync.ReturnRecord;
import ibis.satin.impl.spawnSync.Stamp;
import java.io.EOFException;
import java.io.IOException;
import java.io.ObjectInputStream;
import java.io.ObjectOutputStream;
import java.io.StreamCorruptedException;
import java.util.ArrayList;
import java.util.Set;
import org.gridlab.gat.GAT;
import org.gridlab.gat.GATContext;
import org.gridlab.gat.URI;
import org.gridlab.gat.io.File;
import org.gridlab.gat.io.FileInputStream;
import org.gridlab.gat.io.FileOutputStream;
public class CheckpointFile {
private String filename = null;
private FileOutputStream fileStream = null;
private ObjectOutputStream fileWriter = null;
private ArrayList<Stamp> checkpoints = new ArrayList<Stamp>();
private long maxFileSize = 0;
private boolean stopWriting = true;
public CheckpointFile(String filename) {
this(filename, 0);
}
public CheckpointFile(String filename, long maxFileSize) {
this.filename = filename;
this.maxFileSize = maxFileSize;
}
// when a global result table is passed, this function will insert
// the results into the grt, and return the number of read checkpoints
public int init(GlobalResultTable grt) {
GATContext context = new GATContext();
try {
File f = GAT.createFile(context, new URI(filename));
if (f.exists()) {
if (maxFileSize > 0 && f.length() > maxFileSize) {
restore(filename, filename + "_TMP", grt);
compress(filename + "_TMP", filename);
delete(filename + "_TMP");
} else {
move(filename, filename + "_TMP");
restore(filename + "_TMP", filename, grt);
delete(filename + "_TMP");
}
} else {
open(filename);
}
} catch (Exception e) {
System.out.println("init calling fatal");
fatal(e);
return checkpoints.size();
}
stopWriting = false;
return checkpoints.size();
}
/**
* Writes newCheckpoints to the checkpointFile and checks the filesize of
* the checkpointfile for compression afterwards. Every exception is fatal
* and results in no write-possibilities in the future whatsoever
**/
public void write(ArrayList<Checkpoint> newCheckpoints) {
if (stopWriting) {
return;
}
if (fileStream == null || fileWriter == null) {
return;
}
try {
while (newCheckpoints.size() > 0) {
Checkpoint cp = newCheckpoints.remove(0);
fileWriter.writeObject(cp);
if (cp == null) {
System.out.println("OOPS2: cp = null");
} else if (cp.rr == null) {
System.out.println("OOPS3: cp.rr = null");
}
checkpoints.add(cp.rr.getStamp());
}
} catch (IOException e) {
System.out.println("iox while writing checkpoints: " + e);
}
try {
GATContext context = new GATContext();
if (maxFileSize > 0
&& GAT.createFile(context, new URI(filename)).length() > maxFileSize) {
compress();
if (GAT.createFile(context, new URI(filename)).length() > maxFileSize) {
System.out
.println("compression resulted in too big file. Checkpointing aborted");
stopWriting = true;
}
}
} catch (Exception e) {
System.out.println("write calling fatal");
fatal(e);
}
}
/**
* Retrieves all the checkpoints which belonged to 'id' from the
* checkpoint-file and stores them in 'grt'. if id == null, all checkpoints
* belonging to any node will be stored in 'grt.'
*/
public int read(Set<IbisIdentifier> id, GlobalResultTable grt) {
int result = 0;
FileInputStream tempInputFile = null;
ObjectInputStream tempReader = null;
try {
GATContext context = new GATContext();
tempInputFile = GAT.createFileInputStream(context,
new URI(filename));
tempReader = new ObjectInputStream(tempInputFile);
while (tempInputFile.available() > 0) {
Checkpoint cp = (Checkpoint) tempReader.readObject();
if (id == null || id.contains(cp.sender)) {
ReturnRecord record = cp.rr;
synchronized (grt.s) {
grt.storeResult(record);
}
result++;
}
}
} catch (Exception e) {
System.out.println("[CheckpointFile|read] exception: " + e);
}
try {
tempInputFile.close();
tempReader.close();
} catch (Exception e) {
}
return result;
}
/**
* Tries to compress the checkpointfile. Every exception is fatal and
* results in no write-possibilities in the future whatsoever
**/
public void compress() {
if (fileStream == null || fileWriter == null) {
return;
}
try {
close();
move(filename, filename + "_TMP");
compress(filename + "_TMP", filename);
delete(filename + "_TMP");
} catch (Exception e) {
System.out.println("compress calling fatal");
fatal(e);
}
}
/**
* Tries to restore the old checkpointFile. Every Exception is fatal and
* leads to no write-possibiliets in the future whatsoever
**/
public void restore(GlobalResultTable grt) {
if (fileStream == null || fileWriter == null) {
return;
}
try {
close();
move(filename, filename + "_TMP");
restore(filename + "_TMP", filename, grt);
delete(filename + "_TMP");
} catch (Exception e) {
System.out.println("restore calling fatal");
fatal(e);
}
}
/**
* First finds all the checkpoints which don't have any parents which are
* also available, and copies only these checkpoints to dest.
**/
private void compress(String source, String dest) throws Exception {
// find out which checkpoints are needed
int i = 0;
while (i < checkpoints.size()) {
int j = i + 1;
Stamp stamp1 = checkpoints.get(i);
if (stamp1 == null) {
checkpoints.remove(i);
continue;
}
while (j < checkpoints.size()) {
Stamp stamp2 = checkpoints.get(j);
// stamp2 can be removed if it is null, equal to stamp1,
// or a descendent of stamp1.
if (stamp2 == null || stamp2.equals(stamp1)
|| stamp2.isDescendentOf(stamp1)) {
checkpoints.remove(j);
continue;
}
// stamp1 can be removed if it is a descendent of stamp2.
if (stamp1.isDescendentOf(stamp2)) {
checkpoints.remove(i);
i--;
break;
}
j++;
}
i++;
}
// write these checkpoints to the file 'dest'
FileOutputStream tempOutputFile = null;
;
ObjectOutputStream tempWriter = null;
FileInputStream tempInputFile = null;
ObjectInputStream tempReader = null;
GATContext context = new GATContext();
tempOutputFile = GAT.createFileOutputStream(context, new URI(dest),
false);
tempWriter = new ObjectOutputStream(tempOutputFile);
tempInputFile = GAT.createFileInputStream(context, new URI(source));
tempReader = new ObjectInputStream(tempInputFile);
i = 0;
while (tempInputFile.available() > 0) {
Checkpoint cp = (Checkpoint) tempReader.readObject();
if (cp.rr.getStamp().stampEquals(checkpoints.get(i))) {
tempWriter.writeObject(cp);
}
i++;
}
try {
fileStream.close();
fileWriter.close();
tempInputFile.close();
tempReader.close();
} catch (Exception e) {
}
// make 'dest' the checkpointFile
fileStream = tempOutputFile;
fileWriter = tempWriter;
}
/**
* Copies all the objects from the old checkpointfile to the new copy until
* a StreamCorruptedException occurs. Everything that was written after this
* points is lost.
**/
private void restore(String source, String dest, GlobalResultTable grt)
throws Exception {
FileOutputStream tempOutputFile = null;
ObjectOutputStream tempWriter = null;
FileInputStream tempInputFile = null;
ObjectInputStream tempReader = null;
try {
GATContext context = new GATContext();
tempOutputFile = GAT.createFileOutputStream(context, new URI(dest),
false);
tempWriter = new ObjectOutputStream(tempOutputFile);
tempInputFile = GAT.createFileInputStream(context, new URI(source));
tempReader = new ObjectInputStream(tempInputFile);
checkpoints = new ArrayList<Stamp>();
while (tempInputFile.available() > 0) {
Checkpoint cp = (Checkpoint) tempReader.readObject();
tempWriter.writeObject(cp);
tempWriter.flush();
if (grt != null) {
synchronized (grt.s) {
grt.storeResult(cp.rr);
}
// propagate updates after every 1000 updates
try {
if (checkpoints.size() % 1000 == 999) {
long begin = System.currentTimeMillis();
grt.sendUpdates();
long end = System.currentTimeMillis();
System.out.println("update took " + (end - begin)
+ " ms");
}
} catch (Exception e) {
// nullpointerException if !GRT_MESSAGE_COMBINING
}
}
checkpoints.add(cp.rr.getStamp());
}
} catch (StreamCorruptedException e) {
System.out.println("restored " + checkpoints.size()
+ " from a corrupted checkpoint file");
} catch (EOFException e) {
System.out.println("restored " + checkpoints.size()
+ " from a corrupted checkpoint file");
}
try {
fileStream.close();
fileWriter.close();
tempInputFile.close();
tempReader.close();
} catch (Exception e) {
}
fileStream = tempOutputFile;
fileWriter = tempWriter;
}
/**
* Tries to delete the file filename
**/
private void delete(String filename) {
try {
GATContext context = new GATContext();
GAT.createFile(context, new URI(filename)).delete();
} catch (Exception e) {
}
}
/**
* Moves the file source to dest
**/
private void move(String source, String dest) throws Exception {
GATContext context = new GATContext();
GAT.createFile(context, new URI(source)).move(new URI(dest));
}
/**
* Tries to open filename, so that it will be used for future
* write-operations
**/
private void open(String filename) throws Exception {
GATContext context = new GATContext();
fileStream = GAT.createFileOutputStream(context, new URI(filename),
false);
fileWriter = new ObjectOutputStream(fileStream);
}
/**
* Prints Exception e, closes all streams and deletes all temporary files.
* Cosequently, all future write-operations will fail. The read-operations
* might still succeed if fatal wasn't called on a moment the original file
* (i.e. filename) didn't exist
**/
private void fatal(Exception e) {
System.out.println("CheckpointFile: Fatal Exception: " + e);
e.printStackTrace(System.out);
close();
delete(filename + "_TMP");
fileStream = null;
fileWriter = null;
stopWriting = true;
}
public void close() {
try {
fileWriter.close();
fileStream.close();
} catch (Exception e) {
}
}
}
| True | False | 1,995 | 3,558 | 119 | 93 | 3,106 | 116 | 99 | 3,302 | 101 | 75 | 3,106 | 116 | 99 | 3,655 | 118 | 92 | false | false | false | false | false | true |
1,610 | 122913_5 | package be.uantwerpen.sc.controllers.mqtt;
import be.uantwerpen.sc.services.JobService;
import be.uantwerpen.sc.tools.Terminal;
import org.eclipse.paho.client.mqttv3.IMqttDeliveryToken;
import org.eclipse.paho.client.mqttv3.MqttCallback;
import org.eclipse.paho.client.mqttv3.MqttMessage;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
/**
* Created by Thomas on 01/06/2016.
*/
/*
Class waar de berichten van de mqtt worden opgevangen
*/
public class MqttJobSubscriberCallback implements MqttCallback
{
private Logger logger = LoggerFactory.getLogger(MqttJobSubscriberCallback.class);
private JobService jobService;
private MqttJobSubscriber subscriber;
public MqttJobSubscriberCallback(MqttJobSubscriber subscriber, JobService jobService)
{
this.subscriber = subscriber;
this.jobService = jobService;
}
@Override
public void connectionLost(Throwable cause)
{
//This is called when the connection is lost. We could reconnect here.
logger.error("connection lost to mqtt broker");
}
//bericht wordt ontvangen
@Override
public void messageArrived(String topic, MqttMessage mqttMessage) throws Exception
{
//TODO Process message
logger.info("mqtt message ontvangen");
logger.info("Topic: " + topic + ", Message: " + mqttMessage);
String payloadString = new String(mqttMessage.getPayload());
logger.info("payload = " + payloadString);
try
{
jobService.parseJob(payloadString); //ontvangen bericht toevoegen aan de jobs
}
catch(Exception e)
{
System.err.println("Could not parse job from message: " + payloadString);
System.err.println(e.getMessage());
}
}
@Override
public void deliveryComplete(IMqttDeliveryToken iMqttDeliveryToken)
{
}
}
| SmartCity-UAntwerpen/RobotCore | src/main/java/be/uantwerpen/sc/controllers/mqtt/MqttJobSubscriberCallback.java | 579 | //ontvangen bericht toevoegen aan de jobs | line_comment | nl | package be.uantwerpen.sc.controllers.mqtt;
import be.uantwerpen.sc.services.JobService;
import be.uantwerpen.sc.tools.Terminal;
import org.eclipse.paho.client.mqttv3.IMqttDeliveryToken;
import org.eclipse.paho.client.mqttv3.MqttCallback;
import org.eclipse.paho.client.mqttv3.MqttMessage;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
/**
* Created by Thomas on 01/06/2016.
*/
/*
Class waar de berichten van de mqtt worden opgevangen
*/
public class MqttJobSubscriberCallback implements MqttCallback
{
private Logger logger = LoggerFactory.getLogger(MqttJobSubscriberCallback.class);
private JobService jobService;
private MqttJobSubscriber subscriber;
public MqttJobSubscriberCallback(MqttJobSubscriber subscriber, JobService jobService)
{
this.subscriber = subscriber;
this.jobService = jobService;
}
@Override
public void connectionLost(Throwable cause)
{
//This is called when the connection is lost. We could reconnect here.
logger.error("connection lost to mqtt broker");
}
//bericht wordt ontvangen
@Override
public void messageArrived(String topic, MqttMessage mqttMessage) throws Exception
{
//TODO Process message
logger.info("mqtt message ontvangen");
logger.info("Topic: " + topic + ", Message: " + mqttMessage);
String payloadString = new String(mqttMessage.getPayload());
logger.info("payload = " + payloadString);
try
{
jobService.parseJob(payloadString); //ontvangen bericht<SUF>
}
catch(Exception e)
{
System.err.println("Could not parse job from message: " + payloadString);
System.err.println(e.getMessage());
}
}
@Override
public void deliveryComplete(IMqttDeliveryToken iMqttDeliveryToken)
{
}
}
| True | False | 1,996 | 579 | 12 | 11 | 482 | 14 | 13 | 496 | 9 | 8 | 482 | 14 | 13 | 586 | 12 | 11 | false | false | false | false | false | true |
2,290 | 58043_6 | /*
* This file is part of wegenenverkeer common-resteasy.
* Copyright (c) AWV Agentschap Wegen en Verkeer, Vlaamse Gemeenschap
* The program is available in open source according to the Apache License, Version 2.0.
* For full licensing details, see LICENSE.txt in the project root.
*/
package be.wegenenverkeer.common.resteasy.logging;
import be.eliwan.profiling.api.ProfilingSink;
import be.wegenenverkeer.common.resteasy.exception.AbstractRestException;
import be.wegenenverkeer.common.resteasy.exception.ExceptionUtil;
import be.wegenenverkeer.common.resteasy.exception.ServiceException;
import be.wegenenverkeer.common.resteasy.json.InputStreamSerializer;
import be.wegenenverkeer.common.resteasy.json.RestJsonMapper;
import org.jboss.resteasy.annotations.interception.ServerInterceptor;
import org.jboss.resteasy.core.ResourceMethodInvoker;
import org.jboss.resteasy.core.ServerResponse;
import org.jboss.resteasy.spi.Failure;
import org.jboss.resteasy.spi.HttpRequest;
import org.jboss.resteasy.spi.interception.MessageBodyReaderContext;
import org.jboss.resteasy.spi.interception.MessageBodyReaderInterceptor;
import org.jboss.resteasy.spi.interception.PostProcessInterceptor;
import org.jboss.resteasy.spi.interception.PreProcessInterceptor;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.beans.factory.InitializingBean;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.beans.factory.annotation.Qualifier;
import org.springframework.stereotype.Component;
import java.io.IOException;
import java.io.InputStream;
import java.lang.annotation.Annotation;
import java.util.List;
import java.util.Map;
import javax.ws.rs.WebApplicationException;
import javax.ws.rs.core.Cookie;
import javax.ws.rs.core.MediaType;
import javax.ws.rs.core.MultivaluedMap;
import javax.ws.rs.ext.Provider;
/**
* Deze klasse is een resteasy interceptor die zichzelf tevens exposed als een spring-bean. De interceptor haakt
* zichzelf voor en na elke call en realiseert degelijke logging van elke call waarbij getracht wordt data van
* verschillende stadia van de executie van eenzelfde request samen te houden in het kader van concurrent logs. De
* interceptor kan gebruikt worden als logger voor servicecode: de logging van de gebruiker wordt dan mee in de output
* van deze logger gestopt.
*/
@Provider
@Component("loggerInterceptor")
@ServerInterceptor
public class PreProcessLoggingInterceptor
implements InitializingBean, PreProcessInterceptor, MessageBodyReaderInterceptor, PostProcessInterceptor {
private static final Logger LOG = LoggerFactory.getLogger(PreProcessLoggingInterceptor.class);
private static final RestJsonMapper MAPPER = new RestJsonMapper();
private static final String NEWLINE = "\n";
private static final String INDENT = "\n\t";
private static final String ARROW = " -> ";
private static final ThreadLocal<StringBuilder> STRING_BUILDER = new ThreadLocal<>();
/**
* String indicating the grouping for the profiling. Each service handled independently..
*/
public static final ThreadLocal<String> PROFILE_GROUP = new ThreadLocal<>();
/**
* Service request URL.
*/
public static final ThreadLocal<Long> START_MOMENT = new ThreadLocal<>();
@Autowired(required = false)
@Qualifier("restProfilingRegistrar")
private ProfilingSink profilingContainer = (group, duration) -> {
// do nothing
};
@Override
public void afterPropertiesSet() throws Exception {
MAPPER.addClassSerializer(InputStream.class, new InputStreamSerializer());
}
/**
* Implementatie van de PreProcessInterceptor interface.
*
* @param request De request
* @param method De method
* @return De server response
* @throws Failure De failure exception
* @throws WebApplicationException De web application exception
*/
@Override
public ServerResponse preProcess(HttpRequest request, ResourceMethodInvoker method)
throws Failure, WebApplicationException {
START_MOMENT.set(System.currentTimeMillis());
PROFILE_GROUP.set(method.getMethod().getDeclaringClass().getSimpleName() + ":" + method.getMethod().getName());
STRING_BUILDER.set(new StringBuilder("Service: "));
StringBuilder sb = STRING_BUILDER.get();
sb.append(request.getHttpMethod());
sb.append(' ');
sb.append(request.getUri().getAbsolutePath().toASCIIString());
// log HTTP request headers
sb.append("\nHTTP request headers:");
for (Map.Entry<String, List<String>> entry : request.getHttpHeaders().getRequestHeaders().entrySet()) {
sb.append("\n ").append(entry.getKey()).append(": ");
String sep = "";
for (String s : entry.getValue()) {
sb.append(sep);
sep = ", ";
sb.append(s);
}
}
if (null != method.getConsumes()) {
sb.append("\nRequest types");
for (MediaType mediaType : method.getConsumes()) {
sb.append(' ').append(mediaType.toString());
}
}
if (null != method.getProduces()) {
sb.append("\nResponse types");
for (MediaType mediaType : method.getProduces()) {
sb.append(' ').append(mediaType.toString());
}
}
sb.append("\nCookies: ");
Map<String, Cookie> cookies = request.getHttpHeaders().getCookies();
for (Map.Entry<String, Cookie> entry : cookies.entrySet()) {
sb.append(INDENT);
sb.append(entry.getKey());
sb.append(ARROW);
sb.append(entry.getValue());
}
sb.append("\nQuery Parameters: ");
MultivaluedMap<String, String> params = request.getUri().getQueryParameters();
for (Map.Entry<String, List<String>> entry : params.entrySet()) {
sb.append(INDENT);
sb.append(entry.getKey());
sb.append(ARROW);
sb.append(entry.getValue());
}
sb.append("\nPath parameters: ");
MultivaluedMap<String, String> pathParams = request.getUri().getPathParameters();
for (Map.Entry<String, List<String>> entry : pathParams.entrySet()) {
sb.append(INDENT);
sb.append(entry.getKey());
sb.append(ARROW);
sb.append(entry.getValue());
}
return null;
}
/**
* Implementatie van de MessageBodyReaderInterceptor interface.
*
* @param context de service context
* @return deze methode geeft gewoon het antwoord van de volgende reader in de chain terug
* @throws IOException indien de vorige reader deze exception gooit
*/
@Override
public Object read(MessageBodyReaderContext context) throws IOException {
Object result = context.proceed();
StringBuilder sb = STRING_BUILDER.get();
sb.append("\nDocument body type: ").append(result.getClass().toString());
sb.append("\nDocument content:\n");
if (result.getClass().isAnnotationPresent(DoNotLog.class)) {
sb.append("<Not serialized " + result.getClass().toString() + ">");
} else if (result.getClass().isAnnotationPresent(LogUsingToString.class)) {
sb.append(result.toString());
} else {
sb.append(MAPPER.writeValueAsString(result));
}
return result;
}
/**
* Implementatie van de PostProcessInterceptor interface.
*
* @param response server response
*/
@Override
public void postProcess(ServerResponse response) {
StringBuilder sb = STRING_BUILDER.get();
if (null == sb) {
sb = new StringBuilder();
STRING_BUILDER.set(sb);
}
Object result = response.getEntity();
if (result != null) {
sb.append("\nReply type: ");
sb.append(result.getClass().toString());
sb.append("\nOutput document:\n");
try {
if (result.getClass().isAnnotationPresent(DoNotLog.class)) {
sb.append("<Not serialized " + result.getClass().toString() + ">");
} else if (contains(response.getAnnotations(), DoNotLogResponse.class)) {
sb.append(String.format("<Not serialized response from method '%s>",
PROFILE_GROUP.get()));
} else if (result.getClass().isAnnotationPresent(LogUsingToString.class)) {
sb.append(result.toString());
} else if (result instanceof String) {
sb.append(result);
} else {
String output = MAPPER.writeValueAsString(result);
sb.append(output);
}
} catch (IOException e) {
LOG.warn("JSON probleem met " + result, e);
}
}
finishCall(false);
}
/**
* Afsluitende logging in geval van een error.
*
* @param exception te loggen fout
* @param msg boodschap
*/
public void postProcessError(Exception exception, String msg) {
StringBuilder sb = STRING_BUILDER.get();
if (null == sb) {
sb = new StringBuilder();
STRING_BUILDER.set(sb);
}
sb.append("\nOOPS: ").append(msg).append(NEWLINE);
ExceptionUtil eu = new ExceptionUtil(exception);
if (exception instanceof AbstractRestException && !(exception instanceof ServiceException)) {
// no stack trace, log at info level
finishCall(false);
} else {
sb.append(eu.getStackTrace());
finishCall(true);
}
}
private void finishCall(boolean isError) {
StringBuilder sb = STRING_BUILDER.get();
long now = System.currentTimeMillis();
Long start = START_MOMENT.get();
if (null != start) {
long time = now - start;
profilingContainer.register(PROFILE_GROUP.get(), time);
sb.append(String.format("%nDuur: %.3fs", time / 1000.0));
} else {
sb.append("\nDuur: Onbekend, kan starttijd niet bepalen.");
}
if (isError) {
LOG.error(sb.toString());
} else {
LOG.info(sb.toString());
}
PROFILE_GROUP.remove();
START_MOMENT.remove();
STRING_BUILDER.remove();
}
private boolean contains(Annotation[] list, Class<?> annotation) {
if (null != list) {
for (Annotation test : list) {
if (annotation.isAssignableFrom(test.getClass())) {
return true;
}
}
}
return false;
}
}
| bramp/common-resteasy | resteasy/src/main/java/be/wegenenverkeer/common/resteasy/logging/PreProcessLoggingInterceptor.java | 2,965 | /**
* Implementatie van de MessageBodyReaderInterceptor interface.
*
* @param context de service context
* @return deze methode geeft gewoon het antwoord van de volgende reader in de chain terug
* @throws IOException indien de vorige reader deze exception gooit
*/ | block_comment | nl | /*
* This file is part of wegenenverkeer common-resteasy.
* Copyright (c) AWV Agentschap Wegen en Verkeer, Vlaamse Gemeenschap
* The program is available in open source according to the Apache License, Version 2.0.
* For full licensing details, see LICENSE.txt in the project root.
*/
package be.wegenenverkeer.common.resteasy.logging;
import be.eliwan.profiling.api.ProfilingSink;
import be.wegenenverkeer.common.resteasy.exception.AbstractRestException;
import be.wegenenverkeer.common.resteasy.exception.ExceptionUtil;
import be.wegenenverkeer.common.resteasy.exception.ServiceException;
import be.wegenenverkeer.common.resteasy.json.InputStreamSerializer;
import be.wegenenverkeer.common.resteasy.json.RestJsonMapper;
import org.jboss.resteasy.annotations.interception.ServerInterceptor;
import org.jboss.resteasy.core.ResourceMethodInvoker;
import org.jboss.resteasy.core.ServerResponse;
import org.jboss.resteasy.spi.Failure;
import org.jboss.resteasy.spi.HttpRequest;
import org.jboss.resteasy.spi.interception.MessageBodyReaderContext;
import org.jboss.resteasy.spi.interception.MessageBodyReaderInterceptor;
import org.jboss.resteasy.spi.interception.PostProcessInterceptor;
import org.jboss.resteasy.spi.interception.PreProcessInterceptor;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.beans.factory.InitializingBean;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.beans.factory.annotation.Qualifier;
import org.springframework.stereotype.Component;
import java.io.IOException;
import java.io.InputStream;
import java.lang.annotation.Annotation;
import java.util.List;
import java.util.Map;
import javax.ws.rs.WebApplicationException;
import javax.ws.rs.core.Cookie;
import javax.ws.rs.core.MediaType;
import javax.ws.rs.core.MultivaluedMap;
import javax.ws.rs.ext.Provider;
/**
* Deze klasse is een resteasy interceptor die zichzelf tevens exposed als een spring-bean. De interceptor haakt
* zichzelf voor en na elke call en realiseert degelijke logging van elke call waarbij getracht wordt data van
* verschillende stadia van de executie van eenzelfde request samen te houden in het kader van concurrent logs. De
* interceptor kan gebruikt worden als logger voor servicecode: de logging van de gebruiker wordt dan mee in de output
* van deze logger gestopt.
*/
@Provider
@Component("loggerInterceptor")
@ServerInterceptor
public class PreProcessLoggingInterceptor
implements InitializingBean, PreProcessInterceptor, MessageBodyReaderInterceptor, PostProcessInterceptor {
private static final Logger LOG = LoggerFactory.getLogger(PreProcessLoggingInterceptor.class);
private static final RestJsonMapper MAPPER = new RestJsonMapper();
private static final String NEWLINE = "\n";
private static final String INDENT = "\n\t";
private static final String ARROW = " -> ";
private static final ThreadLocal<StringBuilder> STRING_BUILDER = new ThreadLocal<>();
/**
* String indicating the grouping for the profiling. Each service handled independently..
*/
public static final ThreadLocal<String> PROFILE_GROUP = new ThreadLocal<>();
/**
* Service request URL.
*/
public static final ThreadLocal<Long> START_MOMENT = new ThreadLocal<>();
@Autowired(required = false)
@Qualifier("restProfilingRegistrar")
private ProfilingSink profilingContainer = (group, duration) -> {
// do nothing
};
@Override
public void afterPropertiesSet() throws Exception {
MAPPER.addClassSerializer(InputStream.class, new InputStreamSerializer());
}
/**
* Implementatie van de PreProcessInterceptor interface.
*
* @param request De request
* @param method De method
* @return De server response
* @throws Failure De failure exception
* @throws WebApplicationException De web application exception
*/
@Override
public ServerResponse preProcess(HttpRequest request, ResourceMethodInvoker method)
throws Failure, WebApplicationException {
START_MOMENT.set(System.currentTimeMillis());
PROFILE_GROUP.set(method.getMethod().getDeclaringClass().getSimpleName() + ":" + method.getMethod().getName());
STRING_BUILDER.set(new StringBuilder("Service: "));
StringBuilder sb = STRING_BUILDER.get();
sb.append(request.getHttpMethod());
sb.append(' ');
sb.append(request.getUri().getAbsolutePath().toASCIIString());
// log HTTP request headers
sb.append("\nHTTP request headers:");
for (Map.Entry<String, List<String>> entry : request.getHttpHeaders().getRequestHeaders().entrySet()) {
sb.append("\n ").append(entry.getKey()).append(": ");
String sep = "";
for (String s : entry.getValue()) {
sb.append(sep);
sep = ", ";
sb.append(s);
}
}
if (null != method.getConsumes()) {
sb.append("\nRequest types");
for (MediaType mediaType : method.getConsumes()) {
sb.append(' ').append(mediaType.toString());
}
}
if (null != method.getProduces()) {
sb.append("\nResponse types");
for (MediaType mediaType : method.getProduces()) {
sb.append(' ').append(mediaType.toString());
}
}
sb.append("\nCookies: ");
Map<String, Cookie> cookies = request.getHttpHeaders().getCookies();
for (Map.Entry<String, Cookie> entry : cookies.entrySet()) {
sb.append(INDENT);
sb.append(entry.getKey());
sb.append(ARROW);
sb.append(entry.getValue());
}
sb.append("\nQuery Parameters: ");
MultivaluedMap<String, String> params = request.getUri().getQueryParameters();
for (Map.Entry<String, List<String>> entry : params.entrySet()) {
sb.append(INDENT);
sb.append(entry.getKey());
sb.append(ARROW);
sb.append(entry.getValue());
}
sb.append("\nPath parameters: ");
MultivaluedMap<String, String> pathParams = request.getUri().getPathParameters();
for (Map.Entry<String, List<String>> entry : pathParams.entrySet()) {
sb.append(INDENT);
sb.append(entry.getKey());
sb.append(ARROW);
sb.append(entry.getValue());
}
return null;
}
/**
* Implementatie van de<SUF>*/
@Override
public Object read(MessageBodyReaderContext context) throws IOException {
Object result = context.proceed();
StringBuilder sb = STRING_BUILDER.get();
sb.append("\nDocument body type: ").append(result.getClass().toString());
sb.append("\nDocument content:\n");
if (result.getClass().isAnnotationPresent(DoNotLog.class)) {
sb.append("<Not serialized " + result.getClass().toString() + ">");
} else if (result.getClass().isAnnotationPresent(LogUsingToString.class)) {
sb.append(result.toString());
} else {
sb.append(MAPPER.writeValueAsString(result));
}
return result;
}
/**
* Implementatie van de PostProcessInterceptor interface.
*
* @param response server response
*/
@Override
public void postProcess(ServerResponse response) {
StringBuilder sb = STRING_BUILDER.get();
if (null == sb) {
sb = new StringBuilder();
STRING_BUILDER.set(sb);
}
Object result = response.getEntity();
if (result != null) {
sb.append("\nReply type: ");
sb.append(result.getClass().toString());
sb.append("\nOutput document:\n");
try {
if (result.getClass().isAnnotationPresent(DoNotLog.class)) {
sb.append("<Not serialized " + result.getClass().toString() + ">");
} else if (contains(response.getAnnotations(), DoNotLogResponse.class)) {
sb.append(String.format("<Not serialized response from method '%s>",
PROFILE_GROUP.get()));
} else if (result.getClass().isAnnotationPresent(LogUsingToString.class)) {
sb.append(result.toString());
} else if (result instanceof String) {
sb.append(result);
} else {
String output = MAPPER.writeValueAsString(result);
sb.append(output);
}
} catch (IOException e) {
LOG.warn("JSON probleem met " + result, e);
}
}
finishCall(false);
}
/**
* Afsluitende logging in geval van een error.
*
* @param exception te loggen fout
* @param msg boodschap
*/
public void postProcessError(Exception exception, String msg) {
StringBuilder sb = STRING_BUILDER.get();
if (null == sb) {
sb = new StringBuilder();
STRING_BUILDER.set(sb);
}
sb.append("\nOOPS: ").append(msg).append(NEWLINE);
ExceptionUtil eu = new ExceptionUtil(exception);
if (exception instanceof AbstractRestException && !(exception instanceof ServiceException)) {
// no stack trace, log at info level
finishCall(false);
} else {
sb.append(eu.getStackTrace());
finishCall(true);
}
}
private void finishCall(boolean isError) {
StringBuilder sb = STRING_BUILDER.get();
long now = System.currentTimeMillis();
Long start = START_MOMENT.get();
if (null != start) {
long time = now - start;
profilingContainer.register(PROFILE_GROUP.get(), time);
sb.append(String.format("%nDuur: %.3fs", time / 1000.0));
} else {
sb.append("\nDuur: Onbekend, kan starttijd niet bepalen.");
}
if (isError) {
LOG.error(sb.toString());
} else {
LOG.info(sb.toString());
}
PROFILE_GROUP.remove();
START_MOMENT.remove();
STRING_BUILDER.remove();
}
private boolean contains(Annotation[] list, Class<?> annotation) {
if (null != list) {
for (Annotation test : list) {
if (annotation.isAssignableFrom(test.getClass())) {
return true;
}
}
}
return false;
}
}
| True | False | 2,000 | 2,965 | 70 | 47 | 2,519 | 67 | 50 | 2,655 | 62 | 39 | 2,519 | 67 | 50 | 2,950 | 72 | 49 | false | false | false | false | false | true |
1,875 | 22054_14 | /**
*
* CVS: $Header: /export/home0/cvsroot/socsg/DRAMA/Sources/be/ac/kuleuven/cs/drama/simulator/devices/CVO/PTW.java,v 1.1.1.1 2001/09/07 09:41:38 dirkw Exp $
*
* (C) 2000
* Katholieke Universiteit Leuven
* Developed at Dept. Computer Science
*
*/
package be.ac.kuleuven.cs.drama.simulator.devices.CVO;
import be.ac.kuleuven.cs.drama.simulator.basis.*;
import be.ac.kuleuven.cs.drama.events.*;
/** Klasse voor bewerkingen op PTWs (PTW=programmatoestandswoord)*
* @version 1.2 19 APR 2015
* @author Tom Vekemans
* @author Jo-Thijs Daelman
*/
public abstract class PTW extends Register {
private PTWChangeEvent evt = new PTWChangeEvent(this, null);
private PTWChangeListener _myListener;
/**instantieer een nieuw PTW
*/
public PTW() {
try {
_myListener = ((PTWChangeListener)GeneralEventAdapter.instance().
getEventAdapter("PTWChangeEventAdapter"));
} catch (Exception e) {
System.out.println(e.toString() + " : " + evt.toString());
}
}
/**initialiseer dit PTW
*/
public abstract void init();
/**geef de bevelenteller van dit PTW
@return de waarde van de bevelenteller van dit PTW
*/
public abstract long getBT();
/**zet de waarde van de bevelenteller
@param value de nieuwe waarde van de bevelenteller
*/
public abstract void setBT(long value);
/**geef de conditiecode
@return de waarde van de conditiecode van dit PTW
*/
public abstract int getCC();
/**zet de waarde van de conditiecode
@param value de nieuwe waarde van de conditiecode
*/
public abstract void setCC(int value);
/**geef de overloopindicator
@return de waarde van de overloopindicator van dit PTW
*/
public abstract boolean getOVI();
/**zet de waarde van de overloopindicator
@param value de nieuwe waarde van de overloopindicator
*/
public abstract void setOVI(boolean value);
/**geef de stapeloverloopindicator
@return de waarde van de stapeloverloopindicator van dit PTW
*/
public abstract boolean getSOI();
/**zet de waarde van de stapeloverloopindicator
@param value de nieuwe waarde van de stapeloverloopindicator
*/
public abstract void setSOI(boolean value);
/**geef de supervisie status terug
@return de waarde van de S/P masker van dit PTW
*/
public abstract boolean getSupervisionState();
/**geef de geheugen beheer eenheid
@return de waarde van de conditiecode van dit PTW
*/
public abstract long getGBE();
/**zet de waarde van de geheugen beheer eenheid
@param value de nieuwe waarde van de geheugen beheer eenheid
*/
public abstract void setGBE(long value);
/**zet de waarde van het "waarde" deel van dit PTW. Het
"waarde" deel is het deel van het PTW zonder maskervlaggen
@param value de waarde die het "waarde" deel moet krijgen
*/
public abstract void setValue(long value);
/**zet de waarde van het "masker" deel van dit PTW. Het
"masker" deel bestaat uit de maskervlaggen van het PTW
@param value de waarde die het "masker" deel moet krijgen
*/
public abstract void setMaskerValue(long value);
/**verwittig de objecten die geïnteresseerd zijn in veranderingen van het
PTW dat er een wijziging is opgetreden
*/
protected final void notifyListeners() {
try {
evt.setPTW(this);
_myListener.PTWChange(evt);
} catch (Exception e) {
System.out.println(e.toString() + " : " + evt.toString());
}
}
public abstract boolean getInterruptFlag(int flag);
public abstract void setInterruptFlag(int flag, boolean value);
}
| WillemDeGroef/drama | src/be/ac/kuleuven/cs/drama/simulator/devices/CVO/PTW.java | 1,211 | /**zet de waarde van de geheugen beheer eenheid
@param value de nieuwe waarde van de geheugen beheer eenheid
*/ | block_comment | nl | /**
*
* CVS: $Header: /export/home0/cvsroot/socsg/DRAMA/Sources/be/ac/kuleuven/cs/drama/simulator/devices/CVO/PTW.java,v 1.1.1.1 2001/09/07 09:41:38 dirkw Exp $
*
* (C) 2000
* Katholieke Universiteit Leuven
* Developed at Dept. Computer Science
*
*/
package be.ac.kuleuven.cs.drama.simulator.devices.CVO;
import be.ac.kuleuven.cs.drama.simulator.basis.*;
import be.ac.kuleuven.cs.drama.events.*;
/** Klasse voor bewerkingen op PTWs (PTW=programmatoestandswoord)*
* @version 1.2 19 APR 2015
* @author Tom Vekemans
* @author Jo-Thijs Daelman
*/
public abstract class PTW extends Register {
private PTWChangeEvent evt = new PTWChangeEvent(this, null);
private PTWChangeListener _myListener;
/**instantieer een nieuw PTW
*/
public PTW() {
try {
_myListener = ((PTWChangeListener)GeneralEventAdapter.instance().
getEventAdapter("PTWChangeEventAdapter"));
} catch (Exception e) {
System.out.println(e.toString() + " : " + evt.toString());
}
}
/**initialiseer dit PTW
*/
public abstract void init();
/**geef de bevelenteller van dit PTW
@return de waarde van de bevelenteller van dit PTW
*/
public abstract long getBT();
/**zet de waarde van de bevelenteller
@param value de nieuwe waarde van de bevelenteller
*/
public abstract void setBT(long value);
/**geef de conditiecode
@return de waarde van de conditiecode van dit PTW
*/
public abstract int getCC();
/**zet de waarde van de conditiecode
@param value de nieuwe waarde van de conditiecode
*/
public abstract void setCC(int value);
/**geef de overloopindicator
@return de waarde van de overloopindicator van dit PTW
*/
public abstract boolean getOVI();
/**zet de waarde van de overloopindicator
@param value de nieuwe waarde van de overloopindicator
*/
public abstract void setOVI(boolean value);
/**geef de stapeloverloopindicator
@return de waarde van de stapeloverloopindicator van dit PTW
*/
public abstract boolean getSOI();
/**zet de waarde van de stapeloverloopindicator
@param value de nieuwe waarde van de stapeloverloopindicator
*/
public abstract void setSOI(boolean value);
/**geef de supervisie status terug
@return de waarde van de S/P masker van dit PTW
*/
public abstract boolean getSupervisionState();
/**geef de geheugen beheer eenheid
@return de waarde van de conditiecode van dit PTW
*/
public abstract long getGBE();
/**zet de waarde<SUF>*/
public abstract void setGBE(long value);
/**zet de waarde van het "waarde" deel van dit PTW. Het
"waarde" deel is het deel van het PTW zonder maskervlaggen
@param value de waarde die het "waarde" deel moet krijgen
*/
public abstract void setValue(long value);
/**zet de waarde van het "masker" deel van dit PTW. Het
"masker" deel bestaat uit de maskervlaggen van het PTW
@param value de waarde die het "masker" deel moet krijgen
*/
public abstract void setMaskerValue(long value);
/**verwittig de objecten die geïnteresseerd zijn in veranderingen van het
PTW dat er een wijziging is opgetreden
*/
protected final void notifyListeners() {
try {
evt.setPTW(this);
_myListener.PTWChange(evt);
} catch (Exception e) {
System.out.println(e.toString() + " : " + evt.toString());
}
}
public abstract boolean getInterruptFlag(int flag);
public abstract void setInterruptFlag(int flag, boolean value);
}
| True | False | 2,003 | 1,211 | 39 | 31 | 1,117 | 41 | 36 | 1,078 | 31 | 24 | 1,117 | 41 | 36 | 1,218 | 37 | 30 | false | false | false | false | false | true |
856 | 159134_16 | /*
* This file is part of UltimateCore, licensed under the MIT License (MIT).
*
* Copyright (c) Bammerbom
*
* Permission is hereby granted, free of charge, to any person obtaining a copy
* of this software and associated documentation files (the "Software"), to deal
* in the Software without restriction, including without limitation the rights
* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
* copies of the Software, and to permit persons to whom the Software is
* furnished to do so, subject to the following conditions:
*
* The above copyright notice and this permission notice shall be included in
* all copies or substantial portions of the Software.
*
* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
* THE SOFTWARE.
*/
package bammerbom.ultimatecore.sponge.api.module;
import bammerbom.ultimatecore.sponge.UltimateCore;
import java.util.Optional;
/**
* This is a enum containing all official modules of UltimateCore
*/
public class Modules {
private static ModuleService service = UltimateCore.get().getModuleService();
//TODO create javadocs for a description of every module
public static Optional<Module> AFK = service.getModule("afk");
public static Optional<Module> AUTOMESSAGE = service.getModule("automessage");
public static Optional<Module> BACK = service.getModule("back");
public static Optional<Module> BACKUP = service.getModule("backup");
public static Optional<Module> BAN = service.getModule("ban");
public static Optional<Module> BLACKLIST = service.getModule("blacklist");
public static Optional<Module> BLOCKPROTECTION = service.getModule("blockprotection");
public static Optional<Module> BLOOD = service.getModule("blood");
public static Optional<Module> BROADCAST = service.getModule("broadcast");
public static Optional<Module> BURN = service.getModule("burn");
public static Optional<Module> CHAT = service.getModule("chat");
//Allows for warmup & cooldown for commands
public static Optional<Module> COMMANDTIMER = service.getModule("commandtimer");
//Logs all commands to the console, should be filterable
public static Optional<Module> COMMANDLOG = service.getModule("commandlog");
public static Optional<Module> COMMANDSIGN = service.getModule("commandsigns");
//Custom join & leave messages
//First join commands
public static Optional<Module> CONNECTIONMESSAGES = service.getModule("connectionmessages");
public static Optional<Module> CORE = service.getModule("core");
//Create custom commands which print specific text or execute other commands
public static Optional<Module> CUSTOMCOMMANDS = service.getModule("customcommands");
public static Optional<Module> DEAF = service.getModule("deaf");
public static Optional<Module> DEATHMESSAGE = service.getModule("deathmessage");
public static Optional<Module> DEFAULT = service.getModule("default");
public static Optional<Module> ECONOMY = service.getModule("economy");
public static Optional<Module> EXPERIENCE = service.getModule("experience");
public static Optional<Module> EXPLOSION = service.getModule("explosion");
public static Optional<Module> FOOD = service.getModule("food");
public static Optional<Module> FLY = service.getModule("fly");
public static Optional<Module> FREEZE = service.getModule("freeze");
public static Optional<Module> GAMEMODE = service.getModule("gamemode");
public static Optional<Module> GEOIP = service.getModule("geoip");
public static Optional<Module> GOD = service.getModule("god");
public static Optional<Module> HOLOGRAM = service.getModule("holograms");
public static Optional<Module> HOME = service.getModule("home");
public static Optional<Module> HEAL = service.getModule("heal");
//Exempt perm
public static Optional<Module> IGNORE = service.getModule("ignore");
public static Optional<Module> INSTANTRESPAWN = service.getModule("instantrespawn");
public static Optional<Module> INVSEE = service.getModule("invsee");
public static Optional<Module> ITEM = service.getModule("item");
public static Optional<Module> JAIL = service.getModule("jail");
public static Optional<Module> KICK = service.getModule("kick");
public static Optional<Module> KIT = service.getModule("kit");
public static Optional<Module> MAIL = service.getModule("mail");
public static Optional<Module> MOBTP = service.getModule("mobtp");
//Commands like /accountstatus, /mcservers, etc
public static Optional<Module> MOJANGSERVICE = service.getModule("mojangservice");
public static Optional<Module> MUTE = service.getModule("mute");
//Change player's nametag
public static Optional<Module> NAMETAG = service.getModule("nametag");
public static Optional<Module> NICK = service.getModule("nick");
public static Optional<Module> NOCLIP = service.getModule("noclip");
public static Optional<Module> PARTICLE = service.getModule("particle");
public static Optional<Module> PERFORMANCE = service.getModule("performance");
//The /playerinfo command which displays a lot of info of a player, clickable to change
public static Optional<Module> PLAYERINFO = service.getModule("playerinfo");
public static Optional<Module> PLUGIN = service.getModule("plugin");
public static Optional<Module> PERSONALMESSAGE = service.getModule("personalmessage");
public static Optional<Module> POKE = service.getModule("poke");
//Create portals
public static Optional<Module> PORTAL = service.getModule("portal");
//Global and per person
public static Optional<Module> POWERTOOL = service.getModule("powertool");
public static Optional<Module> PREGENERATOR = service.getModule("pregenerator");
//Protect stuff like chests, itemframes, etc (Customizable, obviously)
public static Optional<Module> PROTECT = service.getModule("protect");
//Generate random numbers, booleans, strings, etc
public static Optional<Module> RANDOM = service.getModule("random");
public static Optional<Module> REPORT = service.getModule("report");
//Schedule commands at specific times of a day
public static Optional<Module> SCHEDULER = service.getModule("scheduler");
public static Optional<Module> SCOREBOARD = service.getModule("scoreboard");
public static Optional<Module> SERVERLIST = service.getModule("serverlist");
public static Optional<Module> SIGN = service.getModule("sign");
public static Optional<Module> SOUND = service.getModule("sound");
//Seperate /firstspawn & /setfirstspawn
public static Optional<Module> SPAWN = service.getModule("spawn");
public static Optional<Module> SPAWNMOB = service.getModule("spawnmob");
public static Optional<Module> SPY = service.getModule("spy");
//Mogelijkheid om meerdere commands te maken
public static Optional<Module> STAFFCHAT = service.getModule("staffchat");
//Better /stop and /restart commands (Time?)
public static Optional<Module> STOPRESTART = service.getModule("stoprestart");
public static Optional<Module> SUDO = service.getModule("sudo");
//Animated, refresh every x seconds
public static Optional<Module> TABLIST = service.getModule("tablist");
//Split the /teleport command better
public static Optional<Module> TELEPORT = service.getModule("teleport");
//Teleport to a random location, include /biometp
public static Optional<Module> TELEPORTRANDOM = service.getModule("teleportrandom");
public static Optional<Module> TIME = service.getModule("time");
//Timber
public static Optional<Module> TREE = service.getModule("tree");
//Change the unknown command message
public static Optional<Module> UNKNOWNCOMMAND = service.getModule("unknowncommand");
public static Optional<Module> UPDATE = service.getModule("update");
public static Optional<Module> VANISH = service.getModule("vanish");
public static Optional<Module> VILLAGER = service.getModule("villager");
//Votifier module
public static Optional<Module> VOTIFIER = service.getModule("votifier");
public static Optional<Module> WARP = service.getModule("warp");
public static Optional<Module> WEATHER = service.getModule("weather");
//Stop using flags, use seperate commands & clickable chat interface
public static Optional<Module> WORLD = service.getModule("world");
public static Optional<Module> WORLDBORDER = service.getModule("worldborder");
public static Optional<Module> WORLDINVENTORIES = service.getModule("worldinventories");
//TODO /smelt command?
public static Optional<Module> get(String id) {
return service.getModule(id);
}
}
| JonathanBrouwer/UltimateCore | src/main/java/bammerbom/ultimatecore/sponge/api/module/Modules.java | 2,482 | //Mogelijkheid om meerdere commands te maken | line_comment | nl | /*
* This file is part of UltimateCore, licensed under the MIT License (MIT).
*
* Copyright (c) Bammerbom
*
* Permission is hereby granted, free of charge, to any person obtaining a copy
* of this software and associated documentation files (the "Software"), to deal
* in the Software without restriction, including without limitation the rights
* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
* copies of the Software, and to permit persons to whom the Software is
* furnished to do so, subject to the following conditions:
*
* The above copyright notice and this permission notice shall be included in
* all copies or substantial portions of the Software.
*
* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
* THE SOFTWARE.
*/
package bammerbom.ultimatecore.sponge.api.module;
import bammerbom.ultimatecore.sponge.UltimateCore;
import java.util.Optional;
/**
* This is a enum containing all official modules of UltimateCore
*/
public class Modules {
private static ModuleService service = UltimateCore.get().getModuleService();
//TODO create javadocs for a description of every module
public static Optional<Module> AFK = service.getModule("afk");
public static Optional<Module> AUTOMESSAGE = service.getModule("automessage");
public static Optional<Module> BACK = service.getModule("back");
public static Optional<Module> BACKUP = service.getModule("backup");
public static Optional<Module> BAN = service.getModule("ban");
public static Optional<Module> BLACKLIST = service.getModule("blacklist");
public static Optional<Module> BLOCKPROTECTION = service.getModule("blockprotection");
public static Optional<Module> BLOOD = service.getModule("blood");
public static Optional<Module> BROADCAST = service.getModule("broadcast");
public static Optional<Module> BURN = service.getModule("burn");
public static Optional<Module> CHAT = service.getModule("chat");
//Allows for warmup & cooldown for commands
public static Optional<Module> COMMANDTIMER = service.getModule("commandtimer");
//Logs all commands to the console, should be filterable
public static Optional<Module> COMMANDLOG = service.getModule("commandlog");
public static Optional<Module> COMMANDSIGN = service.getModule("commandsigns");
//Custom join & leave messages
//First join commands
public static Optional<Module> CONNECTIONMESSAGES = service.getModule("connectionmessages");
public static Optional<Module> CORE = service.getModule("core");
//Create custom commands which print specific text or execute other commands
public static Optional<Module> CUSTOMCOMMANDS = service.getModule("customcommands");
public static Optional<Module> DEAF = service.getModule("deaf");
public static Optional<Module> DEATHMESSAGE = service.getModule("deathmessage");
public static Optional<Module> DEFAULT = service.getModule("default");
public static Optional<Module> ECONOMY = service.getModule("economy");
public static Optional<Module> EXPERIENCE = service.getModule("experience");
public static Optional<Module> EXPLOSION = service.getModule("explosion");
public static Optional<Module> FOOD = service.getModule("food");
public static Optional<Module> FLY = service.getModule("fly");
public static Optional<Module> FREEZE = service.getModule("freeze");
public static Optional<Module> GAMEMODE = service.getModule("gamemode");
public static Optional<Module> GEOIP = service.getModule("geoip");
public static Optional<Module> GOD = service.getModule("god");
public static Optional<Module> HOLOGRAM = service.getModule("holograms");
public static Optional<Module> HOME = service.getModule("home");
public static Optional<Module> HEAL = service.getModule("heal");
//Exempt perm
public static Optional<Module> IGNORE = service.getModule("ignore");
public static Optional<Module> INSTANTRESPAWN = service.getModule("instantrespawn");
public static Optional<Module> INVSEE = service.getModule("invsee");
public static Optional<Module> ITEM = service.getModule("item");
public static Optional<Module> JAIL = service.getModule("jail");
public static Optional<Module> KICK = service.getModule("kick");
public static Optional<Module> KIT = service.getModule("kit");
public static Optional<Module> MAIL = service.getModule("mail");
public static Optional<Module> MOBTP = service.getModule("mobtp");
//Commands like /accountstatus, /mcservers, etc
public static Optional<Module> MOJANGSERVICE = service.getModule("mojangservice");
public static Optional<Module> MUTE = service.getModule("mute");
//Change player's nametag
public static Optional<Module> NAMETAG = service.getModule("nametag");
public static Optional<Module> NICK = service.getModule("nick");
public static Optional<Module> NOCLIP = service.getModule("noclip");
public static Optional<Module> PARTICLE = service.getModule("particle");
public static Optional<Module> PERFORMANCE = service.getModule("performance");
//The /playerinfo command which displays a lot of info of a player, clickable to change
public static Optional<Module> PLAYERINFO = service.getModule("playerinfo");
public static Optional<Module> PLUGIN = service.getModule("plugin");
public static Optional<Module> PERSONALMESSAGE = service.getModule("personalmessage");
public static Optional<Module> POKE = service.getModule("poke");
//Create portals
public static Optional<Module> PORTAL = service.getModule("portal");
//Global and per person
public static Optional<Module> POWERTOOL = service.getModule("powertool");
public static Optional<Module> PREGENERATOR = service.getModule("pregenerator");
//Protect stuff like chests, itemframes, etc (Customizable, obviously)
public static Optional<Module> PROTECT = service.getModule("protect");
//Generate random numbers, booleans, strings, etc
public static Optional<Module> RANDOM = service.getModule("random");
public static Optional<Module> REPORT = service.getModule("report");
//Schedule commands at specific times of a day
public static Optional<Module> SCHEDULER = service.getModule("scheduler");
public static Optional<Module> SCOREBOARD = service.getModule("scoreboard");
public static Optional<Module> SERVERLIST = service.getModule("serverlist");
public static Optional<Module> SIGN = service.getModule("sign");
public static Optional<Module> SOUND = service.getModule("sound");
//Seperate /firstspawn & /setfirstspawn
public static Optional<Module> SPAWN = service.getModule("spawn");
public static Optional<Module> SPAWNMOB = service.getModule("spawnmob");
public static Optional<Module> SPY = service.getModule("spy");
//Mogelijkheid om<SUF>
public static Optional<Module> STAFFCHAT = service.getModule("staffchat");
//Better /stop and /restart commands (Time?)
public static Optional<Module> STOPRESTART = service.getModule("stoprestart");
public static Optional<Module> SUDO = service.getModule("sudo");
//Animated, refresh every x seconds
public static Optional<Module> TABLIST = service.getModule("tablist");
//Split the /teleport command better
public static Optional<Module> TELEPORT = service.getModule("teleport");
//Teleport to a random location, include /biometp
public static Optional<Module> TELEPORTRANDOM = service.getModule("teleportrandom");
public static Optional<Module> TIME = service.getModule("time");
//Timber
public static Optional<Module> TREE = service.getModule("tree");
//Change the unknown command message
public static Optional<Module> UNKNOWNCOMMAND = service.getModule("unknowncommand");
public static Optional<Module> UPDATE = service.getModule("update");
public static Optional<Module> VANISH = service.getModule("vanish");
public static Optional<Module> VILLAGER = service.getModule("villager");
//Votifier module
public static Optional<Module> VOTIFIER = service.getModule("votifier");
public static Optional<Module> WARP = service.getModule("warp");
public static Optional<Module> WEATHER = service.getModule("weather");
//Stop using flags, use seperate commands & clickable chat interface
public static Optional<Module> WORLD = service.getModule("world");
public static Optional<Module> WORLDBORDER = service.getModule("worldborder");
public static Optional<Module> WORLDINVENTORIES = service.getModule("worldinventories");
//TODO /smelt command?
public static Optional<Module> get(String id) {
return service.getModule(id);
}
}
| True | False | 2,005 | 2,482 | 12 | 11 | 2,079 | 12 | 11 | 2,203 | 9 | 8 | 2,079 | 12 | 11 | 2,546 | 13 | 12 | false | false | false | false | false | true |
572 | 186805_2 | package be.intecbrussel;
import be.intecbrussel.DO_NOT_TOUCH.ErrorSystem;
import be.intecbrussel.DO_NOT_TOUCH.InternalApp;
import java.util.Scanner;
public class Main {
public static void main(String[] args) {
new InternalApp().start(); // DO NOT TOUCH
// Hieronder plaats je de code.
// Met de methode getError(), krijg je een error,
// Met de methode fixError(String error, level), kan je de behandelde error opslaan.
//---------------------------------------------------
Scanner scanner = new Scanner(System.in);
int i = 0;
int input;
String error = "";
System.out.println("\nPlease enter the priority level for all the errors below!\nLevels: 1.LOW - 2.MEDIUM - 3.HIGH - 4.NO_ISSUE ");
while (true) {
i++;
error = getError();
if (error == null) {
break;
}
System.out.println("\n" + i + " - " + error);
input = scanner.nextInt();
while (input < 1 || input > 4) {
System.out.println("Invalid level! Please enter 1, 2, 3, or 4 to give a priority level to the error.");
input = scanner.nextInt();
}
String result = "";
switch (input) {
case 1:
result = "LOW - " + error;
fixError(result, PriorityLevel.LOW.getDescription());
break;
case 2:
result = "MEDIUM - " + error;
fixError(result, PriorityLevel.MEDIUM.getDescription());
break;
case 3:
result = "HIGH - " + error;
fixError(result, PriorityLevel.HIGH.getDescription());
break;
case 4:
result = "NO ISSUE - " + PriorityLevel.NO_ISSUE.getDescription();
System.out.println(result);
break;
}
}
//---------------------------------------------------
printOverview();
}
// ---------------------------
// DO NOT TOUCH ANYTHING BELOW
// ---------------------------
private static String getError() {
return ErrorSystem.pollError();
}
private static void fixError(String error, Object level) {
ErrorSystem.handledError(error, level);
}
private static void printOverview(){
System.out.println("---------------------------\n");
System.out.println(" HANDLED ERROR \n");
System.out.println("---------------------------\n");
for (String handledError : ErrorSystem.getHandledErrors()) {
System.out.println(handledError);
}
System.out.println("---------------------------\n");
System.out.println(" UNHANDLED ERROR \n");
System.out.println("---------------------------\n");
for (String unHandledError : ErrorSystem.getUnHandledErrors()) {
System.out.println(unHandledError);
}
}
} | Gabe-Alvess/Opdracht_ErrorSystem | src/be/intecbrussel/Main.java | 837 | // Met de methode getError(), krijg je een error, | line_comment | nl | package be.intecbrussel;
import be.intecbrussel.DO_NOT_TOUCH.ErrorSystem;
import be.intecbrussel.DO_NOT_TOUCH.InternalApp;
import java.util.Scanner;
public class Main {
public static void main(String[] args) {
new InternalApp().start(); // DO NOT TOUCH
// Hieronder plaats je de code.
// Met de<SUF>
// Met de methode fixError(String error, level), kan je de behandelde error opslaan.
//---------------------------------------------------
Scanner scanner = new Scanner(System.in);
int i = 0;
int input;
String error = "";
System.out.println("\nPlease enter the priority level for all the errors below!\nLevels: 1.LOW - 2.MEDIUM - 3.HIGH - 4.NO_ISSUE ");
while (true) {
i++;
error = getError();
if (error == null) {
break;
}
System.out.println("\n" + i + " - " + error);
input = scanner.nextInt();
while (input < 1 || input > 4) {
System.out.println("Invalid level! Please enter 1, 2, 3, or 4 to give a priority level to the error.");
input = scanner.nextInt();
}
String result = "";
switch (input) {
case 1:
result = "LOW - " + error;
fixError(result, PriorityLevel.LOW.getDescription());
break;
case 2:
result = "MEDIUM - " + error;
fixError(result, PriorityLevel.MEDIUM.getDescription());
break;
case 3:
result = "HIGH - " + error;
fixError(result, PriorityLevel.HIGH.getDescription());
break;
case 4:
result = "NO ISSUE - " + PriorityLevel.NO_ISSUE.getDescription();
System.out.println(result);
break;
}
}
//---------------------------------------------------
printOverview();
}
// ---------------------------
// DO NOT TOUCH ANYTHING BELOW
// ---------------------------
private static String getError() {
return ErrorSystem.pollError();
}
private static void fixError(String error, Object level) {
ErrorSystem.handledError(error, level);
}
private static void printOverview(){
System.out.println("---------------------------\n");
System.out.println(" HANDLED ERROR \n");
System.out.println("---------------------------\n");
for (String handledError : ErrorSystem.getHandledErrors()) {
System.out.println(handledError);
}
System.out.println("---------------------------\n");
System.out.println(" UNHANDLED ERROR \n");
System.out.println("---------------------------\n");
for (String unHandledError : ErrorSystem.getUnHandledErrors()) {
System.out.println(unHandledError);
}
}
} | True | False | 2,006 | 837 | 14 | 11 | 690 | 15 | 12 | 742 | 12 | 9 | 690 | 15 | 12 | 840 | 16 | 13 | false | false | false | false | false | true |
4,558 | 158781_6 | /*
* Copyright 2022 Topicus Onderwijs Eduarte B.V..
*
* 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
*
* https://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 nl.topicus.eduarte.model.entities.participatie.enums;
/**
* Status van een uitnodiging bij een afspraak.
*
*/
public enum UitnodigingStatus
{
/**
* Participant is direct geplaatst.
*/
DIRECTE_PLAATSING("Direct geplaatst", true),
/**
* Participant is uitgenodigd
*/
UITGENODIGD("Uitgenodigd", false),
/**
* Participant heeft de uitnodiging geaccepteerd
*/
GEACCEPTEERD("Uitnodiging geaccepteerd", true),
/**
* Participant heeft de uitnodiging geweigerd.
*/
GEWEIGERD("Uitnodiging geweigerd", false),
/**
* Participant heeft zich ingeschreven voor een inloopcollege.
*/
INGETEKEND("Ingetekend voor het college", true);
private String naam;
/**
* Geeft aan of aanwezigheidsregistratie mogelijk is bij deze status.
*/
private boolean aanwezigheidsregistratieMogelijk;
/**
* Constructor
*
* @param naam
*/
UitnodigingStatus(String naam, boolean aanwezigheidsregistratieMogelijk)
{
this.naam = naam;
this.aanwezigheidsregistratieMogelijk = aanwezigheidsregistratieMogelijk;
}
@Override
public String toString()
{
return naam;
}
/**
* @return Returns the aanwezigheidsregistratieMogelijk.
*/
public boolean isAanwezigheidsregistratieMogelijk()
{
return aanwezigheidsregistratieMogelijk;
}
}
| topicusonderwijs/tribe-krd-quarkus | src/main/java/nl/topicus/eduarte/model/entities/participatie/enums/UitnodigingStatus.java | 631 | /**
* Participant heeft zich ingeschreven voor een inloopcollege.
*/ | block_comment | nl | /*
* Copyright 2022 Topicus Onderwijs Eduarte B.V..
*
* 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
*
* https://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 nl.topicus.eduarte.model.entities.participatie.enums;
/**
* Status van een uitnodiging bij een afspraak.
*
*/
public enum UitnodigingStatus
{
/**
* Participant is direct geplaatst.
*/
DIRECTE_PLAATSING("Direct geplaatst", true),
/**
* Participant is uitgenodigd
*/
UITGENODIGD("Uitgenodigd", false),
/**
* Participant heeft de uitnodiging geaccepteerd
*/
GEACCEPTEERD("Uitnodiging geaccepteerd", true),
/**
* Participant heeft de uitnodiging geweigerd.
*/
GEWEIGERD("Uitnodiging geweigerd", false),
/**
* Participant heeft zich<SUF>*/
INGETEKEND("Ingetekend voor het college", true);
private String naam;
/**
* Geeft aan of aanwezigheidsregistratie mogelijk is bij deze status.
*/
private boolean aanwezigheidsregistratieMogelijk;
/**
* Constructor
*
* @param naam
*/
UitnodigingStatus(String naam, boolean aanwezigheidsregistratieMogelijk)
{
this.naam = naam;
this.aanwezigheidsregistratieMogelijk = aanwezigheidsregistratieMogelijk;
}
@Override
public String toString()
{
return naam;
}
/**
* @return Returns the aanwezigheidsregistratieMogelijk.
*/
public boolean isAanwezigheidsregistratieMogelijk()
{
return aanwezigheidsregistratieMogelijk;
}
}
| True | False | 2,012 | 631 | 21 | 13 | 623 | 22 | 16 | 547 | 19 | 11 | 623 | 22 | 16 | 678 | 22 | 14 | false | false | false | false | false | true |
4,177 | 129519_5 | import Classes.Gebruiker;
import Classes.Kamer;
import javax.servlet.ServletException;
import javax.servlet.annotation.WebServlet;
import javax.servlet.http.*;
import java.io.IOException;
import java.io.PrintWriter;
import java.text.DateFormat;
import java.text.SimpleDateFormat;
import java.util.ArrayList;
import java.util.Date;
@WebServlet("/ShowPersonsServlet")
public class ShowPersonsServlet extends HttpServlet {
protected void doPost(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
}
protected void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
ArrayList<Gebruiker> gebruiker_lijst = ((ArrayList<Gebruiker>) getServletContext().getAttribute("users"));
int visitCount = (int) getServletContext().getAttribute("visitCount");
visitCount++;
HttpSession session = request.getSession(false);
if(session == null || session.getAttribute("gebruikersnaam") == null) {
response.sendRedirect("unauthorized.html");
return;
}
// huidige datum toevoegen aan cookie
String date = new SimpleDateFormat("dd-MM-yyyy").format(new Date());
Cookie[] cookies = request.getCookies();
String history = null;
for(Cookie cookie : cookies) {
if(cookie.getName().equals("history")) {
history = cookie.getValue();
}
}
Cookie cookie = new Cookie("history", "" + date);
cookie.setMaxAge(24 * 60 * 60);
response.addCookie(cookie);
// // Print aantal keren dat de pagin bezocht is + laatse keer bezocht
// response.getWriter().println("Times visited: " + visitCount);
// if(history != null)
// response.getWriter().println("Last time visited: " + history);
//
// HTML pagina met alle gebruikers in het model
response.setContentType("text/html");
PrintWriter out = response.getWriter();
out.println("Times visited: " + visitCount);
out.println("<br>");
out.println("Last time visited: " + history);
out.println("<HTML>");
out.println("<HEAD><TITLE>Gebruikers</TITLE></HEAD>");
out.println("<BODY>");
out.println("<H3>Gebruikers</H3>");
for(Gebruiker gebruiker: gebruiker_lijst) {
out.print(gebruiker.getGebruikersnaam() + " " + gebruiker.getRol());
out.print("<br>");
}
out.println("<br>");
out.println("<a href=\"logout\">Log out</a>");
out.println("</BODY></HTML>");
}
}
| rickvanw/WebApp2 | src/ShowPersonsServlet.java | 755 | // HTML pagina met alle gebruikers in het model | line_comment | nl | import Classes.Gebruiker;
import Classes.Kamer;
import javax.servlet.ServletException;
import javax.servlet.annotation.WebServlet;
import javax.servlet.http.*;
import java.io.IOException;
import java.io.PrintWriter;
import java.text.DateFormat;
import java.text.SimpleDateFormat;
import java.util.ArrayList;
import java.util.Date;
@WebServlet("/ShowPersonsServlet")
public class ShowPersonsServlet extends HttpServlet {
protected void doPost(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
}
protected void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
ArrayList<Gebruiker> gebruiker_lijst = ((ArrayList<Gebruiker>) getServletContext().getAttribute("users"));
int visitCount = (int) getServletContext().getAttribute("visitCount");
visitCount++;
HttpSession session = request.getSession(false);
if(session == null || session.getAttribute("gebruikersnaam") == null) {
response.sendRedirect("unauthorized.html");
return;
}
// huidige datum toevoegen aan cookie
String date = new SimpleDateFormat("dd-MM-yyyy").format(new Date());
Cookie[] cookies = request.getCookies();
String history = null;
for(Cookie cookie : cookies) {
if(cookie.getName().equals("history")) {
history = cookie.getValue();
}
}
Cookie cookie = new Cookie("history", "" + date);
cookie.setMaxAge(24 * 60 * 60);
response.addCookie(cookie);
// // Print aantal keren dat de pagin bezocht is + laatse keer bezocht
// response.getWriter().println("Times visited: " + visitCount);
// if(history != null)
// response.getWriter().println("Last time visited: " + history);
//
// HTML pagina<SUF>
response.setContentType("text/html");
PrintWriter out = response.getWriter();
out.println("Times visited: " + visitCount);
out.println("<br>");
out.println("Last time visited: " + history);
out.println("<HTML>");
out.println("<HEAD><TITLE>Gebruikers</TITLE></HEAD>");
out.println("<BODY>");
out.println("<H3>Gebruikers</H3>");
for(Gebruiker gebruiker: gebruiker_lijst) {
out.print(gebruiker.getGebruikersnaam() + " " + gebruiker.getRol());
out.print("<br>");
}
out.println("<br>");
out.println("<a href=\"logout\">Log out</a>");
out.println("</BODY></HTML>");
}
}
| True | False | 2,020 | 755 | 13 | 12 | 630 | 10 | 9 | 641 | 9 | 8 | 630 | 10 | 9 | 747 | 12 | 11 | false | false | false | false | false | true |
1,032 | 34559_0 | import java.lang.*;
/**
* De klasse StudentWerknemer is een Java klasse.
* @author Jolita Grazyte
*
*/
public class StudentWerknemer extends PartTimeWerknemer {
public int urenGewerkt;
public StudentWerknemer ( String voornaam, String achternaam, int nr, float sal, int urengw)
{
super(voornaam, achternaam, nr, sal, urengw );
this.setRSZ( 5.0f );
}
} | MTA-Digital-Broadcast-2/O-Van-den-Broeck-Jeroen-Gurbuz-Hasan-Project-MHP | Gurbuz_Hasan/Labojava/blz31/Oef7/StudentWerknemer.java | 146 | /**
* De klasse StudentWerknemer is een Java klasse.
* @author Jolita Grazyte
*
*/ | block_comment | nl | import java.lang.*;
/**
* De klasse StudentWerknemer<SUF>*/
public class StudentWerknemer extends PartTimeWerknemer {
public int urenGewerkt;
public StudentWerknemer ( String voornaam, String achternaam, int nr, float sal, int urengw)
{
super(voornaam, achternaam, nr, sal, urengw );
this.setRSZ( 5.0f );
}
} | True | False | 2,022 | 146 | 31 | 20 | 141 | 32 | 21 | 130 | 27 | 16 | 141 | 32 | 21 | 146 | 31 | 20 | false | false | false | false | false | true |
4,314 | 115356_1 | package datajungle.scenes;
import datajungle.components.Enemy;
import datajungle.components.Player;
import datajungle.systems.CollisionManager;
import java.util.List;
public abstract class Scene {
private String name;
private boolean isRunning;
public Player player;
// Initialiseer een Scene object met een naam een een boolean isRunning
public Scene(String name, boolean isRunning) {
this.name = name;
this.isRunning = isRunning;
}
// Wordt gecalled wanneer de scene geinitaliseert wordt.
public void init() {
}
// Wordt elke frame gecalled
public void update(boolean[] keysPressed) {
}
// Wordt gecalled wanneer de scene gesloten wordt
public void close() {
setRunning(false);
}
// kijk of de scene aan staat
public boolean isRunning() {
return isRunning;
}
// Verander de isRunning variable
public void setRunning(boolean running) {
this.isRunning = running;
}
public String getName() {
return name;
}
public void killEnemy(Enemy enemy) {
}
public List<Enemy> getEnemies() {
return null;
}
}
| siloonk/It-s-in-the-game | Sandbox/BasicGame/src/datajungle/scenes/Scene.java | 336 | // Wordt gecalled wanneer de scene geinitaliseert wordt. | line_comment | nl | package datajungle.scenes;
import datajungle.components.Enemy;
import datajungle.components.Player;
import datajungle.systems.CollisionManager;
import java.util.List;
public abstract class Scene {
private String name;
private boolean isRunning;
public Player player;
// Initialiseer een Scene object met een naam een een boolean isRunning
public Scene(String name, boolean isRunning) {
this.name = name;
this.isRunning = isRunning;
}
// Wordt gecalled<SUF>
public void init() {
}
// Wordt elke frame gecalled
public void update(boolean[] keysPressed) {
}
// Wordt gecalled wanneer de scene gesloten wordt
public void close() {
setRunning(false);
}
// kijk of de scene aan staat
public boolean isRunning() {
return isRunning;
}
// Verander de isRunning variable
public void setRunning(boolean running) {
this.isRunning = running;
}
public String getName() {
return name;
}
public void killEnemy(Enemy enemy) {
}
public List<Enemy> getEnemies() {
return null;
}
}
| True | False | 2,026 | 336 | 16 | 14 | 289 | 17 | 15 | 304 | 15 | 13 | 289 | 17 | 15 | 357 | 18 | 16 | false | false | false | false | false | true |
130 | 129153_2 | package org.firstinspires.ftc.teamcode;
import android.graphics.Bitmap;
import android.graphics.BitmapFactory;
import com.disnodeteam.dogecv.CameraViewDisplay;
import com.disnodeteam.dogecv.detectors.*;
import com.qualcomm.robotcore.eventloop.opmode.Disabled;
import com.qualcomm.robotcore.eventloop.opmode.OpMode;
import com.qualcomm.robotcore.eventloop.opmode.TeleOp;
import com.qualcomm.robotcore.util.ElapsedTime;
import java.io.IOException;
import com.qualcomm.robotcore.eventloop.opmode.Autonomous;
import com.qualcomm.robotcore.eventloop.opmode.Disabled;
import com.qualcomm.robotcore.eventloop.opmode.LinearOpMode;
@TeleOp(name="DogeCV Glyph Detector", group="DogeCV")
public class DogeCVTest extends OpMode
{
// Declare OpMode members.
private ElapsedTime runtime = new ElapsedTime();
private GlyphDetector glyphDetector = null;
HardwareVar r = new HardwareVar();
/*
* Code to run ONCE when the driver hits INIT
*/
@Override
public void init() {
r.init(hardwareMap);
telemetry.addData("Status", "Initialized");
glyphDetector = new GlyphDetector();
glyphDetector.init(hardwareMap.appContext, CameraViewDisplay.getInstance());
glyphDetector.minScore = 1;
glyphDetector.downScaleFactor = 0.3;
glyphDetector.speed = GlyphDetector.GlyphDetectionSpeed.SLOW;
glyphDetector.enable();
}
@Override
public void init_loop() {
telemetry.addData("Status", "Initialized. Gyro Calibration");
}
@Override
public void start() {
runtime.reset();
}
@Override
public void loop() {
if (glyphDetector.getChosenGlyphOffset() < 110) {
r.RBmotor.setPower(0.2);
r.LBmotor.setPower(-0.2);
} else if (glyphDetector.getChosenGlyphOffset() > 150) {
//Naar rechts draaien
} else if (glyphDetector.getChosenGlyphOffset() > 110 & glyphDetector.getChosenGlyphOffset() < 150) {
telemetry.addData("Status", "MIDDEN");
} else {
telemetry.addData("Status", "IK WEET HET NIET MEER");
}
telemetry.addData("Status", "Run Time: " + runtime);
telemetry.addData("Glyph Pos offset", glyphDetector.getChosenGlyphOffset());
telemetry.addData("Glyph Pos X, Y", glyphDetector.getChosenGlyphPosition());
}
/*
* Code to run ONCE after the driver hits STOP
*/
@Override
public void stop() {
glyphDetector.disable();
}
}
| ArjanB2001/FTC_Robot | TeamCode/src/main/java/org/firstinspires/ftc/teamcode/DogeCVTest.java | 842 | //Naar rechts draaien | line_comment | nl | package org.firstinspires.ftc.teamcode;
import android.graphics.Bitmap;
import android.graphics.BitmapFactory;
import com.disnodeteam.dogecv.CameraViewDisplay;
import com.disnodeteam.dogecv.detectors.*;
import com.qualcomm.robotcore.eventloop.opmode.Disabled;
import com.qualcomm.robotcore.eventloop.opmode.OpMode;
import com.qualcomm.robotcore.eventloop.opmode.TeleOp;
import com.qualcomm.robotcore.util.ElapsedTime;
import java.io.IOException;
import com.qualcomm.robotcore.eventloop.opmode.Autonomous;
import com.qualcomm.robotcore.eventloop.opmode.Disabled;
import com.qualcomm.robotcore.eventloop.opmode.LinearOpMode;
@TeleOp(name="DogeCV Glyph Detector", group="DogeCV")
public class DogeCVTest extends OpMode
{
// Declare OpMode members.
private ElapsedTime runtime = new ElapsedTime();
private GlyphDetector glyphDetector = null;
HardwareVar r = new HardwareVar();
/*
* Code to run ONCE when the driver hits INIT
*/
@Override
public void init() {
r.init(hardwareMap);
telemetry.addData("Status", "Initialized");
glyphDetector = new GlyphDetector();
glyphDetector.init(hardwareMap.appContext, CameraViewDisplay.getInstance());
glyphDetector.minScore = 1;
glyphDetector.downScaleFactor = 0.3;
glyphDetector.speed = GlyphDetector.GlyphDetectionSpeed.SLOW;
glyphDetector.enable();
}
@Override
public void init_loop() {
telemetry.addData("Status", "Initialized. Gyro Calibration");
}
@Override
public void start() {
runtime.reset();
}
@Override
public void loop() {
if (glyphDetector.getChosenGlyphOffset() < 110) {
r.RBmotor.setPower(0.2);
r.LBmotor.setPower(-0.2);
} else if (glyphDetector.getChosenGlyphOffset() > 150) {
//Naar rechts<SUF>
} else if (glyphDetector.getChosenGlyphOffset() > 110 & glyphDetector.getChosenGlyphOffset() < 150) {
telemetry.addData("Status", "MIDDEN");
} else {
telemetry.addData("Status", "IK WEET HET NIET MEER");
}
telemetry.addData("Status", "Run Time: " + runtime);
telemetry.addData("Glyph Pos offset", glyphDetector.getChosenGlyphOffset());
telemetry.addData("Glyph Pos X, Y", glyphDetector.getChosenGlyphPosition());
}
/*
* Code to run ONCE after the driver hits STOP
*/
@Override
public void stop() {
glyphDetector.disable();
}
}
| True | False | 2,029 | 842 | 7 | 6 | 678 | 10 | 9 | 698 | 6 | 5 | 678 | 10 | 9 | 850 | 8 | 7 | false | false | false | false | false | true |
1,670 | 43891_10 | package gui;_x000D_
_x000D_
import javafx.event.ActionEvent;_x000D_
import javafx.event.EventHandler;_x000D_
import javafx.geometry.HPos;_x000D_
import javafx.geometry.Insets;_x000D_
import javafx.geometry.Pos;_x000D_
import javafx.scene.Scene;_x000D_
import javafx.scene.control.Button;_x000D_
import javafx.scene.control.Hyperlink;_x000D_
import javafx.scene.control.Label;_x000D_
import javafx.scene.control.PasswordField;_x000D_
import javafx.scene.control.TextField;_x000D_
import javafx.scene.control.Tooltip;_x000D_
import javafx.scene.layout.GridPane;_x000D_
import static javafx.scene.layout.GridPane.setHalignment;_x000D_
import javafx.scene.text.Font;_x000D_
import javafx.scene.text.FontWeight;_x000D_
import javafx.stage.Stage;_x000D_
_x000D_
public class LoginScherm extends GridPane {_x000D_
// Dit attribuut hebben we in meerdere methoden nodig_x000D_
_x000D_
private Label lblMessage;_x000D_
private TextField txfUser;_x000D_
_x000D_
public LoginScherm() {_x000D_
// Aligneert grid in het midden _x000D_
this.setAlignment(Pos.BOTTOM_LEFT);_x000D_
// Vrije ruimte tussen kolommen _x000D_
this.setHgap(10);_x000D_
// Vrije ruimte tussen rijen _x000D_
this.setVgap(10);_x000D_
_x000D_
// Vrije ruimte rond de randen van de grid (boven, rechts, onder, links) _x000D_
this.setPadding(new Insets(25, 25, 25, 25));_x000D_
_x000D_
Label lblTitle = new Label("Welcome");_x000D_
lblTitle.setFont(Font.font("Tahoma", FontWeight.NORMAL, 20));_x000D_
_x000D_
// Bij GridPane kan in elke cel een component geplaatst worden_x000D_
// Een component kan over meerdere rijen en/of kolommen geplaatst worden _x000D_
// De label wordt hier over 2 kolommen en 1 rij geplaatst _x000D_
this.add(lblTitle, 0, 0, 2, 1);_x000D_
_x000D_
Label lblUserName = new Label("User Name:");_x000D_
this.add(lblUserName, 0, 1);_x000D_
_x000D_
txfUser = new TextField();_x000D_
this.add(txfUser, 1, 1);_x000D_
_x000D_
Label lblPassword = new Label("Password:");_x000D_
this.add(lblPassword, 0, 2);_x000D_
_x000D_
PasswordField pwfPassword = new PasswordField();_x000D_
this.add(pwfPassword, 1, 2);_x000D_
_x000D_
Tooltip tooltip = new Tooltip();_x000D_
tooltip.setText(_x000D_
"Your password must be\n"_x000D_
+ "at least 8 characters in length\n"_x000D_
);_x000D_
pwfPassword.setTooltip(tooltip);_x000D_
_x000D_
Button btnSignIn = new Button("Sign in");_x000D_
// We aligneren btnSignIn links_x000D_
setHalignment(btnSignIn, HPos.LEFT);_x000D_
this.add(btnSignIn, 0, 4);_x000D_
_x000D_
Button btnCancel = new Button("Cancel");_x000D_
// We aligneren btnCancel rechts_x000D_
setHalignment(btnCancel, HPos.RIGHT);_x000D_
this.add(btnCancel, 1, 4);_x000D_
_x000D_
Hyperlink linkForgot = new Hyperlink("Forgot password");_x000D_
this.add(linkForgot, 0, 5, 2, 1);_x000D_
_x000D_
lblMessage = new Label();_x000D_
this.add(lblMessage, 1, 6);_x000D_
_x000D_
// We koppelen een event handler aan de knop Sign In_x000D_
// We gebruiker hiervoor method reference _x000D_
btnSignIn.setOnAction(this::buttonPushed);_x000D_
_x000D_
// We koppelen een event handler aan de knop Cancel_x000D_
// We gebruiken hiervoor een lambda expressie_x000D_
btnCancel.setOnAction(evt -> lblMessage.setText("Cancel button pressed")_x000D_
);_x000D_
_x000D_
// We koppelen een event handler aan de hyperlink_x000D_
// We gebruiken hiervoor een anonieme innerklasse_x000D_
linkForgot.setOnAction(new EventHandler<ActionEvent>() {_x000D_
@Override_x000D_
public void handle(ActionEvent evt) {_x000D_
lblMessage.setText("Hyperlink clicked");_x000D_
}_x000D_
});_x000D_
_x000D_
}_x000D_
_x000D_
// Event-afhandeling: wat er moet gebeuren als we op de knop Sign in klikken_x000D_
private void buttonPushed(ActionEvent event) {_x000D_
lblMessage.setText("Sign in button pressed");_x000D_
_x000D_
//We bouwen een nieuw scherm op waarmee we een scene maken_x000D_
//Parameter 1: naam gebruiker (ingevuld op loginscherm), willen we tonen op volgend scherm_x000D_
//Parameter 2: this, volgend scherm krijgt het huidige scherm mee om gemakkelijk te kunnen terugkeren._x000D_
VolgendScherm vs = new VolgendScherm(txfUser.getText(), this);_x000D_
Scene scene = new Scene(vs, 200, 50);_x000D_
Stage stage = (Stage) this.getScene().getWindow();_x000D_
stage.setScene(scene);_x000D_
stage.show();_x000D_
}_x000D_
_x000D_
}_x000D_
| Swesje/OO-Software-Development-II | H5 - JavaFX/Werkcollege/Voorbeelden/FXVoorbeeld7/src/gui/LoginScherm.java | 1,350 | // We koppelen een event handler aan de knop Sign In_x000D_ | line_comment | nl | package gui;_x000D_
_x000D_
import javafx.event.ActionEvent;_x000D_
import javafx.event.EventHandler;_x000D_
import javafx.geometry.HPos;_x000D_
import javafx.geometry.Insets;_x000D_
import javafx.geometry.Pos;_x000D_
import javafx.scene.Scene;_x000D_
import javafx.scene.control.Button;_x000D_
import javafx.scene.control.Hyperlink;_x000D_
import javafx.scene.control.Label;_x000D_
import javafx.scene.control.PasswordField;_x000D_
import javafx.scene.control.TextField;_x000D_
import javafx.scene.control.Tooltip;_x000D_
import javafx.scene.layout.GridPane;_x000D_
import static javafx.scene.layout.GridPane.setHalignment;_x000D_
import javafx.scene.text.Font;_x000D_
import javafx.scene.text.FontWeight;_x000D_
import javafx.stage.Stage;_x000D_
_x000D_
public class LoginScherm extends GridPane {_x000D_
// Dit attribuut hebben we in meerdere methoden nodig_x000D_
_x000D_
private Label lblMessage;_x000D_
private TextField txfUser;_x000D_
_x000D_
public LoginScherm() {_x000D_
// Aligneert grid in het midden _x000D_
this.setAlignment(Pos.BOTTOM_LEFT);_x000D_
// Vrije ruimte tussen kolommen _x000D_
this.setHgap(10);_x000D_
// Vrije ruimte tussen rijen _x000D_
this.setVgap(10);_x000D_
_x000D_
// Vrije ruimte rond de randen van de grid (boven, rechts, onder, links) _x000D_
this.setPadding(new Insets(25, 25, 25, 25));_x000D_
_x000D_
Label lblTitle = new Label("Welcome");_x000D_
lblTitle.setFont(Font.font("Tahoma", FontWeight.NORMAL, 20));_x000D_
_x000D_
// Bij GridPane kan in elke cel een component geplaatst worden_x000D_
// Een component kan over meerdere rijen en/of kolommen geplaatst worden _x000D_
// De label wordt hier over 2 kolommen en 1 rij geplaatst _x000D_
this.add(lblTitle, 0, 0, 2, 1);_x000D_
_x000D_
Label lblUserName = new Label("User Name:");_x000D_
this.add(lblUserName, 0, 1);_x000D_
_x000D_
txfUser = new TextField();_x000D_
this.add(txfUser, 1, 1);_x000D_
_x000D_
Label lblPassword = new Label("Password:");_x000D_
this.add(lblPassword, 0, 2);_x000D_
_x000D_
PasswordField pwfPassword = new PasswordField();_x000D_
this.add(pwfPassword, 1, 2);_x000D_
_x000D_
Tooltip tooltip = new Tooltip();_x000D_
tooltip.setText(_x000D_
"Your password must be\n"_x000D_
+ "at least 8 characters in length\n"_x000D_
);_x000D_
pwfPassword.setTooltip(tooltip);_x000D_
_x000D_
Button btnSignIn = new Button("Sign in");_x000D_
// We aligneren btnSignIn links_x000D_
setHalignment(btnSignIn, HPos.LEFT);_x000D_
this.add(btnSignIn, 0, 4);_x000D_
_x000D_
Button btnCancel = new Button("Cancel");_x000D_
// We aligneren btnCancel rechts_x000D_
setHalignment(btnCancel, HPos.RIGHT);_x000D_
this.add(btnCancel, 1, 4);_x000D_
_x000D_
Hyperlink linkForgot = new Hyperlink("Forgot password");_x000D_
this.add(linkForgot, 0, 5, 2, 1);_x000D_
_x000D_
lblMessage = new Label();_x000D_
this.add(lblMessage, 1, 6);_x000D_
_x000D_
// We koppelen<SUF>
// We gebruiker hiervoor method reference _x000D_
btnSignIn.setOnAction(this::buttonPushed);_x000D_
_x000D_
// We koppelen een event handler aan de knop Cancel_x000D_
// We gebruiken hiervoor een lambda expressie_x000D_
btnCancel.setOnAction(evt -> lblMessage.setText("Cancel button pressed")_x000D_
);_x000D_
_x000D_
// We koppelen een event handler aan de hyperlink_x000D_
// We gebruiken hiervoor een anonieme innerklasse_x000D_
linkForgot.setOnAction(new EventHandler<ActionEvent>() {_x000D_
@Override_x000D_
public void handle(ActionEvent evt) {_x000D_
lblMessage.setText("Hyperlink clicked");_x000D_
}_x000D_
});_x000D_
_x000D_
}_x000D_
_x000D_
// Event-afhandeling: wat er moet gebeuren als we op de knop Sign in klikken_x000D_
private void buttonPushed(ActionEvent event) {_x000D_
lblMessage.setText("Sign in button pressed");_x000D_
_x000D_
//We bouwen een nieuw scherm op waarmee we een scene maken_x000D_
//Parameter 1: naam gebruiker (ingevuld op loginscherm), willen we tonen op volgend scherm_x000D_
//Parameter 2: this, volgend scherm krijgt het huidige scherm mee om gemakkelijk te kunnen terugkeren._x000D_
VolgendScherm vs = new VolgendScherm(txfUser.getText(), this);_x000D_
Scene scene = new Scene(vs, 200, 50);_x000D_
Stage stage = (Stage) this.getScene().getWindow();_x000D_
stage.setScene(scene);_x000D_
stage.show();_x000D_
}_x000D_
_x000D_
}_x000D_
| True | False | 2,031 | 1,875 | 19 | 17 | 1,914 | 21 | 17 | 1,878 | 19 | 15 | 1,914 | 21 | 17 | 2,045 | 21 | 17 | false | false | false | false | false | true |
4,145 | 40042_15 | package com.reinder42.TodoApp.model;
import java.io.InputStream;
import java.io.ObjectInputStream;
import java.io.ObjectOutputStream;
import java.io.OutputStream;
import java.nio.file.Files;
import java.nio.file.Path;
import java.util.ArrayList;
public class TodoServicePersisted implements TodoServiceInterface
{
// Array met Todo objecten (single source of truth)
private ArrayList<Todo> todos;
// String met bestandsnaam
private static String filename = "todos.obj";
public TodoServicePersisted()
{
// Laad Todo's uit todos.obj, returnt een lege array
// als er iets fout gaat of het bestand niet bestaat.
todos = todosLadenUitBestand();
}
public void voegTodoToe(String text) {
Todo todo = new Todo();
todo.setText(text);
voegTodoToe(todo);
}
public void voegTodoToe(Todo todo)
{
// Voeg toe aan array
todos.add(todo);
// Sla Todo objecten op in todos.obj
todosOpslaanInBestand();
}
@Override
public void markeerTodoAlsGedaan(Todo todo, boolean gedaan)
{
if(!todos.contains(todo)) {
throw new RuntimeException("todo zit niet in todos; integriteit klopt niet!");
}
// Markeer todo als gedaan
todo.setGedaan(gedaan);
// Sla Todo objecten op in todos.obj
todosOpslaanInBestand();
}
public ArrayList<Todo> getTodos() {
return todos;
}
private ArrayList<Todo> todosLadenUitBestand()
{
// Maak lege array
ArrayList<Todo> nieuweTodos = new ArrayList<Todo>();
try {
// Zet een nieuwe stream op naar het bestand
InputStream inputStream = Files.newInputStream(Path.of(filename));
// Zet een nieuwe "object stream" op
ObjectInputStream objectInputStream = new ObjectInputStream(inputStream);
// Lees het object uit het bestand, d.w.z. "het object" hier is een array van Todo objecten!
Object object = objectInputStream.readObject();
// Cast het object naar een ArrayList van Todo objecten
// Let op: er is geen garantie dat er Todo objecten in de ArrayList uit todos.obj zitten.
// Het enige alternatief (dat veiliger is), is Todo objecten 1 voor 1 lezen/toevoegen aan de array.
if(object instanceof ArrayList) {
nieuweTodos = (ArrayList<Todo>) object;
}
// Sluit de stream naar het bestand
objectInputStream.close();
} catch(Exception e) {
System.out.println(e);
}
return nieuweTodos;
}
private void todosOpslaanInBestand()
{
try {
OutputStream outputStream = Files.newOutputStream(Path.of(filename));
ObjectOutputStream objectOutputStream = new ObjectOutputStream(outputStream);
// Schrijf todos array naar todos.obj
objectOutputStream.writeObject(todos);
// Sluit output stream
objectOutputStream.close();
} catch(Exception e) {
System.out.println(e);
}
}
}
| reinder42/V1OOP-TodoApp | src/main/java/com/reinder42/TodoApp/model/TodoServicePersisted.java | 889 | // Sluit de stream naar het bestand | line_comment | nl | package com.reinder42.TodoApp.model;
import java.io.InputStream;
import java.io.ObjectInputStream;
import java.io.ObjectOutputStream;
import java.io.OutputStream;
import java.nio.file.Files;
import java.nio.file.Path;
import java.util.ArrayList;
public class TodoServicePersisted implements TodoServiceInterface
{
// Array met Todo objecten (single source of truth)
private ArrayList<Todo> todos;
// String met bestandsnaam
private static String filename = "todos.obj";
public TodoServicePersisted()
{
// Laad Todo's uit todos.obj, returnt een lege array
// als er iets fout gaat of het bestand niet bestaat.
todos = todosLadenUitBestand();
}
public void voegTodoToe(String text) {
Todo todo = new Todo();
todo.setText(text);
voegTodoToe(todo);
}
public void voegTodoToe(Todo todo)
{
// Voeg toe aan array
todos.add(todo);
// Sla Todo objecten op in todos.obj
todosOpslaanInBestand();
}
@Override
public void markeerTodoAlsGedaan(Todo todo, boolean gedaan)
{
if(!todos.contains(todo)) {
throw new RuntimeException("todo zit niet in todos; integriteit klopt niet!");
}
// Markeer todo als gedaan
todo.setGedaan(gedaan);
// Sla Todo objecten op in todos.obj
todosOpslaanInBestand();
}
public ArrayList<Todo> getTodos() {
return todos;
}
private ArrayList<Todo> todosLadenUitBestand()
{
// Maak lege array
ArrayList<Todo> nieuweTodos = new ArrayList<Todo>();
try {
// Zet een nieuwe stream op naar het bestand
InputStream inputStream = Files.newInputStream(Path.of(filename));
// Zet een nieuwe "object stream" op
ObjectInputStream objectInputStream = new ObjectInputStream(inputStream);
// Lees het object uit het bestand, d.w.z. "het object" hier is een array van Todo objecten!
Object object = objectInputStream.readObject();
// Cast het object naar een ArrayList van Todo objecten
// Let op: er is geen garantie dat er Todo objecten in de ArrayList uit todos.obj zitten.
// Het enige alternatief (dat veiliger is), is Todo objecten 1 voor 1 lezen/toevoegen aan de array.
if(object instanceof ArrayList) {
nieuweTodos = (ArrayList<Todo>) object;
}
// Sluit de<SUF>
objectInputStream.close();
} catch(Exception e) {
System.out.println(e);
}
return nieuweTodos;
}
private void todosOpslaanInBestand()
{
try {
OutputStream outputStream = Files.newOutputStream(Path.of(filename));
ObjectOutputStream objectOutputStream = new ObjectOutputStream(outputStream);
// Schrijf todos array naar todos.obj
objectOutputStream.writeObject(todos);
// Sluit output stream
objectOutputStream.close();
} catch(Exception e) {
System.out.println(e);
}
}
}
| True | False | 2,032 | 889 | 8 | 7 | 772 | 9 | 8 | 786 | 8 | 7 | 772 | 9 | 8 | 900 | 9 | 8 | false | false | false | false | false | true |
1,386 | 4793_10 | import greenfoot.*; // (World, Actor, GreenfootImage, Greenfoot and MouseInfo)
/**
* Write a description of class level4 here.
*
* @author (your name)
* @version (a version number or a date)
*/
public class level4 extends World
{
private CollisionEngine ce;
Counter counter = new Counter();
/**
* Constructor for objects of class level4.
*
*/
// Create a new world with 600x400 cells with a cell size of 1x1 pixels.
public level4()
{
// Create a new world with 600x400 cells with a cell size of 1x1 pixels.
// Create a new world with 600x400 cells with a cell size of 1x1 pixels.
super(1000, 800, 1, false);
this.setBackground("bg.png");
//theCounter = new Counter();
// addObject(theCounter, 0, 0);
//prepare();
int[][] map = {
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{150,150,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,150,150,150,150,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,150,-1,-1,150,150,-1,-1,150,150,-1,-1,-1,-1,-1,-1,150,-1,-1},
{-1,-1,-1,-1,150,150,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,150,150,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,150,-1,-1,150,-1,-1},
{150,150,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,-1,-1},
{-1,-1,-1,-1,-1,-1,150,150,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,150,-1,-1,-1,-1,-1,-1,150,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,150,150,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,150,150,-1,-1,-1,-1,-1,150,150,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,-1,-1},
{-1,-1,150,150,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,150,-1,-1,-1,-1,-1,-1,-1,-1,150,150,-1,-1,150,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,150,150,-1,-1},
{-1,-1,-1,-1,150,150,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,150,150,150,150,150,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,150,150,150,150,150,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,150,150,150,150,150,150,150,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,150,150,150,150,150,150,150,150,150,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,150,150,150,150,150,150,150,150,150,150,150,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,150,150,150,150,150,150,150,150,150,150,150,150,150,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,-1,-1},
{-1,-1,-1,-1,-1,-1,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,-1,-1},
{-1,-1,-1,-1,150,150,150,150,150,150,150,150,150,150,61,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,150,150,150,150,150,150,150,150,150,150,150,150,60,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150},
};
// Declareren en initialiseren van de TileEngine klasse om de map aan de world toe te voegen
TileEngine te = new TileEngine(this, 60, 60, map);
// Declarenre en initialiseren van de camera klasse met de TileEngine klasse
// zodat de camera weet welke tiles allemaal moeten meebewegen met de camera
Camera camera = new Camera(te);
// Declareren en initialiseren van een main karakter van het spel mijne heet Hero. Deze klasse
// moet de klasse Mover extenden voor de camera om te werken
Hero hero = new Hero();
// Laat de camera een object volgen. Die moet een Mover instatie zijn of een extentie hiervan.
camera.follow(hero);
// Alle objecten toevoegen aan de wereld: camera, main karakter en mogelijke enemies
addObject(camera, 0, 0);
addObject(hero, 28, 1693);
addObject(new Button(),0,90);
addObject(new ResetButton(), 50,50);
addObject(counter,70,120);
addObject(new Letter('C'), 50,1693);
addObject(new Letter('I'), 1584,1033);
addObject(new Letter('T'), 60,374);
addObject(new Letter('Y'), 1323,1693);
addObject(new Coin(),577,973);
addObject(new BrownCoin(),1716,550);
addObject(new BrownCoin(),1716,780);
addObject(new BrownCoin(),1716,320);
// addObject(new Enemy(), 1250, 770);
//addObject(new enemy2(), 500, 1370);
// Initialiseren van de CollisionEngine zodat de speler niet door de tile heen kan lopen.
// De collision engine kijkt alleen naar de tiles die de variabele solid op true hebben staan.
ce = new CollisionEngine(te, camera);
// Toevoegen van de mover instantie of een extentie hiervan
ce.addCollidingMover(hero);
}
public Counter getCounter()
{
return counter;
}
public void prepare()
{
addObject(counter,70, 120);
}
@Override
public void act()
{
ce.update();
}
}
| ROCMondriaanTIN/project-greenfoot-game-Mathijs01 | level4.java | 2,780 | // zodat de camera weet welke tiles allemaal moeten meebewegen met de camera | line_comment | nl | import greenfoot.*; // (World, Actor, GreenfootImage, Greenfoot and MouseInfo)
/**
* Write a description of class level4 here.
*
* @author (your name)
* @version (a version number or a date)
*/
public class level4 extends World
{
private CollisionEngine ce;
Counter counter = new Counter();
/**
* Constructor for objects of class level4.
*
*/
// Create a new world with 600x400 cells with a cell size of 1x1 pixels.
public level4()
{
// Create a new world with 600x400 cells with a cell size of 1x1 pixels.
// Create a new world with 600x400 cells with a cell size of 1x1 pixels.
super(1000, 800, 1, false);
this.setBackground("bg.png");
//theCounter = new Counter();
// addObject(theCounter, 0, 0);
//prepare();
int[][] map = {
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{150,150,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,150,150,150,150,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,150,-1,-1,150,150,-1,-1,150,150,-1,-1,-1,-1,-1,-1,150,-1,-1},
{-1,-1,-1,-1,150,150,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,150,150,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,150,-1,-1,150,-1,-1},
{150,150,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,-1,-1},
{-1,-1,-1,-1,-1,-1,150,150,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,150,-1,-1,-1,-1,-1,-1,150,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,150,150,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,150,150,-1,-1,-1,-1,-1,150,150,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,-1,-1},
{-1,-1,150,150,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,150,-1,-1,-1,-1,-1,-1,-1,-1,150,150,-1,-1,150,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,150,150,-1,-1},
{-1,-1,-1,-1,150,150,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,150,150,150,150,150,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,150,150,150,150,150,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,150,150,150,150,150,150,150,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,150,150,150,150,150,150,150,150,150,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,150,150,150,150,150,150,150,150,150,150,150,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,150,150,150,150,150,150,150,150,150,150,150,150,150,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,-1,-1},
{-1,-1,-1,-1,-1,-1,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,-1,-1},
{-1,-1,-1,-1,150,150,150,150,150,150,150,150,150,150,61,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,150,150,150,150,150,150,150,150,150,150,150,150,60,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150,150},
};
// Declareren en initialiseren van de TileEngine klasse om de map aan de world toe te voegen
TileEngine te = new TileEngine(this, 60, 60, map);
// Declarenre en initialiseren van de camera klasse met de TileEngine klasse
// zodat de<SUF>
Camera camera = new Camera(te);
// Declareren en initialiseren van een main karakter van het spel mijne heet Hero. Deze klasse
// moet de klasse Mover extenden voor de camera om te werken
Hero hero = new Hero();
// Laat de camera een object volgen. Die moet een Mover instatie zijn of een extentie hiervan.
camera.follow(hero);
// Alle objecten toevoegen aan de wereld: camera, main karakter en mogelijke enemies
addObject(camera, 0, 0);
addObject(hero, 28, 1693);
addObject(new Button(),0,90);
addObject(new ResetButton(), 50,50);
addObject(counter,70,120);
addObject(new Letter('C'), 50,1693);
addObject(new Letter('I'), 1584,1033);
addObject(new Letter('T'), 60,374);
addObject(new Letter('Y'), 1323,1693);
addObject(new Coin(),577,973);
addObject(new BrownCoin(),1716,550);
addObject(new BrownCoin(),1716,780);
addObject(new BrownCoin(),1716,320);
// addObject(new Enemy(), 1250, 770);
//addObject(new enemy2(), 500, 1370);
// Initialiseren van de CollisionEngine zodat de speler niet door de tile heen kan lopen.
// De collision engine kijkt alleen naar de tiles die de variabele solid op true hebben staan.
ce = new CollisionEngine(te, camera);
// Toevoegen van de mover instantie of een extentie hiervan
ce.addCollidingMover(hero);
}
public Counter getCounter()
{
return counter;
}
public void prepare()
{
addObject(counter,70, 120);
}
@Override
public void act()
{
ce.update();
}
}
| True | False | 2,043 | 2,780 | 17 | 16 | 3,203 | 24 | 23 | 3,251 | 15 | 14 | 3,203 | 24 | 23 | 3,344 | 24 | 23 | false | false | false | false | false | true |
3,390 | 20475_8 | package model;
import java.util.ArrayList;
/**
* <p>
* Presentation
* </p>
* <p>
* Presentation holds the data of the current presentation.
* </p>
*
* @author Ian F. Darwin, [email protected], Gert Florijn, Sylvia Stuurman
* @version 1.1 2002/12/17 Gert Florijn
* @version 1.2 2003/11/19 Sylvia Stuurman
* @version 1.3 2004/08/17 Sylvia Stuurman
* @version 1.4 2007/07/16 Sylvia Stuurman
* @version 1.5 2010/03/03 Sylvia Stuurman
* @version 1.6 2014/05/16 Sylvia Stuurman
*/
public class Presentation {
private String showTitle; // de titel van de presentatie
private ArrayList<Slide> showList = null; // een ArrayList met de Slides
private int currentSlideNumber = 0; // het slidenummer van de huidige Slide
public Presentation() {
// slideViewComponent = null;
clear();
}
public int getSize() {
return showList.size();
}
public String getTitle() {
return showTitle;
}
public void setTitle(String nt) {
showTitle = nt;
}
// geef het nummer van de huidige slide
public int getSlideNumber() {
return currentSlideNumber;
}
// verander het huidige-slide-nummer en laat het aan het window weten.
public void setSlideNumber(int number) {
currentSlideNumber = number;
}
// Verwijder de presentatie, om klaar te zijn voor de volgende
public void clear() {
showList = new ArrayList<Slide>();
setSlideNumber(0);
}
// Voeg een slide toe aan de presentatie
public void append(Slide slide) {
showList.add(slide);
}
// Geef een slide met een bepaald slidenummer
public Slide getSlide(int number) {
if (number < 0 || number >= getSize()) {
return null;
}
return showList.get(number);
}
// Geef de huidige Slide
public Slide getCurrentSlide() {
return getSlide(currentSlideNumber);
}
}
| koenvandensteen/Vincent_Koen_JabberPoint | src/model/Presentation.java | 616 | // Voeg een slide toe aan de presentatie | line_comment | nl | package model;
import java.util.ArrayList;
/**
* <p>
* Presentation
* </p>
* <p>
* Presentation holds the data of the current presentation.
* </p>
*
* @author Ian F. Darwin, [email protected], Gert Florijn, Sylvia Stuurman
* @version 1.1 2002/12/17 Gert Florijn
* @version 1.2 2003/11/19 Sylvia Stuurman
* @version 1.3 2004/08/17 Sylvia Stuurman
* @version 1.4 2007/07/16 Sylvia Stuurman
* @version 1.5 2010/03/03 Sylvia Stuurman
* @version 1.6 2014/05/16 Sylvia Stuurman
*/
public class Presentation {
private String showTitle; // de titel van de presentatie
private ArrayList<Slide> showList = null; // een ArrayList met de Slides
private int currentSlideNumber = 0; // het slidenummer van de huidige Slide
public Presentation() {
// slideViewComponent = null;
clear();
}
public int getSize() {
return showList.size();
}
public String getTitle() {
return showTitle;
}
public void setTitle(String nt) {
showTitle = nt;
}
// geef het nummer van de huidige slide
public int getSlideNumber() {
return currentSlideNumber;
}
// verander het huidige-slide-nummer en laat het aan het window weten.
public void setSlideNumber(int number) {
currentSlideNumber = number;
}
// Verwijder de presentatie, om klaar te zijn voor de volgende
public void clear() {
showList = new ArrayList<Slide>();
setSlideNumber(0);
}
// Voeg een<SUF>
public void append(Slide slide) {
showList.add(slide);
}
// Geef een slide met een bepaald slidenummer
public Slide getSlide(int number) {
if (number < 0 || number >= getSize()) {
return null;
}
return showList.get(number);
}
// Geef de huidige Slide
public Slide getCurrentSlide() {
return getSlide(currentSlideNumber);
}
}
| True | False | 2,044 | 616 | 10 | 9 | 642 | 10 | 9 | 580 | 10 | 9 | 642 | 10 | 9 | 678 | 10 | 9 | false | false | false | false | false | true |
1,400 | 41349_15 |
import greenfoot.*;
import java.util.List;
/**
*
* @author R. Springer
*/
public class TileEngine {
public static int TILE_WIDTH;
public static int TILE_HEIGHT;
public static int SCREEN_HEIGHT;
public static int SCREEN_WIDTH;
public static int MAP_WIDTH;
public static int MAP_HEIGHT;
private World world;
private int[][] map;
private Tile[][] generateMap;
private TileFactory tileFactory;
/**
* Constuctor of the TileEngine
*
* @param world A World class or a extend of it.
* @param tileWidth The width of the tile used in the TileFactory and
* calculations
* @param tileHeight The heigth of the tile used in the TileFactory and
* calculations
*/
public TileEngine(World world, int tileWidth, int tileHeight) {
this.world = world;
TILE_WIDTH = tileWidth;
TILE_HEIGHT = tileHeight;
SCREEN_WIDTH = world.getWidth();
SCREEN_HEIGHT = world.getHeight();
this.tileFactory = new TileFactory();
}
/**
* Constuctor of the TileEngine
*
* @param world A World class or a extend of it.
* @param tileWidth The width of the tile used in the TileFactory and
* calculations
* @param tileHeight The heigth of the tile used in the TileFactory and
* calculations
* @param map A tilemap with numbers
*/
public TileEngine(World world, int tileWidth, int tileHeight, int[][] map) {
this(world, tileWidth, tileHeight);
this.setMap(map);
}
/**
* The setMap method used to set a map. This method also clears the previous
* map and generates a new one.
*
* @param map
*/
public void setMap(int[][] map) {
this.clearTilesWorld();
this.map = map;
MAP_HEIGHT = this.map.length;
MAP_WIDTH = this.map[0].length;
this.generateMap = new Tile[MAP_HEIGHT][MAP_WIDTH];
this.generateWorld();
}
/**
* The setTileFactory sets a tilefactory. You can use this if you want to
* create you own tilefacory and use it in the class.
*
* @param tf A Tilefactory or extend of it.
*/
public void setTileFactory(TileFactory tf) {
this.tileFactory = tf;
}
/**
* Removes al the tiles from the world.
*/
public void clearTilesWorld() {
List<Tile> removeObjects = this.world.getObjects(Tile.class);
this.world.removeObjects(removeObjects);
this.map = null;
this.generateMap = null;
MAP_HEIGHT = 0;
MAP_WIDTH = 0;
}
/**
* Creates the tile world based on the TileFactory and the map icons.
*/
public void generateWorld() {
for (int y = 0; y < MAP_HEIGHT; y++) {
for (int x = 0; x < MAP_WIDTH; x++) {
// Nummer ophalen in de int array
int mapIcon = this.map[y][x];
if (mapIcon == -1) {
continue;
}
// Als de mapIcon -1 is dan wordt de code hieronder overgeslagen
// Dus er wordt geen tile aangemaakt. -1 is dus geen tile;
Tile createdTile = this.tileFactory.createTile(mapIcon);
addTileAt(createdTile, x, y);
}
}
}
/**
* Adds a tile on the colom and row. Calculation is based on TILE_WIDTH and
* TILE_HEIGHT
*
* @param tile The Tile
* @param colom The colom where the tile exist in the map
* @param row The row where the tile exist in the map
*/
public void addTileAt(Tile tile, int colom, int row) {
// De X en Y positie zitten het midden van de Actor.
// De tilemap genereerd een wereld gebaseerd op dat de X en Y
// positie links boven in zitten. Vandaar de we de helft van de
// breedte en hoogte optellen zodat de X en Y links boven zit voor
// het toevoegen van het object.
this.world.addObject(tile, (colom * TILE_WIDTH) + TILE_WIDTH / 2, (row * TILE_HEIGHT) + TILE_HEIGHT / 2);
// Toevoegen aan onze lokale array. Makkelijk om de tile op te halen
// op basis van een x en y positie van de map
this.generateMap[row][colom] = tile;
}
/**
* Retrieves a tile at the location based on colom and row in the map
*
* @param colom
* @param row
* @return The tile at the location colom and row. Returns null if it cannot
* find a tile.
*/
public Tile getTileAt(int colom, int row) {
try {
return this.generateMap[row][colom];
} catch (Exception e) {
return null;
}
}
/**
* Retrieves a tile based on a x and y position in the world
*
* @param x X-position in the world
* @param y Y-position in the world
* @return The tile at the location colom and row. Returns null if it cannot
* find a tile.
*/
public Tile getTileAtXY(int x, int y) {
int col = getColumn(x);
int row = getRow(y);
Tile tile = getTileAt(col, row);
return tile;
}
/**
* This methode checks if a tile on a x and y position in the world is solid
* or not.
*
* @param x X-position in the world
* @param y Y-position in the world
* @return Tile at location is solid
*/
public boolean checkTileSolid(int x, int y) {
Tile tile = getTileAtXY(x, y);
if (tile != null && tile.isSolid) {
return true;
}
return false;
}
/**
* This methode returns a colom based on a x position.
*
* @param x
* @return the colom
*/
public int getColumn(int x) {
return (int) Math.floor(x / TILE_WIDTH);
}
/**
* This methode returns a row based on a y position.
*
* @param y
* @return the row
*/
public int getRow(int y) {
return (int) Math.floor(y / TILE_HEIGHT);
}
/**
* This methode returns a x position based on the colom
*
* @param col
* @return The x position
*/
public int getX(int col) {
return col * TILE_WIDTH;
}
/**
* This methode returns a y position based on the row
*
* @param row
* @return The y position
*/
public int getY(int row) {
return row * TILE_HEIGHT;
}
}
| ROCMondriaanTIN/project-greenfoot-game-Tommie01 | TileEngine.java | 1,948 | // het toevoegen van het object. | line_comment | nl |
import greenfoot.*;
import java.util.List;
/**
*
* @author R. Springer
*/
public class TileEngine {
public static int TILE_WIDTH;
public static int TILE_HEIGHT;
public static int SCREEN_HEIGHT;
public static int SCREEN_WIDTH;
public static int MAP_WIDTH;
public static int MAP_HEIGHT;
private World world;
private int[][] map;
private Tile[][] generateMap;
private TileFactory tileFactory;
/**
* Constuctor of the TileEngine
*
* @param world A World class or a extend of it.
* @param tileWidth The width of the tile used in the TileFactory and
* calculations
* @param tileHeight The heigth of the tile used in the TileFactory and
* calculations
*/
public TileEngine(World world, int tileWidth, int tileHeight) {
this.world = world;
TILE_WIDTH = tileWidth;
TILE_HEIGHT = tileHeight;
SCREEN_WIDTH = world.getWidth();
SCREEN_HEIGHT = world.getHeight();
this.tileFactory = new TileFactory();
}
/**
* Constuctor of the TileEngine
*
* @param world A World class or a extend of it.
* @param tileWidth The width of the tile used in the TileFactory and
* calculations
* @param tileHeight The heigth of the tile used in the TileFactory and
* calculations
* @param map A tilemap with numbers
*/
public TileEngine(World world, int tileWidth, int tileHeight, int[][] map) {
this(world, tileWidth, tileHeight);
this.setMap(map);
}
/**
* The setMap method used to set a map. This method also clears the previous
* map and generates a new one.
*
* @param map
*/
public void setMap(int[][] map) {
this.clearTilesWorld();
this.map = map;
MAP_HEIGHT = this.map.length;
MAP_WIDTH = this.map[0].length;
this.generateMap = new Tile[MAP_HEIGHT][MAP_WIDTH];
this.generateWorld();
}
/**
* The setTileFactory sets a tilefactory. You can use this if you want to
* create you own tilefacory and use it in the class.
*
* @param tf A Tilefactory or extend of it.
*/
public void setTileFactory(TileFactory tf) {
this.tileFactory = tf;
}
/**
* Removes al the tiles from the world.
*/
public void clearTilesWorld() {
List<Tile> removeObjects = this.world.getObjects(Tile.class);
this.world.removeObjects(removeObjects);
this.map = null;
this.generateMap = null;
MAP_HEIGHT = 0;
MAP_WIDTH = 0;
}
/**
* Creates the tile world based on the TileFactory and the map icons.
*/
public void generateWorld() {
for (int y = 0; y < MAP_HEIGHT; y++) {
for (int x = 0; x < MAP_WIDTH; x++) {
// Nummer ophalen in de int array
int mapIcon = this.map[y][x];
if (mapIcon == -1) {
continue;
}
// Als de mapIcon -1 is dan wordt de code hieronder overgeslagen
// Dus er wordt geen tile aangemaakt. -1 is dus geen tile;
Tile createdTile = this.tileFactory.createTile(mapIcon);
addTileAt(createdTile, x, y);
}
}
}
/**
* Adds a tile on the colom and row. Calculation is based on TILE_WIDTH and
* TILE_HEIGHT
*
* @param tile The Tile
* @param colom The colom where the tile exist in the map
* @param row The row where the tile exist in the map
*/
public void addTileAt(Tile tile, int colom, int row) {
// De X en Y positie zitten het midden van de Actor.
// De tilemap genereerd een wereld gebaseerd op dat de X en Y
// positie links boven in zitten. Vandaar de we de helft van de
// breedte en hoogte optellen zodat de X en Y links boven zit voor
// het toevoegen<SUF>
this.world.addObject(tile, (colom * TILE_WIDTH) + TILE_WIDTH / 2, (row * TILE_HEIGHT) + TILE_HEIGHT / 2);
// Toevoegen aan onze lokale array. Makkelijk om de tile op te halen
// op basis van een x en y positie van de map
this.generateMap[row][colom] = tile;
}
/**
* Retrieves a tile at the location based on colom and row in the map
*
* @param colom
* @param row
* @return The tile at the location colom and row. Returns null if it cannot
* find a tile.
*/
public Tile getTileAt(int colom, int row) {
try {
return this.generateMap[row][colom];
} catch (Exception e) {
return null;
}
}
/**
* Retrieves a tile based on a x and y position in the world
*
* @param x X-position in the world
* @param y Y-position in the world
* @return The tile at the location colom and row. Returns null if it cannot
* find a tile.
*/
public Tile getTileAtXY(int x, int y) {
int col = getColumn(x);
int row = getRow(y);
Tile tile = getTileAt(col, row);
return tile;
}
/**
* This methode checks if a tile on a x and y position in the world is solid
* or not.
*
* @param x X-position in the world
* @param y Y-position in the world
* @return Tile at location is solid
*/
public boolean checkTileSolid(int x, int y) {
Tile tile = getTileAtXY(x, y);
if (tile != null && tile.isSolid) {
return true;
}
return false;
}
/**
* This methode returns a colom based on a x position.
*
* @param x
* @return the colom
*/
public int getColumn(int x) {
return (int) Math.floor(x / TILE_WIDTH);
}
/**
* This methode returns a row based on a y position.
*
* @param y
* @return the row
*/
public int getRow(int y) {
return (int) Math.floor(y / TILE_HEIGHT);
}
/**
* This methode returns a x position based on the colom
*
* @param col
* @return The x position
*/
public int getX(int col) {
return col * TILE_WIDTH;
}
/**
* This methode returns a y position based on the row
*
* @param row
* @return The y position
*/
public int getY(int row) {
return row * TILE_HEIGHT;
}
}
| True | False | 2,047 | 1,948 | 9 | 7 | 1,664 | 10 | 8 | 1,807 | 8 | 6 | 1,678 | 10 | 8 | 1,991 | 9 | 7 | false | false | false | false | false | true |
1,502 | 94298_2 | package masterMind;
public class masterMind7
{
public static void main(String args[])
{
vergelijken check = new vergelijken();
String[] controleVak = new String[4];
String[] codeMaker = check.codeAanMaken();
String[] codeBrekerArray = new String[4];
int poging = 1;
do
{
System.out.println("Dit is poging " + poging);
System.out.println("zet je code er in ");
int kleur = 0;
// hier zet je de code er in
for (int i = 0; i < 4; i++)
{
System.out.println("kleur " + (kleur + 1));
codeBrekerArray[kleur] = check.vraagKeuzpin();
kleur++;
}
// checken voor zwart pin, wit pin of geen pin
controleVak = check.controleren(codeMaker, codeBrekerArray);
// zegt of het zwart pin, wit pin of geen pin is
int i = 0;
for (int cijfers = 1; cijfers < 5; cijfers++)
{
System.out.println(cijfers + " " + controleVak[i]);
i++;
}
// print code uit als je het niet geraden hebt
if (poging == 10)
{
for (int x = 0; x < 4; x++)
{
System.out.println(codeMaker[x]);
}
}
// check win of verlies
poging = poging + 1;
check.winVerlies(controleVak);
}
while (poging <= 10 && check.eindResultaat == false);
if (check.eindResultaat == true)
System.out.println("je hebt gewonnen! :) ");
else
{
System.out.println("je hebt helaas niet gewonnen :( ");
}
}
}
| Ruveydabal/MasterMind | src/masterMind/masterMind7.java | 550 | // zegt of het zwart pin, wit pin of geen pin is | line_comment | nl | package masterMind;
public class masterMind7
{
public static void main(String args[])
{
vergelijken check = new vergelijken();
String[] controleVak = new String[4];
String[] codeMaker = check.codeAanMaken();
String[] codeBrekerArray = new String[4];
int poging = 1;
do
{
System.out.println("Dit is poging " + poging);
System.out.println("zet je code er in ");
int kleur = 0;
// hier zet je de code er in
for (int i = 0; i < 4; i++)
{
System.out.println("kleur " + (kleur + 1));
codeBrekerArray[kleur] = check.vraagKeuzpin();
kleur++;
}
// checken voor zwart pin, wit pin of geen pin
controleVak = check.controleren(codeMaker, codeBrekerArray);
// zegt of<SUF>
int i = 0;
for (int cijfers = 1; cijfers < 5; cijfers++)
{
System.out.println(cijfers + " " + controleVak[i]);
i++;
}
// print code uit als je het niet geraden hebt
if (poging == 10)
{
for (int x = 0; x < 4; x++)
{
System.out.println(codeMaker[x]);
}
}
// check win of verlies
poging = poging + 1;
check.winVerlies(controleVak);
}
while (poging <= 10 && check.eindResultaat == false);
if (check.eindResultaat == true)
System.out.println("je hebt gewonnen! :) ");
else
{
System.out.println("je hebt helaas niet gewonnen :( ");
}
}
}
| True | False | 2,052 | 550 | 14 | 12 | 509 | 18 | 16 | 511 | 13 | 11 | 509 | 18 | 16 | 576 | 16 | 14 | false | false | false | false | false | true |
1,201 | 21680_0 | package nl.novi.eindopdracht.LoginAndSecurity.Model;
import jakarta.persistence.*;
import jakarta.validation.constraints.NotBlank;
import nl.novi.eindopdracht.Image.ImageData;
import java.util.HashSet;
import java.util.Set;
@Entity
@Table(name="users")
public class User {
@Column
@NotBlank
private String name;
// Deze eerste 3 variabelen zijn verplicht om te kunnen inloggen met een username, password en rol.
//HIER NOG EEN NAAM TOEVOEGEN
@Id
@Column(nullable = false, unique = true)
@NotBlank
private String username;
@Column(nullable = false, length = 255)
@NotBlank
private String password;
@Column
@NotBlank
private String email;
@OneToMany(
targetEntity = Authority.class,
mappedBy = "username",
cascade = CascadeType.ALL,
orphanRemoval = true,
fetch = FetchType.EAGER)
private Set<Authority> authorities = new HashSet<>();
// Deze 3 variabelen zijn niet verplicht.
// Je mag ook een "String banaan;" toevoegen, als je dat graag wilt.
@Column(nullable = false)
private boolean enabled = true;
@Column
private String apikey;
@OneToOne(mappedBy = "user", fetch = FetchType.LAZY)
private ImageData imageData;
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
public String getUsername() { return username; }
public void setUsername(String username) {
this.username = username;
}
public String getPassword() {
return password;
}
public void setPassword(String password) {
this.password = password;
}
public boolean isEnabled() { return enabled;}
public void setEnabled(boolean enabled) { this.enabled = enabled; }
public String getApikey() { return apikey; }
public void setApikey(String apikey) { this.apikey = apikey; }
public String getEmail() { return email; }
public void setEmail(String email) { this.email = email;}
public Set<Authority> getAuthorities() { return authorities; }
public void addAuthority(Authority authority) {
this.authorities.add(authority);
}
public void removeAuthority(Authority authority) {
this.authorities.remove(authority);
}
public ImageData getImageData() {
return imageData;
}
public void setImage(ImageData imageData) {
this.imageData = imageData;
}
public void setImageData(Object o) {
}
}
| NickN1994/eindopdracht-backend | src/main/java/nl/novi/eindopdracht/LoginAndSecurity/Model/User.java | 748 | // Deze eerste 3 variabelen zijn verplicht om te kunnen inloggen met een username, password en rol. | line_comment | nl | package nl.novi.eindopdracht.LoginAndSecurity.Model;
import jakarta.persistence.*;
import jakarta.validation.constraints.NotBlank;
import nl.novi.eindopdracht.Image.ImageData;
import java.util.HashSet;
import java.util.Set;
@Entity
@Table(name="users")
public class User {
@Column
@NotBlank
private String name;
// Deze eerste<SUF>
//HIER NOG EEN NAAM TOEVOEGEN
@Id
@Column(nullable = false, unique = true)
@NotBlank
private String username;
@Column(nullable = false, length = 255)
@NotBlank
private String password;
@Column
@NotBlank
private String email;
@OneToMany(
targetEntity = Authority.class,
mappedBy = "username",
cascade = CascadeType.ALL,
orphanRemoval = true,
fetch = FetchType.EAGER)
private Set<Authority> authorities = new HashSet<>();
// Deze 3 variabelen zijn niet verplicht.
// Je mag ook een "String banaan;" toevoegen, als je dat graag wilt.
@Column(nullable = false)
private boolean enabled = true;
@Column
private String apikey;
@OneToOne(mappedBy = "user", fetch = FetchType.LAZY)
private ImageData imageData;
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
public String getUsername() { return username; }
public void setUsername(String username) {
this.username = username;
}
public String getPassword() {
return password;
}
public void setPassword(String password) {
this.password = password;
}
public boolean isEnabled() { return enabled;}
public void setEnabled(boolean enabled) { this.enabled = enabled; }
public String getApikey() { return apikey; }
public void setApikey(String apikey) { this.apikey = apikey; }
public String getEmail() { return email; }
public void setEmail(String email) { this.email = email;}
public Set<Authority> getAuthorities() { return authorities; }
public void addAuthority(Authority authority) {
this.authorities.add(authority);
}
public void removeAuthority(Authority authority) {
this.authorities.remove(authority);
}
public ImageData getImageData() {
return imageData;
}
public void setImage(ImageData imageData) {
this.imageData = imageData;
}
public void setImageData(Object o) {
}
}
| True | False | 2,061 | 748 | 28 | 23 | 642 | 30 | 25 | 657 | 23 | 18 | 642 | 30 | 25 | 761 | 26 | 21 | false | false | false | false | false | true |
3,084 | 7496_50 | package BarChart;
/**
* Dit programma leest gegevens in van een demoprogramma en geeft het terug als een grafiek.
*
* @version 07/01/2019
* @author Elian Van Cutsem
*/
public class BarChart {
//initialiseren
/**
* bevat de titel van de grafiek
*/
public final String TITLE;
/**
* bevat het max aantal groepen
*/
public final int NRGROUPS;
/**
* een array met alle categoriën
*/
public String[] categories;
/**
* een 2dim array met data om een grafiek te maken
*/
public int[][] data;
/**
* een array met alle groepen
*/
public String[] groups;
/**
* een array met alle symbolen bijhorend bij de groepen
*/
public char[] symbols;
/**
* Dit is de barchart voor 1 groep.
* @param title de titel van van de grafiek.
* @param categories de categoriën van de grafiek.
* @param groupName de naam van de groep.
* @param symbol het symbool bijpassend aan de groep.
* @param data hoeveel een groep op een bepaalde categorie stemt.
*/
public BarChart(String title, String[] categories, String groupName, char symbol, int[] data) {
this.TITLE = title; //de titel van deze chart declareren
this.NRGROUPS = 1; //maar 1 groep dus dit is zoiso 1
this.categories = categories; //declareren van categorie StringArray
this.groups = new String[NRGROUPS]; //array lengte declareren: 1
this.groups[0] = groupName; //de groepnaam bepalen van de array ( we hebben maar 1 rij )
this.symbols = new char[NRGROUPS]; //array lengte declareren: 1
this.symbols[0] = symbol; //het symbool bepalen van de array (we hebben maar 1 symbool)
this.data = new int[NRGROUPS][categories.length]; //declareren van lengte van data
this.data[0] = data; //data array invullen 1dim (we hebben maar 1 rij)
}
/**
* dit is de barchart voor meerdere groepen.
* @param title de titel van de grafiek
* @param maximum het maximum aantal gegevens en groepen.
* @param categoriën de categoriën van de grafiek.
*/
public BarChart(String title, int maximum, String[] categoriën) {
this.TITLE = title; //titel declareren
this.NRGROUPS = maximum; //max aantal groepen declareren
this.categories = categoriën; //aantal categoriën declareren
this.data = new int[NRGROUPS][categoriën.length];
this.groups = new String[NRGROUPS]; //lengte van de array groups bepalen
this.symbols = new char[NRGROUPS];
}
/**
* showData toont de bijkomende data van groepen en categoriën
* @return geeft de data van alle groepen en categoriën
*/
public String showData() { //deze weergeeft alle data van de chart
String result;//lege string
result = "Title : " + TITLE + "\nData : \n" ; // titel aanvullen
result += "\t" ; //zet een tab
for (int i = 0 ; i < NRGROUPS ; i++) { //lus die max groepen afgaat
result += groups[i] + "\t" ; //groep aanvullen
}
result += '\n'; //een return
for (int i = 0 ; i < categories.length ; i++) { //gaat de lengte van array af
result += categories[i] + "\t" ; //print een tab
for (int j = 0 ; j < NRGROUPS ; j++) { //lus die max groepen afgaat
result += data[j][i] + "\t"; // schrijft data erbij
}
result += '\n'; //zet een return
}
return result; //geeft de opgevulde String terug
}
/**
* showLegend geeft de legende van categoriën en hun symbolen
* @return geeft de legende van categoriën en hun symbolen
*/
public String showLegend() { //legende
String result; //lege String
result = "Legend: " ; //symbolen + groups
for (int i = 0 ; i < NRGROUPS ; i++) { //loopt de groepen af
result += symbols[i] + "(" + groups[i] + ") " ; //plaatst de naam en het symbool
}
return result += '\n' ; //geeft de String terug
}
/**
* makeChart een methode om te bepalen welke grafiek moet gebruikt worden.
* @param orientation geeft aan of de grafiek georienteerd is.
* @param stacked geeft aan of de grafiek gestacked moet zijn.
* @return verwijzen naar een methode om een chart te maken.
*/
public String makeChart(char orientation, boolean stacked) { //maakt de structuur van de barchart
String result; //lege string
result = "Title : " + TITLE + '\n'; //print de titel
System.out.println(result);// print de string
if (orientation == 'H') { //kijkt welke barchart je nodig hebt
if (!stacked) { //welke horizontale je nodig hebt
return displayHorizontalFalse();//horizontale met stacking
} else if (stacked) { //welke horizontale je nodig hebt
return displayHorizontalTrue();//horizontale zonder stacking
}
} else if (orientation == 'V') { //welke horizontale je nodig hebt
if (NRGROUPS == 1) { //als je één groep hebt:
return displayVerticalOneGroup(); //verticale met 1 groep
}
if (NRGROUPS > 1) { //als je meer dan 1 groep hebt:
return displayVerticalMoreGroups();//verticale met meer groepen
}
}
return result;//geeft de titel
}
/**
* highestNumber berekend het hoogste nummer in de data array.
* @return geeft het hoogste nummer.
*/
public int highestNumber() {//methode om te berekenen wat de hoogste waarde is in een int array
int highNumber = 0; // hoogste nr is 0
for (int j = 0; j < NRGROUPS; j++) { //gaat alle groepen af
for (int i = 0; i < categories.length; i++) { //gaat de lengte van de categoriën af
if (data[j][i] > highNumber) { //als deze waarde hoger is dan int highNumber:
highNumber = data[j][i]; //veranderd de waarde van int highNumber naar deze waarde
}
}
}
return highNumber; //geeft de waarde van het hoogste nr door.
}
/**
* displayHorizontalTrue (geeft een chart horizontale zonder stacking)
* @return de chart
*/
public String displayHorizontalTrue() { //horizontale barchart zonder stacking
String result = ""; //lege String
for (int i = 0 ; i < categories.length ; i++) { //gaat de lengte van array af
result = categories[i] + "\t"; //vult String met categorie en tab
for (int l = 0 ; l < NRGROUPS ; l++) { //loopt de groepen af
for (int j = 0 ; j < data[l][i] ; j++) { //for loop die data afgaat
result += symbols[l]; //result aanvullen met symbool
}
}
result += '\n'; //result aanvulen met 2 returns
}
return result + '\n' + showLegend(); //result aanvullen met legende
}
/**
* dispayHorizontalFalse (geeft een chart horizontale zonder stacking)
* @return de chart
*/
public String displayHorizontalFalse() { //horizontale barchart met stacking
String result = ""; //lege String
for (int i = 0; i < categories.length; i++) { //gaat lengte van de array af
result += categories[i] + "\t"; //vult result aan met categorie en tab
for (int l = 0; l < NRGROUPS; l++) {
for (int j = 0; j < data[l][i]; j++) { //for loop die data afgaat
result += symbols[l]; //result aanvullen met symbool
}
result += "\n\t";//print een return en tab
}
result += '\n'; //vult result aan met return
}
return result + showLegend(); //result aanvullen met de legende
}
/**
* displayVerticalOneGroup maakt een verticale grafiek voor één groep.
* @return de chart
*/
public String displayVerticalOneGroup() { //verticale barchart
String result = ""; //lege String
for (int i = highestNumber(); i > -1; i--) {
for (int k = 0; k < NRGROUPS; k++) { //doorloop
for (int j = 0; j < categories.length; j++) { //doorloopt elke categorie
if (data[0][j] > i) { //als data groter is dan i
result += symbols[0] + "\t\t"; //zet 2tabs
}
else { //als data niet hoger is:
result += "\t\t"; //als het resultaat niet hoger is, zet dan tab
}
}
result += "\t\t"; //geeft 2 tabs tussen grafiek
}
result += '\n'; //maakt een nieuwe lijn
}
for (String categorie : categories) { //loopt grafiek af
result += categorie + "\t\t"; //zet 2tabs
}
return result + "\n\n" + showLegend(); //zet 2 returns en toont de legende
}
/**
* displayVerticalMoreGroups maakt een verticale grafiek voor meerdere groepen.
* @return de chart
*/
public String displayVerticalMoreGroups() { //verticale barchart
String result = ""; //lege String
int count; //counter initialiseren
for (int i = highestNumber() ; i > -1 ; i--) { //loopt af van hoogste nummer tot out of bounds
for (int k = 0 ; k < NRGROUPS ; k++) { //oopt de max groepen af
count = 0 ; //zet de counter op 0
for (int j = 0 ; j < categories.length ; j++) {//doorloopt elke groep
if (data[j][k] > i) { //als data groter is dan i:
result += symbols[count] + " "; //plaatst het symbool
} else { //als data kleiner is dan i:
result += " "; // 2 lege spaties om een symbool te counteren
}
count++;//de counter +1 om een symbool te veranderen
}
result += "\t\t";//2 tabs tussen de grafieken
}
result += '\n'; //zet een return
}
for (String categorie : categories) { //loopt de categorien af
result += categorie + "\t\t"; //plaatst 2 tabs tussen de categoriën
}
return result + "\n\n" + showLegend(); //zet 2 returns en toont de legende.
}
/**
* putGroupData geeft data van meerdere groepen
* @param groupName de naam van verschillende groepen
* @param symbol het symbool om groepen en categoriën weer te geven.
* @param data houd de cijfers van alle groupen en categoriën in
* @return datasheet met een matrix van gegevens
*/
public boolean putGroupData(String groupName, char symbol, int[] data) {
boolean result = false; //nieuwe boolean
for (int i = 0; i < categories.length; i++) { //gaat de categorien af
if (groupName.equals(this.groups[i]) || symbol == this.symbols[i]) {// als er al dezelfde naam of symbool inzit:
return result; //geeft deze false terug.
}
}
for (int i = 0; i < categories.length; i++) { //gaat de categoriën af
for (int j = 0; j < NRGROUPS; j++) { //gaat de groepen af
if (this.data[j][i] == 0) { //als plaatsje in data geen waarde heeft
result = true; //geeft true aan boolean
if (result) { //als result true is:
this.data[j][i] = data[i]; //veranderd data in huidige waarde
this.groups[j] = groupName; //veranderd group in groepnaam
this.symbols[j] = symbol; //veranderd symbols in het symbool bij de groepsnaam
}
break; //stopt if
}
}
}
return result; //geeft de boolean terug
}
}
| ikdoeict-notes/programmeren-1 | labo/ILE BarChart/src/BarChart/BarChart.java | 3,561 | //geeft de titel | line_comment | nl | package BarChart;
/**
* Dit programma leest gegevens in van een demoprogramma en geeft het terug als een grafiek.
*
* @version 07/01/2019
* @author Elian Van Cutsem
*/
public class BarChart {
//initialiseren
/**
* bevat de titel van de grafiek
*/
public final String TITLE;
/**
* bevat het max aantal groepen
*/
public final int NRGROUPS;
/**
* een array met alle categoriën
*/
public String[] categories;
/**
* een 2dim array met data om een grafiek te maken
*/
public int[][] data;
/**
* een array met alle groepen
*/
public String[] groups;
/**
* een array met alle symbolen bijhorend bij de groepen
*/
public char[] symbols;
/**
* Dit is de barchart voor 1 groep.
* @param title de titel van van de grafiek.
* @param categories de categoriën van de grafiek.
* @param groupName de naam van de groep.
* @param symbol het symbool bijpassend aan de groep.
* @param data hoeveel een groep op een bepaalde categorie stemt.
*/
public BarChart(String title, String[] categories, String groupName, char symbol, int[] data) {
this.TITLE = title; //de titel van deze chart declareren
this.NRGROUPS = 1; //maar 1 groep dus dit is zoiso 1
this.categories = categories; //declareren van categorie StringArray
this.groups = new String[NRGROUPS]; //array lengte declareren: 1
this.groups[0] = groupName; //de groepnaam bepalen van de array ( we hebben maar 1 rij )
this.symbols = new char[NRGROUPS]; //array lengte declareren: 1
this.symbols[0] = symbol; //het symbool bepalen van de array (we hebben maar 1 symbool)
this.data = new int[NRGROUPS][categories.length]; //declareren van lengte van data
this.data[0] = data; //data array invullen 1dim (we hebben maar 1 rij)
}
/**
* dit is de barchart voor meerdere groepen.
* @param title de titel van de grafiek
* @param maximum het maximum aantal gegevens en groepen.
* @param categoriën de categoriën van de grafiek.
*/
public BarChart(String title, int maximum, String[] categoriën) {
this.TITLE = title; //titel declareren
this.NRGROUPS = maximum; //max aantal groepen declareren
this.categories = categoriën; //aantal categoriën declareren
this.data = new int[NRGROUPS][categoriën.length];
this.groups = new String[NRGROUPS]; //lengte van de array groups bepalen
this.symbols = new char[NRGROUPS];
}
/**
* showData toont de bijkomende data van groepen en categoriën
* @return geeft de data van alle groepen en categoriën
*/
public String showData() { //deze weergeeft alle data van de chart
String result;//lege string
result = "Title : " + TITLE + "\nData : \n" ; // titel aanvullen
result += "\t" ; //zet een tab
for (int i = 0 ; i < NRGROUPS ; i++) { //lus die max groepen afgaat
result += groups[i] + "\t" ; //groep aanvullen
}
result += '\n'; //een return
for (int i = 0 ; i < categories.length ; i++) { //gaat de lengte van array af
result += categories[i] + "\t" ; //print een tab
for (int j = 0 ; j < NRGROUPS ; j++) { //lus die max groepen afgaat
result += data[j][i] + "\t"; // schrijft data erbij
}
result += '\n'; //zet een return
}
return result; //geeft de opgevulde String terug
}
/**
* showLegend geeft de legende van categoriën en hun symbolen
* @return geeft de legende van categoriën en hun symbolen
*/
public String showLegend() { //legende
String result; //lege String
result = "Legend: " ; //symbolen + groups
for (int i = 0 ; i < NRGROUPS ; i++) { //loopt de groepen af
result += symbols[i] + "(" + groups[i] + ") " ; //plaatst de naam en het symbool
}
return result += '\n' ; //geeft de String terug
}
/**
* makeChart een methode om te bepalen welke grafiek moet gebruikt worden.
* @param orientation geeft aan of de grafiek georienteerd is.
* @param stacked geeft aan of de grafiek gestacked moet zijn.
* @return verwijzen naar een methode om een chart te maken.
*/
public String makeChart(char orientation, boolean stacked) { //maakt de structuur van de barchart
String result; //lege string
result = "Title : " + TITLE + '\n'; //print de titel
System.out.println(result);// print de string
if (orientation == 'H') { //kijkt welke barchart je nodig hebt
if (!stacked) { //welke horizontale je nodig hebt
return displayHorizontalFalse();//horizontale met stacking
} else if (stacked) { //welke horizontale je nodig hebt
return displayHorizontalTrue();//horizontale zonder stacking
}
} else if (orientation == 'V') { //welke horizontale je nodig hebt
if (NRGROUPS == 1) { //als je één groep hebt:
return displayVerticalOneGroup(); //verticale met 1 groep
}
if (NRGROUPS > 1) { //als je meer dan 1 groep hebt:
return displayVerticalMoreGroups();//verticale met meer groepen
}
}
return result;//geeft de<SUF>
}
/**
* highestNumber berekend het hoogste nummer in de data array.
* @return geeft het hoogste nummer.
*/
public int highestNumber() {//methode om te berekenen wat de hoogste waarde is in een int array
int highNumber = 0; // hoogste nr is 0
for (int j = 0; j < NRGROUPS; j++) { //gaat alle groepen af
for (int i = 0; i < categories.length; i++) { //gaat de lengte van de categoriën af
if (data[j][i] > highNumber) { //als deze waarde hoger is dan int highNumber:
highNumber = data[j][i]; //veranderd de waarde van int highNumber naar deze waarde
}
}
}
return highNumber; //geeft de waarde van het hoogste nr door.
}
/**
* displayHorizontalTrue (geeft een chart horizontale zonder stacking)
* @return de chart
*/
public String displayHorizontalTrue() { //horizontale barchart zonder stacking
String result = ""; //lege String
for (int i = 0 ; i < categories.length ; i++) { //gaat de lengte van array af
result = categories[i] + "\t"; //vult String met categorie en tab
for (int l = 0 ; l < NRGROUPS ; l++) { //loopt de groepen af
for (int j = 0 ; j < data[l][i] ; j++) { //for loop die data afgaat
result += symbols[l]; //result aanvullen met symbool
}
}
result += '\n'; //result aanvulen met 2 returns
}
return result + '\n' + showLegend(); //result aanvullen met legende
}
/**
* dispayHorizontalFalse (geeft een chart horizontale zonder stacking)
* @return de chart
*/
public String displayHorizontalFalse() { //horizontale barchart met stacking
String result = ""; //lege String
for (int i = 0; i < categories.length; i++) { //gaat lengte van de array af
result += categories[i] + "\t"; //vult result aan met categorie en tab
for (int l = 0; l < NRGROUPS; l++) {
for (int j = 0; j < data[l][i]; j++) { //for loop die data afgaat
result += symbols[l]; //result aanvullen met symbool
}
result += "\n\t";//print een return en tab
}
result += '\n'; //vult result aan met return
}
return result + showLegend(); //result aanvullen met de legende
}
/**
* displayVerticalOneGroup maakt een verticale grafiek voor één groep.
* @return de chart
*/
public String displayVerticalOneGroup() { //verticale barchart
String result = ""; //lege String
for (int i = highestNumber(); i > -1; i--) {
for (int k = 0; k < NRGROUPS; k++) { //doorloop
for (int j = 0; j < categories.length; j++) { //doorloopt elke categorie
if (data[0][j] > i) { //als data groter is dan i
result += symbols[0] + "\t\t"; //zet 2tabs
}
else { //als data niet hoger is:
result += "\t\t"; //als het resultaat niet hoger is, zet dan tab
}
}
result += "\t\t"; //geeft 2 tabs tussen grafiek
}
result += '\n'; //maakt een nieuwe lijn
}
for (String categorie : categories) { //loopt grafiek af
result += categorie + "\t\t"; //zet 2tabs
}
return result + "\n\n" + showLegend(); //zet 2 returns en toont de legende
}
/**
* displayVerticalMoreGroups maakt een verticale grafiek voor meerdere groepen.
* @return de chart
*/
public String displayVerticalMoreGroups() { //verticale barchart
String result = ""; //lege String
int count; //counter initialiseren
for (int i = highestNumber() ; i > -1 ; i--) { //loopt af van hoogste nummer tot out of bounds
for (int k = 0 ; k < NRGROUPS ; k++) { //oopt de max groepen af
count = 0 ; //zet de counter op 0
for (int j = 0 ; j < categories.length ; j++) {//doorloopt elke groep
if (data[j][k] > i) { //als data groter is dan i:
result += symbols[count] + " "; //plaatst het symbool
} else { //als data kleiner is dan i:
result += " "; // 2 lege spaties om een symbool te counteren
}
count++;//de counter +1 om een symbool te veranderen
}
result += "\t\t";//2 tabs tussen de grafieken
}
result += '\n'; //zet een return
}
for (String categorie : categories) { //loopt de categorien af
result += categorie + "\t\t"; //plaatst 2 tabs tussen de categoriën
}
return result + "\n\n" + showLegend(); //zet 2 returns en toont de legende.
}
/**
* putGroupData geeft data van meerdere groepen
* @param groupName de naam van verschillende groepen
* @param symbol het symbool om groepen en categoriën weer te geven.
* @param data houd de cijfers van alle groupen en categoriën in
* @return datasheet met een matrix van gegevens
*/
public boolean putGroupData(String groupName, char symbol, int[] data) {
boolean result = false; //nieuwe boolean
for (int i = 0; i < categories.length; i++) { //gaat de categorien af
if (groupName.equals(this.groups[i]) || symbol == this.symbols[i]) {// als er al dezelfde naam of symbool inzit:
return result; //geeft deze false terug.
}
}
for (int i = 0; i < categories.length; i++) { //gaat de categoriën af
for (int j = 0; j < NRGROUPS; j++) { //gaat de groepen af
if (this.data[j][i] == 0) { //als plaatsje in data geen waarde heeft
result = true; //geeft true aan boolean
if (result) { //als result true is:
this.data[j][i] = data[i]; //veranderd data in huidige waarde
this.groups[j] = groupName; //veranderd group in groepnaam
this.symbols[j] = symbol; //veranderd symbols in het symbool bij de groepsnaam
}
break; //stopt if
}
}
}
return result; //geeft de boolean terug
}
}
| True | False | 2,075 | 3,561 | 7 | 5 | 3,245 | 7 | 5 | 3,161 | 6 | 4 | 3,245 | 7 | 5 | 3,456 | 7 | 5 | false | false | false | false | false | true |
569 | 11567_5 | package be.intecbrussel;
public class Person {
/*
Access Modifiers:
* Public -> Overal toegankelijk, vanuit elke klas, package of buiten de package.
* Private -> Toegankelijk binnen de klassen waar deze gedefinieerd is. Niet toegankelijk van buiten uit de klas.
* Protected -> Alleen toegankelijk voor klassen binnen het huidige pakket en buiten de package door subclasses.
* Default or Package -> Alleen toegankelijk binnenin de package. Wanneer er geen access modifiers is opgegeven is dit de standaard.
*/
private String name; // -> Property. Private = Access Modifier
private int age; // -> Property
// Constructors
// No-args constructor
public Person() {
}
// Constructor met 1 parameter
public Person(String name) {
setName(name);
}
// All-args constructor
public Person(String name, int age) {
setName(name);
setAge(age);
}
// Methods
// Void is een return type maar, het geeft niks terug. Void betekent gewoon dat dit gaat een waarde vragen en dan opslagen of een functie uitvoeren.
// Dat is het. Hij gaat die waarde niet terug geven aan iets anders. Hij gaat gewoon zijn taak doen.
// Het gaat dit waarde niet terug geven. VB: setter.
public void presentYourself() {
String sentence = buildPresentationSentence();
System.out.println(sentence);
}
private String buildPresentationSentence() { // private hulpmethode
return "I am " + name + " and I am " + age + " years old.";
}
// Getters
public String getName() {
return name;
}
public int getAge() {
return age;
}
// Setters
// public void setAge(int age) {
// age = age;
// } -> probleem
// public void setAge(int ageToSet) {
// age = ageToSet;
// } -> oplossing 1
// public void setAge(int age) { // -> parameter
// this.age = age;
// } -> oplossing 2 -> this.age verwijst naar de property van de class en niet naar de parameter van de setter
// public void setAge(int age) { // -> parameter
// if (age >= 0) {
// this.age = age;
// } else {
// this.age = -age;
// }
// }
// public void setAge(int age) { // -> parameter
// if (age >= 0) {
// this.age = age;
// } else {
// this.age = Math.abs(age); geen else if nodig
// }
// }
public void setAge(int age) { // -> parameter
this.age = Math.abs(age);
} // -> beste oplossing!!!
public void setName(String name) {
// if (!name.isBlank() && name.length() > 0) {
// this.name = name.trim();
// } -> oplossing 1
// if (name.trim().length() > 0) {
// this.name = name.trim();
// } -> oplossing 2
String trimmedName = name.trim();
if (trimmedName.length() > 0) {
this.name = trimmedName;
} else {
this.name = "NO NAME";
} // -> Dry -> Don't repeat yourself. Beste oplossing!!!!
}
// Static methodes
/*
Het verschil tussen static methodes en instance methodes
INSTANCE METHODES:
* Heeft een object van een klas nodig.
* Heeft toegang tot alle fields in een klas.
* De methode is alleen maar toegankelijk door een object referentie.
* Syntax: ObjectName.methodName()
STATIC METHODES:
* Heeft geen object van een klas nodig.
* Heeft alleen toegang tot alle static fields in een klas.
* De methode is alleen toegankelijk door de klas naam.
* Syntax: className.methodName()
*/
// Een non-static method
public void messageNonStatic() {
System.out.println("Hi, from non-static method");
}
// Een static method
public static void messageStatic() {
System.out.println("Hi, from static method");
}
}
| Gabe-Alvess/LesClassesManuel | src/be/intecbrussel/Person.java | 1,170 | // Het gaat dit waarde niet terug geven. VB: setter. | line_comment | nl | package be.intecbrussel;
public class Person {
/*
Access Modifiers:
* Public -> Overal toegankelijk, vanuit elke klas, package of buiten de package.
* Private -> Toegankelijk binnen de klassen waar deze gedefinieerd is. Niet toegankelijk van buiten uit de klas.
* Protected -> Alleen toegankelijk voor klassen binnen het huidige pakket en buiten de package door subclasses.
* Default or Package -> Alleen toegankelijk binnenin de package. Wanneer er geen access modifiers is opgegeven is dit de standaard.
*/
private String name; // -> Property. Private = Access Modifier
private int age; // -> Property
// Constructors
// No-args constructor
public Person() {
}
// Constructor met 1 parameter
public Person(String name) {
setName(name);
}
// All-args constructor
public Person(String name, int age) {
setName(name);
setAge(age);
}
// Methods
// Void is een return type maar, het geeft niks terug. Void betekent gewoon dat dit gaat een waarde vragen en dan opslagen of een functie uitvoeren.
// Dat is het. Hij gaat die waarde niet terug geven aan iets anders. Hij gaat gewoon zijn taak doen.
// Het gaat<SUF>
public void presentYourself() {
String sentence = buildPresentationSentence();
System.out.println(sentence);
}
private String buildPresentationSentence() { // private hulpmethode
return "I am " + name + " and I am " + age + " years old.";
}
// Getters
public String getName() {
return name;
}
public int getAge() {
return age;
}
// Setters
// public void setAge(int age) {
// age = age;
// } -> probleem
// public void setAge(int ageToSet) {
// age = ageToSet;
// } -> oplossing 1
// public void setAge(int age) { // -> parameter
// this.age = age;
// } -> oplossing 2 -> this.age verwijst naar de property van de class en niet naar de parameter van de setter
// public void setAge(int age) { // -> parameter
// if (age >= 0) {
// this.age = age;
// } else {
// this.age = -age;
// }
// }
// public void setAge(int age) { // -> parameter
// if (age >= 0) {
// this.age = age;
// } else {
// this.age = Math.abs(age); geen else if nodig
// }
// }
public void setAge(int age) { // -> parameter
this.age = Math.abs(age);
} // -> beste oplossing!!!
public void setName(String name) {
// if (!name.isBlank() && name.length() > 0) {
// this.name = name.trim();
// } -> oplossing 1
// if (name.trim().length() > 0) {
// this.name = name.trim();
// } -> oplossing 2
String trimmedName = name.trim();
if (trimmedName.length() > 0) {
this.name = trimmedName;
} else {
this.name = "NO NAME";
} // -> Dry -> Don't repeat yourself. Beste oplossing!!!!
}
// Static methodes
/*
Het verschil tussen static methodes en instance methodes
INSTANCE METHODES:
* Heeft een object van een klas nodig.
* Heeft toegang tot alle fields in een klas.
* De methode is alleen maar toegankelijk door een object referentie.
* Syntax: ObjectName.methodName()
STATIC METHODES:
* Heeft geen object van een klas nodig.
* Heeft alleen toegang tot alle static fields in een klas.
* De methode is alleen toegankelijk door de klas naam.
* Syntax: className.methodName()
*/
// Een non-static method
public void messageNonStatic() {
System.out.println("Hi, from non-static method");
}
// Een static method
public static void messageStatic() {
System.out.println("Hi, from static method");
}
}
| True | False | 2,077 | 1,170 | 17 | 13 | 1,103 | 18 | 14 | 1,049 | 13 | 9 | 1,103 | 18 | 14 | 1,203 | 17 | 13 | false | false | false | false | false | true |
3,973 | 173211_0 | package nl.ordina.jtech.ws.jerseyjaxrs;
import java.util.concurrent.ExecutionException;
import java.util.concurrent.TimeoutException;
import javax.ws.rs.ServiceUnavailableException;
import javax.ws.rs.client.Client;
import javax.ws.rs.client.ClientBuilder;
import javax.ws.rs.client.Entity;
import javax.ws.rs.client.WebTarget;
import javax.ws.rs.core.Form;
import javax.ws.rs.core.MediaType;
import javax.ws.rs.core.Response;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
/**
* JAX-RS client die RESTful requests afvuurt op een server-side AsyncEntityResource.
* Client is zelf synchroon, maar is vrij eenvoudig asynchroon te maken.
*/
public class AsyncEntityClient {
private static final Logger LOG = LoggerFactory.getLogger(AsyncEntityClient.class);
private final Client client;
private final String entityServiceUrl;
public AsyncEntityClient(final String url) {
client = ClientBuilder.newClient();
entityServiceUrl = url;
}
public String getEntity(final int id) throws InterruptedException, ExecutionException, TimeoutException {
LOG.debug("get entity {}", id);
final WebTarget target = client.target(entityServiceUrl);
// response code wrapper
final Response response = target //
.path(String.format("entity/%d", id)) //
.request() //
.accept("text/html") //
// TODO bonus: add async variant using simply .async() //
// ... but is that enough?
.get(Response.class);
return extractEntity(id, target, response);
}
private String extractEntity(final int id, final WebTarget target, final Response response) {
switch (response.getStatus()) {
case 200:
return response.readEntity(String.class);
case 404:
LOG.info("Entity {} not found", id);
return null;
case 400:
LOG.info("illegal Entity id {}", id);
throw new IllegalArgumentException(Integer.toString(id));
case 503:
LOG.info("Service not available - probably timeout");
throw new ServiceUnavailableException(response);
default:
LOG.info("unknown error requesting Entity id {}", id);
throw new RuntimeException(String.format("unknown error requesting Entity id %s", id));
}
}
public String createEntity(final String entityName) {
LOG.debug("create entity {}", entityName);
final WebTarget target = client.target(entityServiceUrl);
final Response response = target //
.path(String.format("entity")) //
.request(MediaType.APPLICATION_FORM_URLENCODED) //
.post(Entity.form(new Form("name", entityName)));
return extractEntity(-1, target, response);
}
public String getEntityList() {
final WebTarget target = client.target(entityServiceUrl);
final Response response = target //
.path("entity") //
.request() //
// TODO bonus: add async variant using simply .async() //
// ... but is that enough?
.accept("text/html") //
.get(Response.class);
return extractEntity(-1, target, response);
}
}
| petereijgermans11/websockets_http2 | cursus-websockets-server-push-master/workspace/jersey-jaxrs-async/src/main/java/nl/ordina/jtech/ws/jerseyjaxrs/AsyncEntityClient.java | 865 | /**
* JAX-RS client die RESTful requests afvuurt op een server-side AsyncEntityResource.
* Client is zelf synchroon, maar is vrij eenvoudig asynchroon te maken.
*/ | block_comment | nl | package nl.ordina.jtech.ws.jerseyjaxrs;
import java.util.concurrent.ExecutionException;
import java.util.concurrent.TimeoutException;
import javax.ws.rs.ServiceUnavailableException;
import javax.ws.rs.client.Client;
import javax.ws.rs.client.ClientBuilder;
import javax.ws.rs.client.Entity;
import javax.ws.rs.client.WebTarget;
import javax.ws.rs.core.Form;
import javax.ws.rs.core.MediaType;
import javax.ws.rs.core.Response;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
/**
* JAX-RS client die<SUF>*/
public class AsyncEntityClient {
private static final Logger LOG = LoggerFactory.getLogger(AsyncEntityClient.class);
private final Client client;
private final String entityServiceUrl;
public AsyncEntityClient(final String url) {
client = ClientBuilder.newClient();
entityServiceUrl = url;
}
public String getEntity(final int id) throws InterruptedException, ExecutionException, TimeoutException {
LOG.debug("get entity {}", id);
final WebTarget target = client.target(entityServiceUrl);
// response code wrapper
final Response response = target //
.path(String.format("entity/%d", id)) //
.request() //
.accept("text/html") //
// TODO bonus: add async variant using simply .async() //
// ... but is that enough?
.get(Response.class);
return extractEntity(id, target, response);
}
private String extractEntity(final int id, final WebTarget target, final Response response) {
switch (response.getStatus()) {
case 200:
return response.readEntity(String.class);
case 404:
LOG.info("Entity {} not found", id);
return null;
case 400:
LOG.info("illegal Entity id {}", id);
throw new IllegalArgumentException(Integer.toString(id));
case 503:
LOG.info("Service not available - probably timeout");
throw new ServiceUnavailableException(response);
default:
LOG.info("unknown error requesting Entity id {}", id);
throw new RuntimeException(String.format("unknown error requesting Entity id %s", id));
}
}
public String createEntity(final String entityName) {
LOG.debug("create entity {}", entityName);
final WebTarget target = client.target(entityServiceUrl);
final Response response = target //
.path(String.format("entity")) //
.request(MediaType.APPLICATION_FORM_URLENCODED) //
.post(Entity.form(new Form("name", entityName)));
return extractEntity(-1, target, response);
}
public String getEntityList() {
final WebTarget target = client.target(entityServiceUrl);
final Response response = target //
.path("entity") //
.request() //
// TODO bonus: add async variant using simply .async() //
// ... but is that enough?
.accept("text/html") //
.get(Response.class);
return extractEntity(-1, target, response);
}
}
| True | False | 2,078 | 865 | 53 | 41 | 826 | 53 | 41 | 815 | 45 | 33 | 826 | 53 | 41 | 949 | 52 | 40 | false | false | false | false | false | true |
3,413 | 31988_2 | package agenda;
import com.fasterxml.jackson.databind.ObjectMapper;
import java.io.*;
import java.util.ArrayList;
public class Program
{
private ArrayList <Act> AllActs = new ArrayList<>();
/**
* In deze methode kan een Act object toegevoegd worden aan de AllActs ArrayList.
* @param artist nn artist object parameter input
* @param stage a stage object parameter input
* @param startTime the startTime variable input in int
* @param endTime the endTime variable input in int
* @param popularity the popularity variable input in int
*/
public void addAct(Artist artist, Stage stage, int startTime, int endTime, int popularity)
{
AllActs.add(new Act(artist, stage, startTime, endTime, popularity));
}
/**
* De methode geeft alle Act opbjecten uit de ArrayList.
* @return Alle Act objecten uit de AllActs arraylist
*/
public ArrayList<Act> getAllActs()
{
return AllActs;
}
/**
* De methode geeft Act objecten uit de AllActs ArrayList
* @param index Een objecten in de arraylist
* @return Act Objecten
*/
public Act getActs(int index)
{
return AllActs.get(index);
}
/**
* De methode verwiderd een Act Object uit de Arraylist AllActs
* @param index Een object in de ArrayList
*/
public void removeAct(int index)
{
AllActs.remove(index);
}
public Act searchByName(String artistname)
{
Act act = null;
for(Act a : AllActs){
if(a.getArtist().getName().equals(artistname)){
act = a;
break;
}
System.out.println(a.getArtist().getName());
}
return act;
}
/**
* De methode verwijderd alle Acts objecten uit de ArrayList AllActs
*/
public void removeAllActs()
{
AllActs.clear();
}
/**
* De methode slaat de ArrayList AllActs op in een file bestand
*/
public void save(Program program) throws IOException
{
ObjectMapper objectMapper = new ObjectMapper();
objectMapper.writeValue(new FileOutputStream("Agenda.json"), program);
}
/**
* De methode retuned een ArrayList AllActs uit het file bestand.
*/
public Program load() throws IOException
{
ObjectMapper objectMapper = new ObjectMapper();
return objectMapper.readValue(new File("Agenda.json"), Program.class);
}
public int takeGrootte()
{
return AllActs.size();
}
@Override
public String toString()
{
return "Program{" +
"AllActs=" + AllActs +
'}';
}
}
| kuriye/Festivalplanner | src/agenda/Program.java | 767 | /**
* De methode geeft Act objecten uit de AllActs ArrayList
* @param index Een objecten in de arraylist
* @return Act Objecten
*/ | block_comment | nl | package agenda;
import com.fasterxml.jackson.databind.ObjectMapper;
import java.io.*;
import java.util.ArrayList;
public class Program
{
private ArrayList <Act> AllActs = new ArrayList<>();
/**
* In deze methode kan een Act object toegevoegd worden aan de AllActs ArrayList.
* @param artist nn artist object parameter input
* @param stage a stage object parameter input
* @param startTime the startTime variable input in int
* @param endTime the endTime variable input in int
* @param popularity the popularity variable input in int
*/
public void addAct(Artist artist, Stage stage, int startTime, int endTime, int popularity)
{
AllActs.add(new Act(artist, stage, startTime, endTime, popularity));
}
/**
* De methode geeft alle Act opbjecten uit de ArrayList.
* @return Alle Act objecten uit de AllActs arraylist
*/
public ArrayList<Act> getAllActs()
{
return AllActs;
}
/**
* De methode geeft<SUF>*/
public Act getActs(int index)
{
return AllActs.get(index);
}
/**
* De methode verwiderd een Act Object uit de Arraylist AllActs
* @param index Een object in de ArrayList
*/
public void removeAct(int index)
{
AllActs.remove(index);
}
public Act searchByName(String artistname)
{
Act act = null;
for(Act a : AllActs){
if(a.getArtist().getName().equals(artistname)){
act = a;
break;
}
System.out.println(a.getArtist().getName());
}
return act;
}
/**
* De methode verwijderd alle Acts objecten uit de ArrayList AllActs
*/
public void removeAllActs()
{
AllActs.clear();
}
/**
* De methode slaat de ArrayList AllActs op in een file bestand
*/
public void save(Program program) throws IOException
{
ObjectMapper objectMapper = new ObjectMapper();
objectMapper.writeValue(new FileOutputStream("Agenda.json"), program);
}
/**
* De methode retuned een ArrayList AllActs uit het file bestand.
*/
public Program load() throws IOException
{
ObjectMapper objectMapper = new ObjectMapper();
return objectMapper.readValue(new File("Agenda.json"), Program.class);
}
public int takeGrootte()
{
return AllActs.size();
}
@Override
public String toString()
{
return "Program{" +
"AllActs=" + AllActs +
'}';
}
}
| True | False | 2,082 | 767 | 43 | 28 | 649 | 39 | 28 | 685 | 39 | 24 | 651 | 39 | 28 | 786 | 43 | 28 | false | false | false | false | false | true |
1,332 | 81724_2 | /**
* Dit programma in Java geeft kledingadvies
* op basis van de temperatuur
*/
public class MyClass {
public static void main(String args[]) {
// Variabele initialiseren
int temperatuur = 19;
/* If-else statement waarin check wordt gedaan of gebruiker
zomerkleren kan aandoen */
if (temperatuur > 20) {
System.out.println("Trek je zomerkleren maar aan!");
}
else {
System.out.println("Wacht nog even met het aantrekken van je zomerkleren");
}
}
} | Programmeerplaats/snelcursus-leren-programmeren | Code voorbeelden/H8.5.2-Commentaar_voorbeelden/Java_Commentaar.java | 186 | /* If-else statement waarin check wordt gedaan of gebruiker
zomerkleren kan aandoen */ | block_comment | nl | /**
* Dit programma in Java geeft kledingadvies
* op basis van de temperatuur
*/
public class MyClass {
public static void main(String args[]) {
// Variabele initialiseren
int temperatuur = 19;
/* If-else statement waarin<SUF>*/
if (temperatuur > 20) {
System.out.println("Trek je zomerkleren maar aan!");
}
else {
System.out.println("Wacht nog even met het aantrekken van je zomerkleren");
}
}
} | True | False | 2,086 | 186 | 27 | 21 | 185 | 27 | 22 | 167 | 24 | 18 | 185 | 27 | 22 | 197 | 29 | 22 | false | false | false | false | false | true |
3,134 | 18189_8 | import java.awt.*;
import javax.swing.*;
import java.io.BufferedReader;
import javax.swing.JPanel;
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import java.io.FileNotFoundException;
import java.io.FileReader;
import java.io.IOException;
/**
* JAVA GCcalculator jaar 2 blok 1
* Dit programma is in staat een FASTA bestand te lezen met daarin een sequentie.
* De sequentie wordt vervolgens geanalyseerd op GC percentage.
* @author Anton Ligterink
* @since 1 November 2018
* @version 1.0.0
*/
public class GCcalculator extends JFrame {
private JButton browseButton = new JButton("<html>Browse<br/>file</html>");
private JButton readButton = new JButton("<html>Read<br/>selected<br/>file</html>");
private JButton analyseButton = new JButton("<html>Get<br/>GC%</html>");
private JTextArea fileVeld;
private JLabel headerVeld;
//private JTextArea seqVeld;
private BufferedReader fileReader;
private StringBuilder builder;
private JPanel panel;
private String seq;
private String header;
private JTextArea vanWaarde;
private JTextArea totWaarde;
private JLabel vanLabel;
private JLabel totLabel;
/**
* Dit is de main methode van de GCcalculator class.
* Deze methode maakt een nieuw frame aan met de nodige
* titel en grootte. Daarnaast wordt er een GUI aangemaakt
* met de createGUI methode.
*/
public static void main(String[] args) {
GCcalculator frame = new GCcalculator();
frame.setSize(600, 400);
frame.setTitle("GCcalculator");
frame.createGUI();
frame.setVisible(true);
}
/**
* Dit is de createGUI methode van de class GCcalculator.
* Het graphical user interface wordt aangemaakt en
* de nodige attributen worden meegegeven:
* 2 JTextArea's, 3 JButtons en een JPanel.
*/
private void createGUI() {
setDefaultCloseOperation(EXIT_ON_CLOSE);
Container window = getContentPane();
window.setLayout(new FlowLayout());
window.setBackground(new Color(180, 174, 24));
panel = new JPanel();
panel.setPreferredSize(new Dimension(550, 80));
fileVeld = new JTextArea();
//headerVeld = new JLabel();
vanWaarde = new JTextArea("");
totWaarde = new JTextArea("");
vanLabel = new JLabel("Van: ");
totLabel = new JLabel("Tot: ");
JLabel accessiecode = new JLabel("Accessiecode en naam: ");
fileVeld.setColumns(33);
fileVeld.setRows(3);
vanWaarde.setColumns(5);
vanWaarde.setRows(1);
totWaarde.setColumns(5);
totWaarde.setRows(1);
window.add(browseButton);
window.add(fileVeld);
window.add(readButton);
window.add(vanLabel);
window.add(vanWaarde);
window.add(totLabel);
window.add(totWaarde);
window.add(analyseButton);
window.add(panel);
window.add(accessiecode);
}
/**
* Dit is de constructor van de class GCcalculator.
* De ActionListener kijkt of een van de drie knoppen word ingedrukt.
* browseButton: opent een venster waarin een bestand kan worden uitgezocht.
* readButton: leest het bestand gevonden in het fileVeld in, de output wordt opgeslagen in de seq variable(string).
* analyseButton: analyseert de sequentie door: 1) te checken of die volledig uit DNA bestaat. 2) Te kijken welk deel
* er gebruikt moet worden en 3) visualiseert het GC percentage in het JPanel.
*
* @throws FileNotFoundException Gebruikt wanneer de file in het fileVeld niet gevonden kan worden.
*/
private GCcalculator() {
browseButton.addActionListener(new ActionListener() {
@Override
public void actionPerformed(ActionEvent actionEvent) {
JFileChooser chooser = new JFileChooser();
int choice = chooser.showOpenDialog(null);
if (choice != JFileChooser.APPROVE_OPTION) {
return;
}
try {
if (!chooser.getSelectedFile().getName().endsWith(".fasta")) {
throw new Error_exceptie("errorerror");
}
} catch (Error_exceptie e) {
}
fileVeld.setText(chooser.getSelectedFile().getAbsolutePath());
}
});
readButton.addActionListener(new ActionListener() {
@Override
public void actionPerformed(ActionEvent actionEvent) {
try {
fileReader = new BufferedReader(new FileReader(fileVeld.getText()));
} catch (FileNotFoundException e) {
System.out.println("File not found");
}
try {
builder = new StringBuilder();
String line;
seq = "";
while ((line = fileReader.readLine()) != null) {
if (line.startsWith(">")) {
header = "";
header += line;
}
else if (!line.startsWith(">")&&(line != null)) {
//builder.append(line);
seq += line;
}
}
} catch (Exception e) {
System.out.println(e);
System.out.println("er is iets mis met de inhoud van het bestand");
}
finally {
if (fileReader != null) {
try {
fileReader.close();
} catch (IOException e) {
e.printStackTrace();
}
}
}
}
});
analyseButton.addActionListener(new ActionListener() {
@Override
public void actionPerformed(ActionEvent actionEvent) {
String dna = seq.replaceAll("\\s", "").toUpperCase();
checkQuality(dna);
//ArrayList headerLijst = header.split(" ");
System.out.println(header);
String korterDNA = getDnaPart(dna);
double gc_perc = getGC(korterDNA);
visualizeGC(gc_perc);
}
});
}
/**
* checkQuality is een method van de GCcalculator class.
* De methode checked of de sequentie wel volledig uit DNA bestaat en geeft anders een exceptie.
* @param seq De sequentie die gecontroleerd word
* @exception Geen_DNA Opgebracht als de sequentie niet uit DNA bestaat, er verschijnt een pop-up venster.
*/
private void checkQuality(String seq) {
try {
for (int x = 0; x < seq.length(); x++) {
if (!Character.toString(seq.charAt(x)).toUpperCase().matches("[ATGC]+")) {
System.out.println(Character.toString(seq.charAt(x)).toUpperCase());
throw new Geen_DNA("Input is not DNA only");
}
}
} catch (Geen_DNA e) {
}
}
/**
* Verkrijgt het GC percentage van de ingebrachte sequentie.
* @param dna De DNA sequentie waar het GC percentage van verkregen word.
* @return Returned de double genaamd gc_perc.
*/
private double getGC(String dna) {
double gc = 0;
double at = 0;
for (int x = 0; x < dna.length(); x++) {
if (Character.toString(dna.charAt(x)).matches("[GC]")) {
gc += 1;
}
else if (Character.toString(dna.charAt(x)).matches("[AT]")) {
at += 1;
}
}
double gc_perc = gc/(at+gc)*100;
return gc_perc;
}
/**
* Gebruikt de DNA sequentie en de van en tot waarden om het stuk DNA te bepalen dat geanalyseerd
* moet worden en returned deze.
* @param dna De DNA sequentie
* @return
*/
private String getDnaPart(String dna) {
int van = 0;
int tot = dna.length();
String korterDNA = "";
if (!vanWaarde.getText().equals("")) {
van = Integer.parseInt(vanWaarde.getText());
}
if (!totWaarde.getText().equals("")) {
tot = Integer.parseInt(totWaarde.getText());
}
try {
for (int x = van; x < tot; x++) {
korterDNA += Character.toString(dna.charAt(x));
}
} catch (StringIndexOutOfBoundsException e) {
JOptionPane.showMessageDialog(null, "Wrong parameters");
}
if (tot<van) {
JOptionPane.showMessageDialog(null, "Wrong parameters");
}
return korterDNA;
}
/**
* Visualiseert de GC percentage balk, met behulp van de double gcPerc.
* @param gcPerc Het GC percentage, is een double.
*/
private void visualizeGC(double gcPerc) {
Graphics paper = panel.getGraphics();
paper.setColor(Color.white);
paper.fillRect(-500,-500, 2000, 2000);
paper.setFont(new Font("TimesRoman", Font.PLAIN, 14));
paper.setColor(Color.black);
paper.drawString("0%", 10, 20);
paper.drawString("100%", 510, 20);
paper.drawString(Double.toString(gcPerc) , 260, 15);
paper.setColor(Color.BLUE);
double gcDouble = gcPerc/100*530;
int gcInt = (int) gcDouble;
paper.fillRect(10,30,gcInt+10,60);
}
}
/**
*Custom exceptie voor wanneer de sequentie niet uit DNA bestaat.
*/
class Geen_DNA extends Exception {
protected Geen_DNA(String message) {
JOptionPane.showMessageDialog(null, message);
}
}
/**
*Custom exceptie voor wanneer er een error ontstaat.
*/
class Error_exceptie extends Exception {
protected Error_exceptie(String message) {
JOptionPane.showMessageDialog(null, message);
}
} | itbc-bin/bi5a-test-Anton489 | GCcalculator.java | 2,907 | /**
* Verkrijgt het GC percentage van de ingebrachte sequentie.
* @param dna De DNA sequentie waar het GC percentage van verkregen word.
* @return Returned de double genaamd gc_perc.
*/ | block_comment | nl | import java.awt.*;
import javax.swing.*;
import java.io.BufferedReader;
import javax.swing.JPanel;
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import java.io.FileNotFoundException;
import java.io.FileReader;
import java.io.IOException;
/**
* JAVA GCcalculator jaar 2 blok 1
* Dit programma is in staat een FASTA bestand te lezen met daarin een sequentie.
* De sequentie wordt vervolgens geanalyseerd op GC percentage.
* @author Anton Ligterink
* @since 1 November 2018
* @version 1.0.0
*/
public class GCcalculator extends JFrame {
private JButton browseButton = new JButton("<html>Browse<br/>file</html>");
private JButton readButton = new JButton("<html>Read<br/>selected<br/>file</html>");
private JButton analyseButton = new JButton("<html>Get<br/>GC%</html>");
private JTextArea fileVeld;
private JLabel headerVeld;
//private JTextArea seqVeld;
private BufferedReader fileReader;
private StringBuilder builder;
private JPanel panel;
private String seq;
private String header;
private JTextArea vanWaarde;
private JTextArea totWaarde;
private JLabel vanLabel;
private JLabel totLabel;
/**
* Dit is de main methode van de GCcalculator class.
* Deze methode maakt een nieuw frame aan met de nodige
* titel en grootte. Daarnaast wordt er een GUI aangemaakt
* met de createGUI methode.
*/
public static void main(String[] args) {
GCcalculator frame = new GCcalculator();
frame.setSize(600, 400);
frame.setTitle("GCcalculator");
frame.createGUI();
frame.setVisible(true);
}
/**
* Dit is de createGUI methode van de class GCcalculator.
* Het graphical user interface wordt aangemaakt en
* de nodige attributen worden meegegeven:
* 2 JTextArea's, 3 JButtons en een JPanel.
*/
private void createGUI() {
setDefaultCloseOperation(EXIT_ON_CLOSE);
Container window = getContentPane();
window.setLayout(new FlowLayout());
window.setBackground(new Color(180, 174, 24));
panel = new JPanel();
panel.setPreferredSize(new Dimension(550, 80));
fileVeld = new JTextArea();
//headerVeld = new JLabel();
vanWaarde = new JTextArea("");
totWaarde = new JTextArea("");
vanLabel = new JLabel("Van: ");
totLabel = new JLabel("Tot: ");
JLabel accessiecode = new JLabel("Accessiecode en naam: ");
fileVeld.setColumns(33);
fileVeld.setRows(3);
vanWaarde.setColumns(5);
vanWaarde.setRows(1);
totWaarde.setColumns(5);
totWaarde.setRows(1);
window.add(browseButton);
window.add(fileVeld);
window.add(readButton);
window.add(vanLabel);
window.add(vanWaarde);
window.add(totLabel);
window.add(totWaarde);
window.add(analyseButton);
window.add(panel);
window.add(accessiecode);
}
/**
* Dit is de constructor van de class GCcalculator.
* De ActionListener kijkt of een van de drie knoppen word ingedrukt.
* browseButton: opent een venster waarin een bestand kan worden uitgezocht.
* readButton: leest het bestand gevonden in het fileVeld in, de output wordt opgeslagen in de seq variable(string).
* analyseButton: analyseert de sequentie door: 1) te checken of die volledig uit DNA bestaat. 2) Te kijken welk deel
* er gebruikt moet worden en 3) visualiseert het GC percentage in het JPanel.
*
* @throws FileNotFoundException Gebruikt wanneer de file in het fileVeld niet gevonden kan worden.
*/
private GCcalculator() {
browseButton.addActionListener(new ActionListener() {
@Override
public void actionPerformed(ActionEvent actionEvent) {
JFileChooser chooser = new JFileChooser();
int choice = chooser.showOpenDialog(null);
if (choice != JFileChooser.APPROVE_OPTION) {
return;
}
try {
if (!chooser.getSelectedFile().getName().endsWith(".fasta")) {
throw new Error_exceptie("errorerror");
}
} catch (Error_exceptie e) {
}
fileVeld.setText(chooser.getSelectedFile().getAbsolutePath());
}
});
readButton.addActionListener(new ActionListener() {
@Override
public void actionPerformed(ActionEvent actionEvent) {
try {
fileReader = new BufferedReader(new FileReader(fileVeld.getText()));
} catch (FileNotFoundException e) {
System.out.println("File not found");
}
try {
builder = new StringBuilder();
String line;
seq = "";
while ((line = fileReader.readLine()) != null) {
if (line.startsWith(">")) {
header = "";
header += line;
}
else if (!line.startsWith(">")&&(line != null)) {
//builder.append(line);
seq += line;
}
}
} catch (Exception e) {
System.out.println(e);
System.out.println("er is iets mis met de inhoud van het bestand");
}
finally {
if (fileReader != null) {
try {
fileReader.close();
} catch (IOException e) {
e.printStackTrace();
}
}
}
}
});
analyseButton.addActionListener(new ActionListener() {
@Override
public void actionPerformed(ActionEvent actionEvent) {
String dna = seq.replaceAll("\\s", "").toUpperCase();
checkQuality(dna);
//ArrayList headerLijst = header.split(" ");
System.out.println(header);
String korterDNA = getDnaPart(dna);
double gc_perc = getGC(korterDNA);
visualizeGC(gc_perc);
}
});
}
/**
* checkQuality is een method van de GCcalculator class.
* De methode checked of de sequentie wel volledig uit DNA bestaat en geeft anders een exceptie.
* @param seq De sequentie die gecontroleerd word
* @exception Geen_DNA Opgebracht als de sequentie niet uit DNA bestaat, er verschijnt een pop-up venster.
*/
private void checkQuality(String seq) {
try {
for (int x = 0; x < seq.length(); x++) {
if (!Character.toString(seq.charAt(x)).toUpperCase().matches("[ATGC]+")) {
System.out.println(Character.toString(seq.charAt(x)).toUpperCase());
throw new Geen_DNA("Input is not DNA only");
}
}
} catch (Geen_DNA e) {
}
}
/**
* Verkrijgt het GC<SUF>*/
private double getGC(String dna) {
double gc = 0;
double at = 0;
for (int x = 0; x < dna.length(); x++) {
if (Character.toString(dna.charAt(x)).matches("[GC]")) {
gc += 1;
}
else if (Character.toString(dna.charAt(x)).matches("[AT]")) {
at += 1;
}
}
double gc_perc = gc/(at+gc)*100;
return gc_perc;
}
/**
* Gebruikt de DNA sequentie en de van en tot waarden om het stuk DNA te bepalen dat geanalyseerd
* moet worden en returned deze.
* @param dna De DNA sequentie
* @return
*/
private String getDnaPart(String dna) {
int van = 0;
int tot = dna.length();
String korterDNA = "";
if (!vanWaarde.getText().equals("")) {
van = Integer.parseInt(vanWaarde.getText());
}
if (!totWaarde.getText().equals("")) {
tot = Integer.parseInt(totWaarde.getText());
}
try {
for (int x = van; x < tot; x++) {
korterDNA += Character.toString(dna.charAt(x));
}
} catch (StringIndexOutOfBoundsException e) {
JOptionPane.showMessageDialog(null, "Wrong parameters");
}
if (tot<van) {
JOptionPane.showMessageDialog(null, "Wrong parameters");
}
return korterDNA;
}
/**
* Visualiseert de GC percentage balk, met behulp van de double gcPerc.
* @param gcPerc Het GC percentage, is een double.
*/
private void visualizeGC(double gcPerc) {
Graphics paper = panel.getGraphics();
paper.setColor(Color.white);
paper.fillRect(-500,-500, 2000, 2000);
paper.setFont(new Font("TimesRoman", Font.PLAIN, 14));
paper.setColor(Color.black);
paper.drawString("0%", 10, 20);
paper.drawString("100%", 510, 20);
paper.drawString(Double.toString(gcPerc) , 260, 15);
paper.setColor(Color.BLUE);
double gcDouble = gcPerc/100*530;
int gcInt = (int) gcDouble;
paper.fillRect(10,30,gcInt+10,60);
}
}
/**
*Custom exceptie voor wanneer de sequentie niet uit DNA bestaat.
*/
class Geen_DNA extends Exception {
protected Geen_DNA(String message) {
JOptionPane.showMessageDialog(null, message);
}
}
/**
*Custom exceptie voor wanneer er een error ontstaat.
*/
class Error_exceptie extends Exception {
protected Error_exceptie(String message) {
JOptionPane.showMessageDialog(null, message);
}
} | True | False | 2,099 | 2,907 | 63 | 45 | 2,447 | 59 | 45 | 2,526 | 54 | 36 | 2,447 | 59 | 45 | 2,936 | 64 | 46 | false | false | false | false | false | true |
917 | 173007_1 | package timeutil;
import java.util.LinkedList;
import java.util.List;
/**
* Deze klasse maakt het mogelijk om opeenvolgende tijdsperiodes een naam te
* geven, deze op te slaan en deze daarna te printen (via toString).
*
* Tijdsperiodes worden bepaald door een begintijd en een eindtijd.
*
* begintijd van een periode kan gezet worden door setBegin, de eindtijd kan
* gezet worden door de methode setEind.
*
* Zowel bij de begin- als eindtijd van ee periode kan een String meegegeven
* worden die voor de gebruiker een betekenisvolle aanduiding toevoegt aan dat
* tijdstip. Indien geen string meegegeven wordt, wordt een teller gebruikt, die
* automatisch opgehoogd wordt.
*
* Na het opgeven van een begintijdstip (via setBegin of eenmalig via init ) kan
* t.o.v. dit begintijdstip steeds een eindtijdstip opgegeven worden. Zodoende
* kun je vanaf 1 begintijdstip, meerdere eindtijden opgeven.
*
* Een andere mogelijkheid is om een eindtijdstip direct te laten fungeren als
* begintijdstip voor een volgende periode. Dit kan d.m.v. SetEndBegin of seb.
*
* alle tijdsperiodes kunnen gereset worden dmv init()
*
* @author erik
*
*/
public class TimeStamp {
private static long counter = 0;
private long curBegin;
private String curBeginS;
private List<Period> list;
public TimeStamp() {
TimeStamp.counter = 0;
this.init();
}
/**
* initialiseer klasse. begin met geen tijdsperiodes.
*/
public void init() {
this.curBegin = 0;
this.curBeginS = null;
this.list = new LinkedList<Period>();
}
/**
* zet begintijdstip. gebruik interne teller voor identificatie van het
* tijdstip
*/
public void setBegin() {
this.setBegin(String.valueOf(TimeStamp.counter++));
}
/**
* zet begintijdstip
*
* @param timepoint betekenisvolle identificatie van begintijdstip
*/
public void setBegin(String timepoint) {
this.curBegin = System.currentTimeMillis();
this.curBeginS = timepoint;
}
/**
* zet eindtijdstip. gebruik interne teller voor identificatie van het
* tijdstip
*/
public void setEnd() {
this.setEnd(String.valueOf(TimeStamp.counter++));
}
/**
* zet eindtijdstip
*
* @param timepoint betekenisvolle identificatie vanhet eindtijdstip
*/
public void setEnd(String timepoint) {
this.list.add(new Period(this.curBegin, this.curBeginS, System.currentTimeMillis(), timepoint));
}
/**
* zet eindtijdstip plus begintijdstip
*
* @param timepoint identificatie van het eind- en begintijdstip.
*/
public void setEndBegin(String timepoint) {
this.setEnd(timepoint);
this.setBegin(timepoint);
}
/**
* verkorte versie van setEndBegin
*
* @param timepoint
*/
public void seb(String timepoint) {
this.setEndBegin(timepoint);
}
/**
* interne klasse voor bijhouden van periodes.
*
* @author erik
*
*/
private class Period {
long begin;
String beginS;
long end;
String endS;
public Period(long b, String sb, long e, String se) {
this.setBegin(b, sb);
this.setEnd(e, se);
}
private void setBegin(long b, String sb) {
this.begin = b;
this.beginS = sb;
}
private void setEnd(long e, String se) {
this.end = e;
this.endS = se;
}
@Override
public String toString() {
return "From '" + this.beginS + "' till '" + this.endS + "' is " + (this.end - this.begin) + " mSec.";
}
}
/**
* override van toString methode. Geeft alle tijdsperiode weer.
*/
public String toString() {
StringBuffer buffer = new StringBuffer();
for (Period p : this.list) {
buffer.append(p.toString());
buffer.append('\n');
}
return buffer.toString();
}
}
| KevinvdBurg/JSF31 | Week3/src/timeutil/TimeStamp.java | 1,270 | /**
* initialiseer klasse. begin met geen tijdsperiodes.
*/ | block_comment | nl | package timeutil;
import java.util.LinkedList;
import java.util.List;
/**
* Deze klasse maakt het mogelijk om opeenvolgende tijdsperiodes een naam te
* geven, deze op te slaan en deze daarna te printen (via toString).
*
* Tijdsperiodes worden bepaald door een begintijd en een eindtijd.
*
* begintijd van een periode kan gezet worden door setBegin, de eindtijd kan
* gezet worden door de methode setEind.
*
* Zowel bij de begin- als eindtijd van ee periode kan een String meegegeven
* worden die voor de gebruiker een betekenisvolle aanduiding toevoegt aan dat
* tijdstip. Indien geen string meegegeven wordt, wordt een teller gebruikt, die
* automatisch opgehoogd wordt.
*
* Na het opgeven van een begintijdstip (via setBegin of eenmalig via init ) kan
* t.o.v. dit begintijdstip steeds een eindtijdstip opgegeven worden. Zodoende
* kun je vanaf 1 begintijdstip, meerdere eindtijden opgeven.
*
* Een andere mogelijkheid is om een eindtijdstip direct te laten fungeren als
* begintijdstip voor een volgende periode. Dit kan d.m.v. SetEndBegin of seb.
*
* alle tijdsperiodes kunnen gereset worden dmv init()
*
* @author erik
*
*/
public class TimeStamp {
private static long counter = 0;
private long curBegin;
private String curBeginS;
private List<Period> list;
public TimeStamp() {
TimeStamp.counter = 0;
this.init();
}
/**
* initialiseer klasse. begin<SUF>*/
public void init() {
this.curBegin = 0;
this.curBeginS = null;
this.list = new LinkedList<Period>();
}
/**
* zet begintijdstip. gebruik interne teller voor identificatie van het
* tijdstip
*/
public void setBegin() {
this.setBegin(String.valueOf(TimeStamp.counter++));
}
/**
* zet begintijdstip
*
* @param timepoint betekenisvolle identificatie van begintijdstip
*/
public void setBegin(String timepoint) {
this.curBegin = System.currentTimeMillis();
this.curBeginS = timepoint;
}
/**
* zet eindtijdstip. gebruik interne teller voor identificatie van het
* tijdstip
*/
public void setEnd() {
this.setEnd(String.valueOf(TimeStamp.counter++));
}
/**
* zet eindtijdstip
*
* @param timepoint betekenisvolle identificatie vanhet eindtijdstip
*/
public void setEnd(String timepoint) {
this.list.add(new Period(this.curBegin, this.curBeginS, System.currentTimeMillis(), timepoint));
}
/**
* zet eindtijdstip plus begintijdstip
*
* @param timepoint identificatie van het eind- en begintijdstip.
*/
public void setEndBegin(String timepoint) {
this.setEnd(timepoint);
this.setBegin(timepoint);
}
/**
* verkorte versie van setEndBegin
*
* @param timepoint
*/
public void seb(String timepoint) {
this.setEndBegin(timepoint);
}
/**
* interne klasse voor bijhouden van periodes.
*
* @author erik
*
*/
private class Period {
long begin;
String beginS;
long end;
String endS;
public Period(long b, String sb, long e, String se) {
this.setBegin(b, sb);
this.setEnd(e, se);
}
private void setBegin(long b, String sb) {
this.begin = b;
this.beginS = sb;
}
private void setEnd(long e, String se) {
this.end = e;
this.endS = se;
}
@Override
public String toString() {
return "From '" + this.beginS + "' till '" + this.endS + "' is " + (this.end - this.begin) + " mSec.";
}
}
/**
* override van toString methode. Geeft alle tijdsperiode weer.
*/
public String toString() {
StringBuffer buffer = new StringBuffer();
for (Period p : this.list) {
buffer.append(p.toString());
buffer.append('\n');
}
return buffer.toString();
}
}
| True | False | 2,104 | 1,270 | 22 | 13 | 1,176 | 20 | 13 | 1,118 | 18 | 9 | 1,176 | 20 | 13 | 1,289 | 23 | 14 | false | false | false | false | false | true |
559 | 67390_0 | package main;
import org.opencv.core.Core;
import org.opencv.highgui.VideoCapture;
import com.robotica.nxt.remotecontrol.Command;
import com.robotica.nxt.remotecontrol.CommandCommunicator;
import com.robotica.nxt.remotecontrol.NXTCommand;
import com.robotica.pc.keyboardInput.KeyboardInput;
import com.robotica.pc.model.World;
import com.robotica.pc.remotecontrol.PCConnector;
public class PacmanMain
{
public static void main(String[] args)
{
/*
in herhaling:
uitlezen camera ->
bouw model met behulp van camera data ->
gebruik model in de AI om een pad te generen ->
vertaal pad naar NXT Commands ->
stuur commands naar de juiste brick ->
pas settings van robots aan afhankelijk van feedback
weergeven:
doolhof met up to date posities van entities.
webcam beelden met evt. filters.
entities met de bijbehorende bewegings vectoren/correcties.
see which entities are connected.
*/
System.loadLibrary(Core.NATIVE_LIBRARY_NAME);//Library die we nodig hebben voor opencv etc.
World world = new World(); // dataModel, all needed data should be in here.
world.setCamera(new VideoCapture(3));
//PacmanWindow pacmanWindow = new PacmanWindow(); // all gui elements should be in here
//connect with devices:
PCConnector connector1 = new PCConnector("NXT_9_1");
PCConnector connector2 = new PCConnector("Parasect");
connector1.connectWithBluetooth();
connector2.connectWithBluetooth();
CommandCommunicator comm1 = new CommandCommunicator(connector1);
CommandCommunicator comm2 = new CommandCommunicator(connector2);
//read commands from user input and send commands to the bricks
while (connector1.isConnected() && connector2.isConnected())
{
Command command = KeyboardInput.getCommand();
comm1.sendCommand(command);
comm2.sendCommand(command);
if (command.getNXTCommand() == NXTCommand.EXIT)
break;
}
System.out.println("program finished");
}
}
| GSamuel/Robotica-2014-2015-Pacman | Robotica_2014_Pacman_PC/src/main/PacmanMain.java | 641 | /*
in herhaling:
uitlezen camera ->
bouw model met behulp van camera data ->
gebruik model in de AI om een pad te generen ->
vertaal pad naar NXT Commands ->
stuur commands naar de juiste brick ->
pas settings van robots aan afhankelijk van feedback
weergeven:
doolhof met up to date posities van entities.
webcam beelden met evt. filters.
entities met de bijbehorende bewegings vectoren/correcties.
see which entities are connected.
*/ | block_comment | nl | package main;
import org.opencv.core.Core;
import org.opencv.highgui.VideoCapture;
import com.robotica.nxt.remotecontrol.Command;
import com.robotica.nxt.remotecontrol.CommandCommunicator;
import com.robotica.nxt.remotecontrol.NXTCommand;
import com.robotica.pc.keyboardInput.KeyboardInput;
import com.robotica.pc.model.World;
import com.robotica.pc.remotecontrol.PCConnector;
public class PacmanMain
{
public static void main(String[] args)
{
/*
in herhaling:
<SUF>*/
System.loadLibrary(Core.NATIVE_LIBRARY_NAME);//Library die we nodig hebben voor opencv etc.
World world = new World(); // dataModel, all needed data should be in here.
world.setCamera(new VideoCapture(3));
//PacmanWindow pacmanWindow = new PacmanWindow(); // all gui elements should be in here
//connect with devices:
PCConnector connector1 = new PCConnector("NXT_9_1");
PCConnector connector2 = new PCConnector("Parasect");
connector1.connectWithBluetooth();
connector2.connectWithBluetooth();
CommandCommunicator comm1 = new CommandCommunicator(connector1);
CommandCommunicator comm2 = new CommandCommunicator(connector2);
//read commands from user input and send commands to the bricks
while (connector1.isConnected() && connector2.isConnected())
{
Command command = KeyboardInput.getCommand();
comm1.sendCommand(command);
comm2.sendCommand(command);
if (command.getNXTCommand() == NXTCommand.EXIT)
break;
}
System.out.println("program finished");
}
}
| True | False | 2,108 | 641 | 144 | 101 | 569 | 145 | 104 | 551 | 125 | 82 | 569 | 145 | 104 | 689 | 161 | 104 | true | true | true | true | true | false |
875 | 86358_0 | package org.example.missies;
import java.util.Scanner;
public class NullPointerMissie extends Missie {
final int TE_BEHALEN_PUNTEN = 3;
int behaaldePunten = 0;
@Override
int voerUit(boolean sloper) {
GebruikerInteractie.toonBericht("een NullPointerException.", sloper);
String tekst = GebruikerInteractie.leesInput(); // Simuleert een situatie waar een variabele null kan zijn.
try {
if (tekst.isEmpty()) throw new NullPointerException("tekst is null");
GebruikerInteractie.toonBericht("De lengte van de tekst is: " + tekst.length());
setPunten(!sloper);
} catch (NullPointerException e) {
e.printStackTrace();
setPunten(sloper);
GebruikerInteractie.toonBericht("Gevangen NullPointerException: " + e.getMessage());
return behaaldePunten;
// Bied de gebruiker uitleg en tips om deze situatie te voorkomen.
} catch (Exception e){
behaaldePunten = DEVELOPER_STRAFPUNTEN;
} finally {
System.out.printf("Behaalde punten %d\n", behaaldePunten);
}
return behaaldePunten;
}
} | Jules95Game/JavaOpdrachtenSlides | h7_exceptions/org/example/missies/NullPointerMissie.java | 372 | // Simuleert een situatie waar een variabele null kan zijn. | line_comment | nl | package org.example.missies;
import java.util.Scanner;
public class NullPointerMissie extends Missie {
final int TE_BEHALEN_PUNTEN = 3;
int behaaldePunten = 0;
@Override
int voerUit(boolean sloper) {
GebruikerInteractie.toonBericht("een NullPointerException.", sloper);
String tekst = GebruikerInteractie.leesInput(); // Simuleert een<SUF>
try {
if (tekst.isEmpty()) throw new NullPointerException("tekst is null");
GebruikerInteractie.toonBericht("De lengte van de tekst is: " + tekst.length());
setPunten(!sloper);
} catch (NullPointerException e) {
e.printStackTrace();
setPunten(sloper);
GebruikerInteractie.toonBericht("Gevangen NullPointerException: " + e.getMessage());
return behaaldePunten;
// Bied de gebruiker uitleg en tips om deze situatie te voorkomen.
} catch (Exception e){
behaaldePunten = DEVELOPER_STRAFPUNTEN;
} finally {
System.out.printf("Behaalde punten %d\n", behaaldePunten);
}
return behaaldePunten;
}
} | True | False | 2,116 | 372 | 16 | 14 | 331 | 16 | 14 | 310 | 14 | 12 | 331 | 16 | 14 | 363 | 16 | 14 | false | false | false | false | false | true |
3,087 | 52531_21 | package be.kuleuven.opdracht6.model;
import be.kuleuven.opdracht6.*;
import java.util.ArrayList;
import java.util.List;
import java.util.Random;
import java.util.*;
import java.util.stream.Stream;
public class CandyCrushModel {
private String speler;
private Board<Candy> speelbord;
private BoardSize boardSize;
private int score;
public CandyCrushModel(String speler, BoardSize boardSize) {
this.speler = speler;
this.boardSize = boardSize;
speelbord = new Board<>(boardSize, Candy.class);
speelbord.fill(this::generateRandomCandy);
score = 0;
}
public String getSpeler() {
return speler;
}
public List<Candy> getSpeelbord() {
List<Candy> candyList = new ArrayList<>();
for (Position position : boardSize.positions()) {
candyList.add(speelbord.getCellAt(position));
}
return candyList;
}
public int getScore() {
return score;
}
public void candyWithPositionSelected(Position position) {
if (position != null) {
int index = position.toIndex();
Candy selectedCandy = speelbord.getCellAt(position);
List<Position> matchingPositions = getSameNeighbourPositions(position);
if (matchingPositions.size() >= 2) {
// Verwijder de overeenkomende snoepjes en verhoog de score
for (Position matchingPosition : matchingPositions) {
int matchingIndex = matchingPosition.toIndex();
speelbord.replaceCellAt(matchingPosition, null);
score++;
}
// Hervul lege cellen
refillEmptyCells(matchingPositions);
}
}
}
public void refillEmptyCells(List<Position> removedPositions) {
for (Position position : removedPositions) {
speelbord.replaceCellAt(position, generateRandomCandy(position));
}
}
public void resetGame() {
score = 0;
speelbord.fill(this::generateRandomCandy);
}
private Candy generateRandomCandy(Position position) {
Random random = new Random();
int randomType = random.nextInt(8); // Assuming there are 5 types of candies
switch (randomType) {
case 0:
return new NormalCandy(0); // Assuming NormalCandy is one of the implementations of Candy
case 1:
return new NormalCandy(1); // Assuming NormalCandy is one of the implementations of Candy
case 2:
return new NormalCandy(2); // Assuming NormalCandy is one of the implementations of Candy
case 3:
return new NormalCandy(3); // Assuming NormalCandy is one of the implementations of Candy
case 4:
return new DoublePointsCandy(4); // Assuming DoublePointsCandy is one of the implementations of Candy
case 5:
return new DoublePointsRemoveRow(5); // Assuming DoublePointsRemoveRow is one of the implementations of Candy
case 6:
return new ExtraMoveCandy(6); // Assuming ExtraMoveCandy is one of the implementations of Candy
case 7:
return new ExtraMoveCandyRemoveBorder(7); // Assuming ExtraMoveCandyRemoveBorder is one of the implementations of Candy
default:
return new NormalCandy(1); // Default to NormalCandy if no valid candy type is generated
}
}
public List<Position> getSameNeighbourPositions(Position position) {
List<Position> matchingPositions = new ArrayList<>();
Candy currentCandy = speelbord.getCellAt(position);
for (Position neighborPosition : position.neighborPositions()) {
if (isWithinBoard(neighborPosition)) {
Candy neighborCandy = speelbord.getCellAt(neighborPosition);
if (neighborCandy != null && neighborCandy.equals(currentCandy)) {
matchingPositions.add(neighborPosition);
}
}
}
// Als er minstens één match is, voeg de huidige positie ook toe aan de lijst
if (matchingPositions.size() >= 1) {
matchingPositions.add(position);
}
return matchingPositions;
}
private boolean isWithinBoard(Position position) {
return position.row() >= 0 && position.row() < boardSize.numRows() &&
position.column() >= 0 && position.column() < boardSize.numColumns();
}
public Set<List<Position>> findAllMatches() {
Set<List<Position>> matches = new HashSet<>();
// Horizontal matches
horizontalStartingPositions().forEach(startPos -> {
List<Position> match = longestMatchToRight(startPos);
if (match.size() >= 3) {
matches.add(match);
}
});
// Vertical matches
verticalStartingPositions().forEach(startPos -> {
List<Position> match = longestMatchDown(startPos);
if (match.size() >= 3) {
matches.add(match);
}
});
return matches;
}
public boolean firstTwoHaveCandy(Candy candy, Stream<Position> positions) {
Iterator<Position> iterator = positions.iterator();
return iterator.hasNext() && iterator.next().equals(candy) && iterator.hasNext() && iterator.next().equals(candy);
}
public Stream<Position> horizontalStartingPositions() {
return boardSize.positions().stream().filter(pos -> {
Stream<Position> leftNeighbors = pos.walkLeft();
return firstTwoHaveCandy(speelbord.getCellAt(pos), leftNeighbors);
});
}
public Stream<Position> verticalStartingPositions() {
return boardSize.positions().stream().filter(pos -> {
Stream<Position> upNeighbors = pos.walkUp();
return firstTwoHaveCandy(speelbord.getCellAt(pos), upNeighbors);
});
}
public List<Position> longestMatchToRight(Position pos) {
return pos.walkRight()
.takeWhile(p -> speelbord.getCellAt(p).equals(speelbord.getCellAt(pos)))
.toList();
}
public List<Position> longestMatchDown(Position pos) {
return pos.walkDown()
.takeWhile(p -> speelbord.getCellAt(p).equals(speelbord.getCellAt(pos)))
.toList();
}
public void clearMatch(List<Position> match) {
// Verwijder de snoepjes van de huidige match
for (Position position : match) {
speelbord.replaceCellAt(position, null);
score++;
}
// Hervul lege cellen
refillEmptyCells(match);
// Vind nieuwe matches na het verwijderen van de huidige match
Set<List<Position>> newMatches = findAllMatches();
// Recursief doorgaan met het verwijderen van matches totdat er geen meer zijn
for (List<Position> newMatch : newMatches) {
clearMatch(newMatch);
}
}
public void fallDownTo(Position pos) {
// Controleer of de huidige positie zich binnen het speelbord bevindt
if (!isWithinBoard(pos))
return;
// Controleer of de huidige positie leeg is
if (speelbord.getCellAt(pos) == null) {
// Verplaats het snoepje naar beneden als de huidige positie leeg is
int row = pos.row();
int column = pos.column();
// Vind de volgende niet-lege positie in dezelfde kolom onder de huidige positie
while (row < boardSize.numRows() && speelbord.getCellAt(new Position(row, column, boardSize)) == null) {
row++;
}
// Als row buiten het bord is of een niet-lege positie heeft gevonden, verplaats dan het snoepje
if (row == boardSize.numRows() || speelbord.getCellAt(new Position(row, column, boardSize)) != null) {
row--; // Terug naar de laatste lege positie
}
// Verplaats het snoepje naar de lege positie
speelbord.replaceCellAt(new Position(row, column, boardSize), speelbord.getCellAt(pos));
speelbord.replaceCellAt(pos, null);
}
// Ga verder met de volgende positie naar beneden
fallDownTo(new Position(pos.row() + 1, pos.column(), boardSize));
}
public boolean updateBoard() {
// Zoek alle matches op het speelbord
Set<List<Position>> matches = findAllMatches();
boolean matchFound = !matches.isEmpty();
// Verwijder matches en laat de overgebleven snoepjes naar beneden vallen
for (List<Position> match : matches) {
clearMatch(match);
for (Position pos : match) {
fallDownTo(pos);
}
}
// Als er matches zijn verwijderd, ga verder met het updaten van het bord
if (matchFound) {
// Recursief updaten van het bord totdat er geen matches meer zijn
return updateBoard();
}
// Geef true terug als er minstens één match verwijderd is, anders false
return matchFound;
}
} | ilfer/opdrachten_candycrush | Opdracht6/src/main/java/be/kuleuven/opdracht6/model/CandyCrushModel.java | 2,507 | // Als row buiten het bord is of een niet-lege positie heeft gevonden, verplaats dan het snoepje | line_comment | nl | package be.kuleuven.opdracht6.model;
import be.kuleuven.opdracht6.*;
import java.util.ArrayList;
import java.util.List;
import java.util.Random;
import java.util.*;
import java.util.stream.Stream;
public class CandyCrushModel {
private String speler;
private Board<Candy> speelbord;
private BoardSize boardSize;
private int score;
public CandyCrushModel(String speler, BoardSize boardSize) {
this.speler = speler;
this.boardSize = boardSize;
speelbord = new Board<>(boardSize, Candy.class);
speelbord.fill(this::generateRandomCandy);
score = 0;
}
public String getSpeler() {
return speler;
}
public List<Candy> getSpeelbord() {
List<Candy> candyList = new ArrayList<>();
for (Position position : boardSize.positions()) {
candyList.add(speelbord.getCellAt(position));
}
return candyList;
}
public int getScore() {
return score;
}
public void candyWithPositionSelected(Position position) {
if (position != null) {
int index = position.toIndex();
Candy selectedCandy = speelbord.getCellAt(position);
List<Position> matchingPositions = getSameNeighbourPositions(position);
if (matchingPositions.size() >= 2) {
// Verwijder de overeenkomende snoepjes en verhoog de score
for (Position matchingPosition : matchingPositions) {
int matchingIndex = matchingPosition.toIndex();
speelbord.replaceCellAt(matchingPosition, null);
score++;
}
// Hervul lege cellen
refillEmptyCells(matchingPositions);
}
}
}
public void refillEmptyCells(List<Position> removedPositions) {
for (Position position : removedPositions) {
speelbord.replaceCellAt(position, generateRandomCandy(position));
}
}
public void resetGame() {
score = 0;
speelbord.fill(this::generateRandomCandy);
}
private Candy generateRandomCandy(Position position) {
Random random = new Random();
int randomType = random.nextInt(8); // Assuming there are 5 types of candies
switch (randomType) {
case 0:
return new NormalCandy(0); // Assuming NormalCandy is one of the implementations of Candy
case 1:
return new NormalCandy(1); // Assuming NormalCandy is one of the implementations of Candy
case 2:
return new NormalCandy(2); // Assuming NormalCandy is one of the implementations of Candy
case 3:
return new NormalCandy(3); // Assuming NormalCandy is one of the implementations of Candy
case 4:
return new DoublePointsCandy(4); // Assuming DoublePointsCandy is one of the implementations of Candy
case 5:
return new DoublePointsRemoveRow(5); // Assuming DoublePointsRemoveRow is one of the implementations of Candy
case 6:
return new ExtraMoveCandy(6); // Assuming ExtraMoveCandy is one of the implementations of Candy
case 7:
return new ExtraMoveCandyRemoveBorder(7); // Assuming ExtraMoveCandyRemoveBorder is one of the implementations of Candy
default:
return new NormalCandy(1); // Default to NormalCandy if no valid candy type is generated
}
}
public List<Position> getSameNeighbourPositions(Position position) {
List<Position> matchingPositions = new ArrayList<>();
Candy currentCandy = speelbord.getCellAt(position);
for (Position neighborPosition : position.neighborPositions()) {
if (isWithinBoard(neighborPosition)) {
Candy neighborCandy = speelbord.getCellAt(neighborPosition);
if (neighborCandy != null && neighborCandy.equals(currentCandy)) {
matchingPositions.add(neighborPosition);
}
}
}
// Als er minstens één match is, voeg de huidige positie ook toe aan de lijst
if (matchingPositions.size() >= 1) {
matchingPositions.add(position);
}
return matchingPositions;
}
private boolean isWithinBoard(Position position) {
return position.row() >= 0 && position.row() < boardSize.numRows() &&
position.column() >= 0 && position.column() < boardSize.numColumns();
}
public Set<List<Position>> findAllMatches() {
Set<List<Position>> matches = new HashSet<>();
// Horizontal matches
horizontalStartingPositions().forEach(startPos -> {
List<Position> match = longestMatchToRight(startPos);
if (match.size() >= 3) {
matches.add(match);
}
});
// Vertical matches
verticalStartingPositions().forEach(startPos -> {
List<Position> match = longestMatchDown(startPos);
if (match.size() >= 3) {
matches.add(match);
}
});
return matches;
}
public boolean firstTwoHaveCandy(Candy candy, Stream<Position> positions) {
Iterator<Position> iterator = positions.iterator();
return iterator.hasNext() && iterator.next().equals(candy) && iterator.hasNext() && iterator.next().equals(candy);
}
public Stream<Position> horizontalStartingPositions() {
return boardSize.positions().stream().filter(pos -> {
Stream<Position> leftNeighbors = pos.walkLeft();
return firstTwoHaveCandy(speelbord.getCellAt(pos), leftNeighbors);
});
}
public Stream<Position> verticalStartingPositions() {
return boardSize.positions().stream().filter(pos -> {
Stream<Position> upNeighbors = pos.walkUp();
return firstTwoHaveCandy(speelbord.getCellAt(pos), upNeighbors);
});
}
public List<Position> longestMatchToRight(Position pos) {
return pos.walkRight()
.takeWhile(p -> speelbord.getCellAt(p).equals(speelbord.getCellAt(pos)))
.toList();
}
public List<Position> longestMatchDown(Position pos) {
return pos.walkDown()
.takeWhile(p -> speelbord.getCellAt(p).equals(speelbord.getCellAt(pos)))
.toList();
}
public void clearMatch(List<Position> match) {
// Verwijder de snoepjes van de huidige match
for (Position position : match) {
speelbord.replaceCellAt(position, null);
score++;
}
// Hervul lege cellen
refillEmptyCells(match);
// Vind nieuwe matches na het verwijderen van de huidige match
Set<List<Position>> newMatches = findAllMatches();
// Recursief doorgaan met het verwijderen van matches totdat er geen meer zijn
for (List<Position> newMatch : newMatches) {
clearMatch(newMatch);
}
}
public void fallDownTo(Position pos) {
// Controleer of de huidige positie zich binnen het speelbord bevindt
if (!isWithinBoard(pos))
return;
// Controleer of de huidige positie leeg is
if (speelbord.getCellAt(pos) == null) {
// Verplaats het snoepje naar beneden als de huidige positie leeg is
int row = pos.row();
int column = pos.column();
// Vind de volgende niet-lege positie in dezelfde kolom onder de huidige positie
while (row < boardSize.numRows() && speelbord.getCellAt(new Position(row, column, boardSize)) == null) {
row++;
}
// Als row<SUF>
if (row == boardSize.numRows() || speelbord.getCellAt(new Position(row, column, boardSize)) != null) {
row--; // Terug naar de laatste lege positie
}
// Verplaats het snoepje naar de lege positie
speelbord.replaceCellAt(new Position(row, column, boardSize), speelbord.getCellAt(pos));
speelbord.replaceCellAt(pos, null);
}
// Ga verder met de volgende positie naar beneden
fallDownTo(new Position(pos.row() + 1, pos.column(), boardSize));
}
public boolean updateBoard() {
// Zoek alle matches op het speelbord
Set<List<Position>> matches = findAllMatches();
boolean matchFound = !matches.isEmpty();
// Verwijder matches en laat de overgebleven snoepjes naar beneden vallen
for (List<Position> match : matches) {
clearMatch(match);
for (Position pos : match) {
fallDownTo(pos);
}
}
// Als er matches zijn verwijderd, ga verder met het updaten van het bord
if (matchFound) {
// Recursief updaten van het bord totdat er geen matches meer zijn
return updateBoard();
}
// Geef true terug als er minstens één match verwijderd is, anders false
return matchFound;
}
} | True | False | 2,118 | 2,507 | 27 | 24 | 2,233 | 33 | 30 | 2,217 | 24 | 21 | 2,233 | 33 | 30 | 2,538 | 28 | 25 | false | false | false | false | false | true |
227 | 4395_1 | package io.Buttons;
import game.enemies.Enemy;
/**
* Created by sander on 14-11-2017.
*/
public class Button1 extends Button {
public Button1(){
PinNumber = 6;
}
@Override
public void effect() {
setGame(); //de game moet geset worden zodat deze functie toegang heeft tot de huidige arrays van alles.
enemies = game.GetEnemies();
for (Enemy e: enemies) {
e.damage(100000);
}
game.SetEnemies(enemies);
game.AddGold(100000);
}
}
| Borf/TowerDefence | src/io/Buttons/Button1.java | 169 | //de game moet geset worden zodat deze functie toegang heeft tot de huidige arrays van alles. | line_comment | nl | package io.Buttons;
import game.enemies.Enemy;
/**
* Created by sander on 14-11-2017.
*/
public class Button1 extends Button {
public Button1(){
PinNumber = 6;
}
@Override
public void effect() {
setGame(); //de game<SUF>
enemies = game.GetEnemies();
for (Enemy e: enemies) {
e.damage(100000);
}
game.SetEnemies(enemies);
game.AddGold(100000);
}
}
| True | False | 2,122 | 169 | 25 | 23 | 162 | 28 | 26 | 159 | 19 | 17 | 162 | 28 | 26 | 186 | 28 | 26 | false | false | false | false | false | true |
4,151 | 56022_21 | package yolo;
import java.util.*;
public class KantineSimulatie_2 {
//Array van personen
public ArrayList<Persoon> personen = new ArrayList<>();
// kantine
private Kantine kantine;
// kantineaanbod
private KantineAanbod kantineaanbod;
// random generator
private Random random;
// aantal artikelen
private static final int AANTAL_ARTIKELEN = 4;
// artikelen
private static final String[] artikelnamen = new String[]
{"Koffie", "Broodje pindakaas", "Broodje kaas", "Appelsap"};
// prijzen
private static double[] artikelprijzen = new double[]{1.50, 2.10, 1.65, 1.65};
// minimum en maximum aantal artikelen per soort
private static final int MIN_ARTIKELEN_PER_SOORT = 10000;
private static final int MAX_ARTIKELEN_PER_SOORT = 20000;
// minimum en maximum aantal personen per dag
private static final int MIN_PERSONEN_PER_DAG = 50;
private static final int MAX_PERSONEN_PER_DAG = 100;
// minimum en maximum artikelen per persoon
private static final int MIN_ARTIKELEN_PER_PERSOON = 1;
private static final int MAX_ARTIKELEN_PER_PERSOON = 4;
private javax.persistence.EntityManager manager;
/**
* Constructor
*
*/
public KantineSimulatie_2(javax.persistence.EntityManager manager) {
kantine = new Kantine(manager);
random = new Random();
int[] hoeveelheden = getRandomArray(
AANTAL_ARTIKELEN,
MIN_ARTIKELEN_PER_SOORT,
MAX_ARTIKELEN_PER_SOORT);
kantineaanbod = new KantineAanbod(
artikelnamen, artikelprijzen, hoeveelheden, MIN_ARTIKELEN_PER_SOORT);
kantine.setKantineAanbod(kantineaanbod);
}
/**
* Methode om een array van random getallen liggend tussen
* min en max van de gegeven lengte te genereren
*
* @param lengte
* @param min
* @param max
* @return De array met random getallen
*/
private int[] getRandomArray(int lengte, int min, int max) {
int[] temp = new int[lengte];
for(int i = 0; i < lengte ;i++) {
temp[i] = getRandomValue(min, max);
}
return temp;
}
/**
* Methode om een random getal tussen min(incl)
* en max(incl) te genereren.
*
* @param min
* @param max
* @return Een random getal
*/
private int getRandomValue(int min, int max) {
return random.nextInt(max - min + 1) + min;
}
/**
* Methode om op basis van een array van indexen voor de array
* artikelnamen de bijhorende array van artikelnamen te maken
*
* @param indexen
* @return De array met artikelnamen
*/
private String[] geefArtikelNamen(int[] indexen) {
String[] artikelen = new String[indexen.length];
for(int i = 0; i < indexen.length; i++) {
artikelen[i] = artikelnamen[indexen[i]];
}
return artikelen;
}
/**
* Deze methode simuleert een aantal dagen
* in het verloop van de kantine
*
* @param dagen
*/
public void simuleer(int dagen){
// for lus voor dagen
for(int i = 0; i < dagen; i++) {
// bedenk hoeveel personen vandaag binnen lopen
int aantalpersonen = getRandomValue(MIN_PERSONEN_PER_DAG,MAX_PERSONEN_PER_DAG) ;
// 100 personen worden hier gemaakt
for (int x = 0; x < 100; x++){
String bsn = "bsnnmmr"+x;
String vnaam = "voornaam"+x;
String anaam = "achternaam"+x;
Datum datum = new Datum(x%28,x%12,2000);
Contant contant = new Contant();
Pinpas pinpas = new Pinpas();
int manOfVrouw = getRandomValue(0,1);
char geslacht = ' ';
if (manOfVrouw == 0) geslacht = 'M';
else if (manOfVrouw == 1) geslacht = 'V';
// 89 Studenten worden hier gemaakt.
if (x<89) {
int studentenummer = Integer.valueOf("" + ((x + 8) % 8) + "420" + ((x + 11) % 11));
String studierichting = "";
int random = getRandomValue(1, 3);
if (random == 1) {
studierichting = "NSE";
} else if (random == 2) {
studierichting = "SE";
} else {
studierichting = "Bitm";
}
Student student = new Student(studentenummer,studierichting,bsn,vnaam,anaam,datum,geslacht);
pinpas.setKredietLimiet((double) getRandomValue(6,50)); //We geven hier een student een pinpas met geld.
student.setBetaalwijze(pinpas);
personen.add(student);
}
// 10 Docenten worden hiero gemaakt
else if (x<99) {
String alphabet = "QWERTYUIOPASDFGHJKLZXCVBNM";
String afdeling = "";
String afkorting = "";
int random = getRandomValue(1, 3);
if (random == 1) {
afdeling = "Talen";
} else if (random == 2) {
afdeling = "Management";
} else {
afdeling = "Programmeren";
}
for (int s = 0; s < 4; s++) {
afkorting += alphabet.charAt(getRandomValue(0,25));
}
Docent docent = new Docent(bsn,vnaam,anaam,datum,geslacht,afdeling,afkorting);
pinpas.setKredietLimiet((double) getRandomValue(6,50)); //We geven hier een Docent een pinpas met geld.
docent.setBetaalwijze(pinpas);
personen.add(docent);
}
// 1 Kantinemedewerker wordt hier gemaakt
else {
int medewerkersnummer = Integer.valueOf("" + ((x + 8) % 8) + "420" + ((x + 11) % 11));
int r = getRandomValue(0,1);
boolean kassawaardig;
if (r==0) kassawaardig = true;
else kassawaardig = false;
KantineMedewerker kantineMedewerker = new KantineMedewerker(bsn,vnaam,anaam,datum,geslacht,medewerkersnummer,kassawaardig);
contant.setSaldo((double) getRandomValue(2,20)); // We geven hier een Kantine Medewerker contant geld.
kantineMedewerker.setBetaalwijze(contant);
personen.add(kantineMedewerker);
}
}
// laat de personen maar komen...
for(int j = 0; j < aantalpersonen; j++) {
// maak persoon en dienblad aan, koppel ze
// en bedenk hoeveel artikelen worden gepakt
Random rndm = new Random();
int r = rndm.nextInt(100);
Dienblad dienblad = new Dienblad();
dienblad.setPersoon(personen.get(r));
int aantalartikelen = getRandomValue(MIN_ARTIKELEN_PER_PERSOON,MAX_ARTIKELEN_PER_PERSOON);
// genereer de "artikelnummers", dit zijn indexen
// van de artikelnamen
int[] tepakken = getRandomArray(
aantalartikelen, 0, AANTAL_ARTIKELEN-1);
// vind de artikelnamen op basis van
// de indexen hierboven
String[] artikelen = geefArtikelNamen(tepakken);
// loop de kantine binnen, pak de gewenste
// artikelen, sluit aan
kantine.loopPakSluitAan(personen.get(r),artikelen);
}
try{
Thread.sleep(500);
}catch (Exception e) {
System.out.println(e);
}
// verwerk rij voor de kassa
kantine.verwerkRijVoorKassa();
// druk de dagtotalen af en hoeveel personen binnen
// zijn gekomen(printf gebruiken)
System.out.println("Dag "+(i+1)+": Omzet van "+(Math.round(kantine.hoeveelheidGeldInKassa()*100))/100+" euro & "+kantine.aantalArtikelen()+" artikel afgerekend.");
// reset de kassa voor de volgende dag
kantine.resetKassa();
}
}
public static void main(String[] args) {
int[] getallen = {45, 56, 34, 39, 40, 31};
double[] omzet = {567.70, 498.25, 458.90};
double[] omzetPeriode = {321.35, 450.50, 210.45, 190.85, 193.25, 159.90, 214.25, 220.90, 201.90, 242.70, 260.35};
System.out.println(Administratie.berekenGemiddeldAantal(getallen)); //gem = 40.8333
System.out.println(Administratie.berekenGemiddeldeOmzet(omzet)); //gem = 508.2833
int dag = 0;
for(double i : Administratie.berekenDagOmzet(omzetPeriode)) {
System.out.println("Dag "+dag+": "+i);
dag++;
}
}
} | reneoun/KantineUnit | src/main/java/yolo/KantineSimulatie_2.java | 2,903 | // genereer de "artikelnummers", dit zijn indexen | line_comment | nl | package yolo;
import java.util.*;
public class KantineSimulatie_2 {
//Array van personen
public ArrayList<Persoon> personen = new ArrayList<>();
// kantine
private Kantine kantine;
// kantineaanbod
private KantineAanbod kantineaanbod;
// random generator
private Random random;
// aantal artikelen
private static final int AANTAL_ARTIKELEN = 4;
// artikelen
private static final String[] artikelnamen = new String[]
{"Koffie", "Broodje pindakaas", "Broodje kaas", "Appelsap"};
// prijzen
private static double[] artikelprijzen = new double[]{1.50, 2.10, 1.65, 1.65};
// minimum en maximum aantal artikelen per soort
private static final int MIN_ARTIKELEN_PER_SOORT = 10000;
private static final int MAX_ARTIKELEN_PER_SOORT = 20000;
// minimum en maximum aantal personen per dag
private static final int MIN_PERSONEN_PER_DAG = 50;
private static final int MAX_PERSONEN_PER_DAG = 100;
// minimum en maximum artikelen per persoon
private static final int MIN_ARTIKELEN_PER_PERSOON = 1;
private static final int MAX_ARTIKELEN_PER_PERSOON = 4;
private javax.persistence.EntityManager manager;
/**
* Constructor
*
*/
public KantineSimulatie_2(javax.persistence.EntityManager manager) {
kantine = new Kantine(manager);
random = new Random();
int[] hoeveelheden = getRandomArray(
AANTAL_ARTIKELEN,
MIN_ARTIKELEN_PER_SOORT,
MAX_ARTIKELEN_PER_SOORT);
kantineaanbod = new KantineAanbod(
artikelnamen, artikelprijzen, hoeveelheden, MIN_ARTIKELEN_PER_SOORT);
kantine.setKantineAanbod(kantineaanbod);
}
/**
* Methode om een array van random getallen liggend tussen
* min en max van de gegeven lengte te genereren
*
* @param lengte
* @param min
* @param max
* @return De array met random getallen
*/
private int[] getRandomArray(int lengte, int min, int max) {
int[] temp = new int[lengte];
for(int i = 0; i < lengte ;i++) {
temp[i] = getRandomValue(min, max);
}
return temp;
}
/**
* Methode om een random getal tussen min(incl)
* en max(incl) te genereren.
*
* @param min
* @param max
* @return Een random getal
*/
private int getRandomValue(int min, int max) {
return random.nextInt(max - min + 1) + min;
}
/**
* Methode om op basis van een array van indexen voor de array
* artikelnamen de bijhorende array van artikelnamen te maken
*
* @param indexen
* @return De array met artikelnamen
*/
private String[] geefArtikelNamen(int[] indexen) {
String[] artikelen = new String[indexen.length];
for(int i = 0; i < indexen.length; i++) {
artikelen[i] = artikelnamen[indexen[i]];
}
return artikelen;
}
/**
* Deze methode simuleert een aantal dagen
* in het verloop van de kantine
*
* @param dagen
*/
public void simuleer(int dagen){
// for lus voor dagen
for(int i = 0; i < dagen; i++) {
// bedenk hoeveel personen vandaag binnen lopen
int aantalpersonen = getRandomValue(MIN_PERSONEN_PER_DAG,MAX_PERSONEN_PER_DAG) ;
// 100 personen worden hier gemaakt
for (int x = 0; x < 100; x++){
String bsn = "bsnnmmr"+x;
String vnaam = "voornaam"+x;
String anaam = "achternaam"+x;
Datum datum = new Datum(x%28,x%12,2000);
Contant contant = new Contant();
Pinpas pinpas = new Pinpas();
int manOfVrouw = getRandomValue(0,1);
char geslacht = ' ';
if (manOfVrouw == 0) geslacht = 'M';
else if (manOfVrouw == 1) geslacht = 'V';
// 89 Studenten worden hier gemaakt.
if (x<89) {
int studentenummer = Integer.valueOf("" + ((x + 8) % 8) + "420" + ((x + 11) % 11));
String studierichting = "";
int random = getRandomValue(1, 3);
if (random == 1) {
studierichting = "NSE";
} else if (random == 2) {
studierichting = "SE";
} else {
studierichting = "Bitm";
}
Student student = new Student(studentenummer,studierichting,bsn,vnaam,anaam,datum,geslacht);
pinpas.setKredietLimiet((double) getRandomValue(6,50)); //We geven hier een student een pinpas met geld.
student.setBetaalwijze(pinpas);
personen.add(student);
}
// 10 Docenten worden hiero gemaakt
else if (x<99) {
String alphabet = "QWERTYUIOPASDFGHJKLZXCVBNM";
String afdeling = "";
String afkorting = "";
int random = getRandomValue(1, 3);
if (random == 1) {
afdeling = "Talen";
} else if (random == 2) {
afdeling = "Management";
} else {
afdeling = "Programmeren";
}
for (int s = 0; s < 4; s++) {
afkorting += alphabet.charAt(getRandomValue(0,25));
}
Docent docent = new Docent(bsn,vnaam,anaam,datum,geslacht,afdeling,afkorting);
pinpas.setKredietLimiet((double) getRandomValue(6,50)); //We geven hier een Docent een pinpas met geld.
docent.setBetaalwijze(pinpas);
personen.add(docent);
}
// 1 Kantinemedewerker wordt hier gemaakt
else {
int medewerkersnummer = Integer.valueOf("" + ((x + 8) % 8) + "420" + ((x + 11) % 11));
int r = getRandomValue(0,1);
boolean kassawaardig;
if (r==0) kassawaardig = true;
else kassawaardig = false;
KantineMedewerker kantineMedewerker = new KantineMedewerker(bsn,vnaam,anaam,datum,geslacht,medewerkersnummer,kassawaardig);
contant.setSaldo((double) getRandomValue(2,20)); // We geven hier een Kantine Medewerker contant geld.
kantineMedewerker.setBetaalwijze(contant);
personen.add(kantineMedewerker);
}
}
// laat de personen maar komen...
for(int j = 0; j < aantalpersonen; j++) {
// maak persoon en dienblad aan, koppel ze
// en bedenk hoeveel artikelen worden gepakt
Random rndm = new Random();
int r = rndm.nextInt(100);
Dienblad dienblad = new Dienblad();
dienblad.setPersoon(personen.get(r));
int aantalartikelen = getRandomValue(MIN_ARTIKELEN_PER_PERSOON,MAX_ARTIKELEN_PER_PERSOON);
// genereer de<SUF>
// van de artikelnamen
int[] tepakken = getRandomArray(
aantalartikelen, 0, AANTAL_ARTIKELEN-1);
// vind de artikelnamen op basis van
// de indexen hierboven
String[] artikelen = geefArtikelNamen(tepakken);
// loop de kantine binnen, pak de gewenste
// artikelen, sluit aan
kantine.loopPakSluitAan(personen.get(r),artikelen);
}
try{
Thread.sleep(500);
}catch (Exception e) {
System.out.println(e);
}
// verwerk rij voor de kassa
kantine.verwerkRijVoorKassa();
// druk de dagtotalen af en hoeveel personen binnen
// zijn gekomen(printf gebruiken)
System.out.println("Dag "+(i+1)+": Omzet van "+(Math.round(kantine.hoeveelheidGeldInKassa()*100))/100+" euro & "+kantine.aantalArtikelen()+" artikel afgerekend.");
// reset de kassa voor de volgende dag
kantine.resetKassa();
}
}
public static void main(String[] args) {
int[] getallen = {45, 56, 34, 39, 40, 31};
double[] omzet = {567.70, 498.25, 458.90};
double[] omzetPeriode = {321.35, 450.50, 210.45, 190.85, 193.25, 159.90, 214.25, 220.90, 201.90, 242.70, 260.35};
System.out.println(Administratie.berekenGemiddeldAantal(getallen)); //gem = 40.8333
System.out.println(Administratie.berekenGemiddeldeOmzet(omzet)); //gem = 508.2833
int dag = 0;
for(double i : Administratie.berekenDagOmzet(omzetPeriode)) {
System.out.println("Dag "+dag+": "+i);
dag++;
}
}
} | True | False | 2,124 | 2,903 | 15 | 12 | 2,682 | 14 | 11 | 2,578 | 13 | 10 | 2,685 | 15 | 12 | 2,983 | 15 | 12 | false | false | false | false | false | true |
3,542 | 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,805 | //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;
}
}
| True | False | 2,126 | 2,805 | 15 | 14 | 2,474 | 15 | 14 | 2,613 | 12 | 11 | 2,474 | 15 | 14 | 2,900 | 15 | 14 | false | false | false | false | false | true |
4,665 | 167657_0 | package ap.edu.schademeldingap.activities;
import android.Manifest;
import android.content.Intent;
import android.content.pm.PackageManager;
import android.graphics.Bitmap;
import android.provider.MediaStore;
import android.support.annotation.NonNull;
import android.support.annotation.Nullable;
import android.os.Bundle;
import android.util.Log;
import android.view.View;
import android.widget.AdapterView;
import android.widget.ArrayAdapter;
import android.widget.Button;
import android.widget.EditText;
import android.widget.ImageView;
import android.widget.Spinner;
import ap.edu.schademeldingap.controllers.MeldingController;
import ap.edu.schademeldingap.models.Melding;
import ap.edu.schademeldingap.R;
public class NieuweMeldingActivity extends AbstractActivity {
private MeldingController mc;
static final int REQUEST_IMAGE_CAPTURE = 1;
private EditText vrijeInvoer;
private EditText beschrijvingSchade;
private ImageView imageThumbnail;
private Spinner spinnerCat;
private Spinner spinnerLokaal;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_nieuwe_melding);
setTitle("SCHADE MELDEN");
//variabelen linken aan de UI
Button buttonMeldenSchade = findViewById(R.id.buttonMeldenSchade);
Button buttonFoto = findViewById(R.id.buttonFoto);
vrijeInvoer = findViewById(R.id.editVrijeInvoer);
beschrijvingSchade = findViewById(R.id.editBeschrijving);
imageThumbnail = findViewById(R.id.imageThumbnail);
spinnerCat = findViewById(R.id.spinnerCategorie);
final Spinner spinnerVerdieping = findViewById(R.id.spinnerVerdieping);
spinnerLokaal = findViewById(R.id.spinnerLokaal);
//De juiste lokalen tonen bij desbetreffende verdiepingen
spinnerVerdieping.setOnItemSelectedListener(new AdapterView.OnItemSelectedListener() {
@Override
public void onItemSelected(AdapterView<?> parent, View view, int position, long id) {
switch (position) {
case 0:
fillSpinnerLokaalWithAdapter(R.array.lokaalVerdiepMin1);
break;
case 1:
fillSpinnerLokaalWithAdapter(R.array.lokaalVerdiepGelijkVloer);
break;
case 2:
fillSpinnerLokaalWithAdapter(R.array.lokaalVerdiep1);
break;
case 3:
fillSpinnerLokaalWithAdapter(R.array.lokaalVerdiep2);
break;
case 4:
fillSpinnerLokaalWithAdapter(R.array.lokaalVerdiep3);
break;
case 5:
fillSpinnerLokaalWithAdapter(R.array.lokaalVerdiep4);
break;
}
}
@Override
public void onNothingSelected(AdapterView<?> parent) {
//unused
}
});
//Button listerens
buttonFoto.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View v) {
if (checkSelfPermission(Manifest.permission.CAMERA) != PackageManager.PERMISSION_GRANTED) {
requestPermissions(new String[]{Manifest.permission.CAMERA}, 2);
} else {
dispatchTakePictureIntent();
}
}
});
buttonMeldenSchade.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View v) {
if (!validateForm()) {
return;
}
String name = getIntent().getStringExtra(getString(R.string.key_naam));
String lokaal = spinnerLokaal.getSelectedItem().toString();
Melding melding = new Melding(name,
spinnerVerdieping.getSelectedItem().toString(),
lokaal.substring(0,3),
vrijeInvoer.getText().toString(),
spinnerCat.getSelectedItem().toString(),
beschrijvingSchade.getText().toString(),
lokaal.substring(3));
mc = new MeldingController();
mc.nieuweMelding(melding, imageThumbnail, v.getContext());
showDialogInfoToActivity(NieuweMeldingActivity.this, HomeActivity.class,
getString(R.string.geslaagd),
getString(R.string.melding_succes));
}
});
}
@Override
public void onRequestPermissionsResult(int requestCode, @NonNull String[] permissions, @NonNull int[] grantResults) {
super.onRequestPermissionsResult(requestCode, permissions, grantResults);
if (grantResults.length > 0) {
if (grantResults[0] == PackageManager.PERMISSION_GRANTED) {
dispatchTakePictureIntent();
} else if (grantResults[0] == PackageManager.PERMISSION_DENIED) {
// Should we show an explanation?
if (shouldShowRequestPermissionRationale(Manifest.permission.CAMERA)) {
//Show permission explanation dialog...
showDialogAlert(NieuweMeldingActivity.this, getString(R.string.camera_permissie), getString(R.string.cam_toestemming));
Log.d("perm", "show permission explanation dialog");
} else {
//Never ask again selected, or device policy prohibits the app from having that permission.
//So, disable that feature, or fall back to another situation...
showDialogAlert(NieuweMeldingActivity.this, getString(R.string.camera_permissie), getString(R.string.cam_toestemming_extra));
Log.d("perm", "Never ask again selected or...");
}
}
}
}
@Override
protected void onActivityResult(int requestCode, int resultCode, @Nullable Intent data) {
super.onActivityResult(requestCode, resultCode, data);
if (requestCode == REQUEST_IMAGE_CAPTURE && resultCode == RESULT_OK) {
Bundle extras = data.getExtras();
Bitmap imageBitmap = (Bitmap) extras.get("data");
imageThumbnail.setImageBitmap(imageBitmap);
}
}
private void fillSpinnerLokaalWithAdapter(int verdiepingArrayAdapter) {
ArrayAdapter<CharSequence> adapter = ArrayAdapter.createFromResource(this, verdiepingArrayAdapter, android.R.layout.simple_spinner_item);
adapter.setDropDownViewResource(android.R.layout.simple_spinner_dropdown_item);
spinnerLokaal.setAdapter(adapter);
}
private boolean validateForm() {
boolean valid = true;
if (imageThumbnail.getDrawable() == null) {
showDialogAlert(NieuweMeldingActivity.this, getString(R.string.fout), getString(R.string.foto_is_verplicht));
valid = false;
}
return valid;
}
private void dispatchTakePictureIntent() {
Intent takePictureIntent = new Intent(MediaStore.ACTION_IMAGE_CAPTURE);
if (takePictureIntent.resolveActivity(getPackageManager()) != null) {
startActivityForResult(takePictureIntent, REQUEST_IMAGE_CAPTURE);
}
}
} | wa1id/Schade-Rapportering-AP | app/src/main/java/ap/edu/schademeldingap/activities/NieuweMeldingActivity.java | 2,081 | //variabelen linken aan de UI | line_comment | nl | package ap.edu.schademeldingap.activities;
import android.Manifest;
import android.content.Intent;
import android.content.pm.PackageManager;
import android.graphics.Bitmap;
import android.provider.MediaStore;
import android.support.annotation.NonNull;
import android.support.annotation.Nullable;
import android.os.Bundle;
import android.util.Log;
import android.view.View;
import android.widget.AdapterView;
import android.widget.ArrayAdapter;
import android.widget.Button;
import android.widget.EditText;
import android.widget.ImageView;
import android.widget.Spinner;
import ap.edu.schademeldingap.controllers.MeldingController;
import ap.edu.schademeldingap.models.Melding;
import ap.edu.schademeldingap.R;
public class NieuweMeldingActivity extends AbstractActivity {
private MeldingController mc;
static final int REQUEST_IMAGE_CAPTURE = 1;
private EditText vrijeInvoer;
private EditText beschrijvingSchade;
private ImageView imageThumbnail;
private Spinner spinnerCat;
private Spinner spinnerLokaal;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_nieuwe_melding);
setTitle("SCHADE MELDEN");
//variabelen linken<SUF>
Button buttonMeldenSchade = findViewById(R.id.buttonMeldenSchade);
Button buttonFoto = findViewById(R.id.buttonFoto);
vrijeInvoer = findViewById(R.id.editVrijeInvoer);
beschrijvingSchade = findViewById(R.id.editBeschrijving);
imageThumbnail = findViewById(R.id.imageThumbnail);
spinnerCat = findViewById(R.id.spinnerCategorie);
final Spinner spinnerVerdieping = findViewById(R.id.spinnerVerdieping);
spinnerLokaal = findViewById(R.id.spinnerLokaal);
//De juiste lokalen tonen bij desbetreffende verdiepingen
spinnerVerdieping.setOnItemSelectedListener(new AdapterView.OnItemSelectedListener() {
@Override
public void onItemSelected(AdapterView<?> parent, View view, int position, long id) {
switch (position) {
case 0:
fillSpinnerLokaalWithAdapter(R.array.lokaalVerdiepMin1);
break;
case 1:
fillSpinnerLokaalWithAdapter(R.array.lokaalVerdiepGelijkVloer);
break;
case 2:
fillSpinnerLokaalWithAdapter(R.array.lokaalVerdiep1);
break;
case 3:
fillSpinnerLokaalWithAdapter(R.array.lokaalVerdiep2);
break;
case 4:
fillSpinnerLokaalWithAdapter(R.array.lokaalVerdiep3);
break;
case 5:
fillSpinnerLokaalWithAdapter(R.array.lokaalVerdiep4);
break;
}
}
@Override
public void onNothingSelected(AdapterView<?> parent) {
//unused
}
});
//Button listerens
buttonFoto.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View v) {
if (checkSelfPermission(Manifest.permission.CAMERA) != PackageManager.PERMISSION_GRANTED) {
requestPermissions(new String[]{Manifest.permission.CAMERA}, 2);
} else {
dispatchTakePictureIntent();
}
}
});
buttonMeldenSchade.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View v) {
if (!validateForm()) {
return;
}
String name = getIntent().getStringExtra(getString(R.string.key_naam));
String lokaal = spinnerLokaal.getSelectedItem().toString();
Melding melding = new Melding(name,
spinnerVerdieping.getSelectedItem().toString(),
lokaal.substring(0,3),
vrijeInvoer.getText().toString(),
spinnerCat.getSelectedItem().toString(),
beschrijvingSchade.getText().toString(),
lokaal.substring(3));
mc = new MeldingController();
mc.nieuweMelding(melding, imageThumbnail, v.getContext());
showDialogInfoToActivity(NieuweMeldingActivity.this, HomeActivity.class,
getString(R.string.geslaagd),
getString(R.string.melding_succes));
}
});
}
@Override
public void onRequestPermissionsResult(int requestCode, @NonNull String[] permissions, @NonNull int[] grantResults) {
super.onRequestPermissionsResult(requestCode, permissions, grantResults);
if (grantResults.length > 0) {
if (grantResults[0] == PackageManager.PERMISSION_GRANTED) {
dispatchTakePictureIntent();
} else if (grantResults[0] == PackageManager.PERMISSION_DENIED) {
// Should we show an explanation?
if (shouldShowRequestPermissionRationale(Manifest.permission.CAMERA)) {
//Show permission explanation dialog...
showDialogAlert(NieuweMeldingActivity.this, getString(R.string.camera_permissie), getString(R.string.cam_toestemming));
Log.d("perm", "show permission explanation dialog");
} else {
//Never ask again selected, or device policy prohibits the app from having that permission.
//So, disable that feature, or fall back to another situation...
showDialogAlert(NieuweMeldingActivity.this, getString(R.string.camera_permissie), getString(R.string.cam_toestemming_extra));
Log.d("perm", "Never ask again selected or...");
}
}
}
}
@Override
protected void onActivityResult(int requestCode, int resultCode, @Nullable Intent data) {
super.onActivityResult(requestCode, resultCode, data);
if (requestCode == REQUEST_IMAGE_CAPTURE && resultCode == RESULT_OK) {
Bundle extras = data.getExtras();
Bitmap imageBitmap = (Bitmap) extras.get("data");
imageThumbnail.setImageBitmap(imageBitmap);
}
}
private void fillSpinnerLokaalWithAdapter(int verdiepingArrayAdapter) {
ArrayAdapter<CharSequence> adapter = ArrayAdapter.createFromResource(this, verdiepingArrayAdapter, android.R.layout.simple_spinner_item);
adapter.setDropDownViewResource(android.R.layout.simple_spinner_dropdown_item);
spinnerLokaal.setAdapter(adapter);
}
private boolean validateForm() {
boolean valid = true;
if (imageThumbnail.getDrawable() == null) {
showDialogAlert(NieuweMeldingActivity.this, getString(R.string.fout), getString(R.string.foto_is_verplicht));
valid = false;
}
return valid;
}
private void dispatchTakePictureIntent() {
Intent takePictureIntent = new Intent(MediaStore.ACTION_IMAGE_CAPTURE);
if (takePictureIntent.resolveActivity(getPackageManager()) != null) {
startActivityForResult(takePictureIntent, REQUEST_IMAGE_CAPTURE);
}
}
} | True | False | 2,129 | 2,081 | 9 | 8 | 1,687 | 9 | 8 | 1,694 | 8 | 7 | 1,687 | 9 | 8 | 2,019 | 9 | 8 | false | false | false | false | false | true |
1,808 | 65844_1 | package be.ucll.java.ent.model;
import javax.persistence.EntityManager;
import javax.persistence.NoResultException;
import javax.persistence.Query;
import java.util.ArrayList;
import java.util.List;
import java.util.Optional;
public class StudentDAO implements Dao<StudentEntity> {
// JPA EntityManager
private final EntityManager em;
// Constructor with EntityManager
public StudentDAO(EntityManager em) {
this.em = em;
}
@Override
public void create(StudentEntity student) {
em.persist(student);
}
@Override
// Gebruik Optional om aanroepende code af te dwingen en rekening te houden met NULL
public Optional<StudentEntity> get(long studentId) {
return Optional.ofNullable(em.find(StudentEntity.class, studentId));
}
@Override
// Zonder Optional kan de return value null zijn en kan je alleen maar hopen
// dat de aanroepende code daarmee rekening houdt
public StudentEntity read(long studentId) {
return em.find(StudentEntity.class, studentId);
}
public Optional<StudentEntity> getOneByName(String name) {
try {
StudentEntity stud = null;
try {
Query q = em.createQuery("select e from StudentEntity e where lower(e.naam) = :p1");
q.setParameter("p1", name);
stud = (StudentEntity) q.getSingleResult();
} catch (NoResultException e) {
// ignore
}
return Optional.ofNullable(stud);
} catch (Exception e) {
throw new RuntimeException(e);
}
}
@Override
public void update(StudentEntity student) {
em.merge(student);
}
@Override
public void delete(long studentId) {
StudentEntity ref = em.getReference(StudentEntity.class, studentId);
if (ref != null){
em.remove(ref);
} else {
// Already gone
}
}
public List<StudentEntity> getStudents(String naam, String voornaam){
try {
List<StudentEntity> lst = new ArrayList();
try {
String queryString = "select s from StudentEntity s where 1 = 1 ";
if (naam != null && naam.trim().length() > 0) {
String cleanNaam = naam.toLowerCase().trim().replace("'","''");
queryString += "and lower(s.naam) like '%" + cleanNaam + "%' ";
}
if (voornaam != null && voornaam.trim().length() > 0) {
String cleanVoornaam = voornaam.toLowerCase().trim().replace("'","''");
queryString += "and lower(s.voornaam) like '%" + cleanVoornaam + "%' ";
}
// System.out.println("Query: " + queryString);
Query query = em.createQuery(queryString);
lst = query.getResultList();
} catch (NoResultException e) {
// ignore
}
return lst;
} catch (Exception e) {
throw new RuntimeException(e);
}
}
@Override
public List<StudentEntity> getAll() {
return em.createNamedQuery("Student.getAll").getResultList();
}
@Override
public long countAll() {
Object o = em.createNamedQuery("Student.countAll").getSingleResult();
return (Long) o;
}
}
| UcllJavaEnterprise/stubs-vaadin-demo | src/main/java/be/ucll/java/ent/model/StudentDAO.java | 946 | // Gebruik Optional om aanroepende code af te dwingen en rekening te houden met NULL | line_comment | nl | package be.ucll.java.ent.model;
import javax.persistence.EntityManager;
import javax.persistence.NoResultException;
import javax.persistence.Query;
import java.util.ArrayList;
import java.util.List;
import java.util.Optional;
public class StudentDAO implements Dao<StudentEntity> {
// JPA EntityManager
private final EntityManager em;
// Constructor with EntityManager
public StudentDAO(EntityManager em) {
this.em = em;
}
@Override
public void create(StudentEntity student) {
em.persist(student);
}
@Override
// Gebruik Optional<SUF>
public Optional<StudentEntity> get(long studentId) {
return Optional.ofNullable(em.find(StudentEntity.class, studentId));
}
@Override
// Zonder Optional kan de return value null zijn en kan je alleen maar hopen
// dat de aanroepende code daarmee rekening houdt
public StudentEntity read(long studentId) {
return em.find(StudentEntity.class, studentId);
}
public Optional<StudentEntity> getOneByName(String name) {
try {
StudentEntity stud = null;
try {
Query q = em.createQuery("select e from StudentEntity e where lower(e.naam) = :p1");
q.setParameter("p1", name);
stud = (StudentEntity) q.getSingleResult();
} catch (NoResultException e) {
// ignore
}
return Optional.ofNullable(stud);
} catch (Exception e) {
throw new RuntimeException(e);
}
}
@Override
public void update(StudentEntity student) {
em.merge(student);
}
@Override
public void delete(long studentId) {
StudentEntity ref = em.getReference(StudentEntity.class, studentId);
if (ref != null){
em.remove(ref);
} else {
// Already gone
}
}
public List<StudentEntity> getStudents(String naam, String voornaam){
try {
List<StudentEntity> lst = new ArrayList();
try {
String queryString = "select s from StudentEntity s where 1 = 1 ";
if (naam != null && naam.trim().length() > 0) {
String cleanNaam = naam.toLowerCase().trim().replace("'","''");
queryString += "and lower(s.naam) like '%" + cleanNaam + "%' ";
}
if (voornaam != null && voornaam.trim().length() > 0) {
String cleanVoornaam = voornaam.toLowerCase().trim().replace("'","''");
queryString += "and lower(s.voornaam) like '%" + cleanVoornaam + "%' ";
}
// System.out.println("Query: " + queryString);
Query query = em.createQuery(queryString);
lst = query.getResultList();
} catch (NoResultException e) {
// ignore
}
return lst;
} catch (Exception e) {
throw new RuntimeException(e);
}
}
@Override
public List<StudentEntity> getAll() {
return em.createNamedQuery("Student.getAll").getResultList();
}
@Override
public long countAll() {
Object o = em.createNamedQuery("Student.countAll").getSingleResult();
return (Long) o;
}
}
| True | False | 2,133 | 946 | 25 | 24 | 795 | 24 | 23 | 840 | 18 | 17 | 795 | 24 | 23 | 926 | 25 | 24 | false | false | false | false | false | true |
825 | 60700_2 | package model;
import global.Globals;
import global.Logger;
import global.Misc;
import java.net.InetSocketAddress;
import java.sql.Connection;
import java.sql.SQLException;
import model.intelligence.Intelligence.ClosedException;
import model.intelligence.ManagerIntelligence;
/**
* Represents a clustermanager in the query system
*
* @author Jeroen
*
*/
public class Manager extends Component {
/**
* Constructor
*
* @requires addr != null
* @requires con != null
* @requires mod != null
* @throws ClosedException
* if the database fails during the construction
*/
public Manager(InetSocketAddress addr, Connection con, Model mod)
throws ClosedException {
super(addr, con);
intel = new ManagerIntelligence(this, mod, con);
collumnList = Misc.concat(Globals.MANAGER_CALLS, Globals.MANAGER_STATS);
String sql = "INSERT INTO " + getTableName() + " VALUES( ?, ?";
for (int i = 0; i < collumnList.length; ++i) {
sql += ", ?";
}
sql += ")";
try {
insert = conn.prepareStatement(sql);
} catch (SQLException e) {
intel.databaseError(e);
}
Logger.log("Constructor for " + getTableName() + " completed");
}
@Override
public long[] parseInput(String message) {
String[] parts;
String[] lines = message.split("\n");
long[] result = new long[Globals.MANAGER_STATS.length];
String currentLine;
for (int i = 0; i < Globals.MANAGER_STATS.length; i++) {
currentLine = lines[i];
// regels met w[X] erin komen als het goed is alleen voor na alle
// relevante informatie.
// if(!currentLine.contains("[w")){
parts = currentLine.split(":");
currentLine = parts[1];
currentLine = currentLine.replaceAll("\\s+", "");
// niet toepasbaar als w[X] voorkomt voor relevante informatie
result[i] = Long.parseLong(currentLine);
}
return result;
}
@Override
public String getTableName() {
return "m" + super.getTableName();
}
@Override
public String[] getCalls() {
return Globals.MANAGER_CALLS;
}
@Override
public int getType() {
return Globals.ID_MANAGER;
}
}
| JeroenBrinkman/ontwerpproject | ontwerpproject/src/model/Manager.java | 710 | // regels met w[X] erin komen als het goed is alleen voor na alle | line_comment | nl | package model;
import global.Globals;
import global.Logger;
import global.Misc;
import java.net.InetSocketAddress;
import java.sql.Connection;
import java.sql.SQLException;
import model.intelligence.Intelligence.ClosedException;
import model.intelligence.ManagerIntelligence;
/**
* Represents a clustermanager in the query system
*
* @author Jeroen
*
*/
public class Manager extends Component {
/**
* Constructor
*
* @requires addr != null
* @requires con != null
* @requires mod != null
* @throws ClosedException
* if the database fails during the construction
*/
public Manager(InetSocketAddress addr, Connection con, Model mod)
throws ClosedException {
super(addr, con);
intel = new ManagerIntelligence(this, mod, con);
collumnList = Misc.concat(Globals.MANAGER_CALLS, Globals.MANAGER_STATS);
String sql = "INSERT INTO " + getTableName() + " VALUES( ?, ?";
for (int i = 0; i < collumnList.length; ++i) {
sql += ", ?";
}
sql += ")";
try {
insert = conn.prepareStatement(sql);
} catch (SQLException e) {
intel.databaseError(e);
}
Logger.log("Constructor for " + getTableName() + " completed");
}
@Override
public long[] parseInput(String message) {
String[] parts;
String[] lines = message.split("\n");
long[] result = new long[Globals.MANAGER_STATS.length];
String currentLine;
for (int i = 0; i < Globals.MANAGER_STATS.length; i++) {
currentLine = lines[i];
// regels met<SUF>
// relevante informatie.
// if(!currentLine.contains("[w")){
parts = currentLine.split(":");
currentLine = parts[1];
currentLine = currentLine.replaceAll("\\s+", "");
// niet toepasbaar als w[X] voorkomt voor relevante informatie
result[i] = Long.parseLong(currentLine);
}
return result;
}
@Override
public String getTableName() {
return "m" + super.getTableName();
}
@Override
public String[] getCalls() {
return Globals.MANAGER_CALLS;
}
@Override
public int getType() {
return Globals.ID_MANAGER;
}
}
| True | False | 2,134 | 710 | 19 | 16 | 629 | 23 | 20 | 610 | 17 | 14 | 629 | 23 | 20 | 762 | 22 | 19 | false | false | false | false | false | true |
4,161 | 172125_7 | //function 1 score:
//function 2 score:
//function 3 score:
import org.vu.contest.ContestSubmission;
import org.jfree.chart.ChartFactory;
import org.jfree.chart.ChartFrame;
import org.jfree.chart.JFreeChart;
import org.jfree.chart.plot.PlotOrientation;
import org.jfree.data.xy.XYSeries;
import org.jfree.data.xy.XYSeriesCollection;
import org.vu.contest.ContestEvaluation;
import java.awt.Color;
import java.util.ArrayList;
import java.util.Iterator;
import java.util.Random;
import java.util.Properties;
public class player17 implements ContestSubmission
{
final static int POPULATION_SIZE = 20; //individuals, moet altijd deelbaar door 2 zijn
final static int NUMBER_OF_POPULATIONS = 10; //wordt nog niet gebruikt
final static int PARENTS_SURVIVE = 10; //number of parents that survive into the next generation
final static int NUMBER_OF_MUTATIONS = 1;
final static boolean ONLY_MUTANTS = true; //wel of niet alleen mutanten als kinderen toeveogen aan nieuwe gen
final static int RANDOM_MUTATION_CHANCE = 5; //procent kans dat een gen totaal random muteert
final static int RANDOMS_ADDED = 11; //aantal individuen dat random wordt vervangen bij te lage variance
final static double VARIANCE_TRESHOLD = 5d; //waarde van variance in fitness waarbij individuen worden vervangen door randoms
ArrayList<Individual> population;
private Random rnd_;
private ContestEvaluation evaluation_;
private int evaluations_limit_;
JFreeChart chart;
XYSeriesCollection dataset;
int column;
public player17()
{
rnd_ = new Random();
population = new ArrayList<Individual>();
dataset = new XYSeriesCollection();
column = 0;
}
public void setSeed(long seed)
{
// Set seed of algortihms random process
rnd_.setSeed(seed);
}
public void setEvaluation(ContestEvaluation evaluation)
{
// Set evaluation problem used in the run
evaluation_ = evaluation;
// Get evaluation properties
Properties props = evaluation.getProperties();
evaluations_limit_ = Integer.parseInt(props.getProperty("Evaluations"));
boolean isMultimodal = Boolean.parseBoolean(props.getProperty("Multimodal"));
boolean hasStructure = Boolean.parseBoolean(props.getProperty("GlobalStructure"));
boolean isSeparable = Boolean.parseBoolean(props.getProperty("Separable"));
// Change settings(?)
if(isMultimodal){
// Do sth
}else{
// Do sth else
}
}
public void run()
{
// Run your algorithm here
//set random values for starting array
int evals = 1;
initPopulation();
while(evals<evaluations_limit_/POPULATION_SIZE)
{
makeNewPopulation();
Iterator<Individual> iterator = population.iterator();
XYSeries series = new XYSeries(""+column);
while(iterator.hasNext())
{
double fitness = iterator.next().fitness.doubleValue();
series.add(column, fitness);
}
column++;
dataset.addSeries(series);
System.out.println("best fitness: " + population.get(0).fitness + " worst fitness: " + population.get(19).fitness + " evals: " + evals + " individual vatriance: " + computeIndividualVariance());
if( computeIndividualVariance() < VARIANCE_TRESHOLD)
{
addRandomsToPopulation();
}
evals++;
}
//maak een plot op scherm, dit uitzetten bij inleveren
chart = ChartFactory.createScatterPlot(
"Plot 1", // chart title
"Evals", // domain axis label
"Fitness", // range axis label
dataset, // data
PlotOrientation.VERTICAL, // orientation
false, // include legend
true, // tooltips
false // urls
);
chart.setBackgroundPaint(Color.white);
ChartFrame frame = new ChartFrame("First", chart);
frame.pack();
frame.setVisible(true);
}
private void addRandomsToPopulation()
{
int initSize = population.size();
Random rand = new Random();
while (population.size() >= initSize-RANDOMS_ADDED)
{
int removePos = rand.nextInt(population.size());
population.remove(removePos);
}
while (population.size() < initSize)
{
Individual ind = new Individual();
ind.initializeRandom();
ind.fitness = (Double)evaluation_.evaluate(ind.genome);
addToPopulationSorted(ind, population);
}
}
double computeFitnessVariance()
{
double output = 0;
double numberOfIndividuals = 0;
Iterator<Individual> iterator = population.iterator();
while(iterator.hasNext())
{
output += iterator.next().fitness;
numberOfIndividuals++;
}
double mean = output/numberOfIndividuals; //get mean
output = 0;
iterator = population.iterator();
while(iterator.hasNext())
{
double fitness = iterator.next().fitness;
output += (mean-fitness) * (mean-fitness);
}
return output/numberOfIndividuals;
}
double computeIndividualVariance() //todo
{
double[] meanIndividual = {0, 0, 0, 0, 0, 0, 0, 0, 0, 0};
double[] temp = {0, 0, 0, 0, 0, 0, 0, 0, 0, 0};
double numberOfIndividuals = 0;
Iterator<Individual> iterator = population.iterator();
while(iterator.hasNext())
{
Individual ind = iterator.next();
for(int i = 0; i < 10; i++)
{
meanIndividual[i] += ind.genome[i];
}
numberOfIndividuals++;
}
for(int i = 0; i < 10; i++) //get mean
{
meanIndividual[i] /= numberOfIndividuals;
}
iterator = population.iterator();
while(iterator.hasNext())
{
Individual ind = iterator.next();
for(int i = 0; i < 10; i++)
{
temp[i] += (meanIndividual[i]-ind.genome[i]) * (meanIndividual[i]-ind.genome[i]);
}
}
for(int i = 0; i < 10; i++)
{
temp[i] /= numberOfIndividuals;
}
double output = 0;
for(int i = 0; i < 10; i++)
{
output += temp[i];
}
return output;
}
void makeNewPopulation()
{
Random rand = new Random();
ArrayList<Individual> tempPopulation1 = new ArrayList<Individual>();
ArrayList<Individual> tempPopulation2 = new ArrayList<Individual>();
//split pop in 2
while(tempPopulation1.size()<POPULATION_SIZE/2)
{
tempPopulation1.add(population.remove(rand.nextInt(population.size())));
}
while(tempPopulation2.size()<POPULATION_SIZE/2)
{
tempPopulation2.add(population.remove(rand.nextInt(population.size())));
}
//BATTLE!
while(tempPopulation1.size() > 0)
{
Individual parent1 = tempPopulation1.remove(rand.nextInt(tempPopulation1.size()));
Individual parent2 = tempPopulation2.remove(rand.nextInt(tempPopulation2.size()));
if (parent1.fitness > parent2.fitness)
{
addToPopulationSorted(parent1, population);
}
else
{
addToPopulationSorted(parent2, population);
}
}
while(population.size() > PARENTS_SURVIVE)
{
population.remove(population.size()-1);
}
while(population.size() < POPULATION_SIZE)
{
Individual parent1 = population.get(rand.nextInt(PARENTS_SURVIVE));
Individual parent2 = population.get(rand.nextInt(PARENTS_SURVIVE));
Individual child = crossoverParents(parent1, parent2);
if(!ONLY_MUTANTS)
{
child.fitness = (Double)evaluation_.evaluate(child.genome);
addToPopulationSorted(child, population);
}
Individual mutant = child.clone();
mutateChild(mutant);
mutant.fitness = (Double)evaluation_.evaluate(mutant.genome);
addToPopulationSorted(mutant, population);
}
}
private Individual crossoverParents(Individual parent1, Individual parent2)
{
Random rand = new Random();
Individual child = new Individual();
for(int i = 0; i < parent1.genome.length; i++)
{
if (rand.nextBoolean())
{
child.genome[i] = parent1.genome[i];
}
else
{
child.genome[i] = parent2.genome[i];
}
}
return child;
}
private void mutateChild(Individual child)
{
Random rand = new Random();
int[] mutatePosition = createMutatePositionsArray(NUMBER_OF_MUTATIONS);
for (int i = 0; i < NUMBER_OF_MUTATIONS; i++)
{
double oldValue = child.genome[mutatePosition[i]];
double mutation = rand.nextDouble();
if(rand.nextBoolean())
{
mutation *= -1d;
}
mutation = oldValue + mutation;
if(mutation > 5d)
{
mutation = 5d;
}
else if(mutation < -5d)
{
mutation = -5d;
}
child.genome[mutatePosition[i]] = mutation;
//small change of totaly random mutation
if(rand.nextInt(100) < RANDOM_MUTATION_CHANCE)
{
child.genome[mutatePosition[i]] = ((rand.nextDouble() * 10d) - 5d);
}
}
}
private int[] createMutatePositionsArray(int size)
{
Random rand = new Random();
int[] output = new int[size];
output[0] = rand.nextInt(10);
for (int i = 1; i<size; i++)
{
int newPosition = rand.nextInt(10);
while(arrayContains(output, newPosition, i))
{
newPosition = rand.nextInt(10);
}
output[i] = newPosition;
}
return output;
}
private boolean arrayContains(int[] intArray, int check, int steps)
{
for (int i = 0; i < steps; i++)
{
if (intArray[i] == check)
{
return true;
}
}
return false;
}
public void addToPopulationSorted(Individual input, ArrayList<Individual> pop)
{
int index = 0;
while(index < pop.size() && population.get(index).fitness > input.fitness)
{
index++;
}
pop.add(index, input);
}
public void initPopulation()
{
Individual ind = new Individual();
ind.initializeRandom();
ind.fitness = (Double)evaluation_.evaluate(ind.genome);
population.add(ind);
while(population.size() < POPULATION_SIZE)
{
ind = new Individual();
ind.initializeRandom();
ind.fitness = (Double)evaluation_.evaluate(ind.genome);
addToPopulationSorted(ind, population);
}
}
}
| reuelbrion/EvolutionaryComputing | EvolutionaryComputing/src/player17.java | 3,384 | //procent kans dat een gen totaal random muteert | line_comment | nl | //function 1 score:
//function 2 score:
//function 3 score:
import org.vu.contest.ContestSubmission;
import org.jfree.chart.ChartFactory;
import org.jfree.chart.ChartFrame;
import org.jfree.chart.JFreeChart;
import org.jfree.chart.plot.PlotOrientation;
import org.jfree.data.xy.XYSeries;
import org.jfree.data.xy.XYSeriesCollection;
import org.vu.contest.ContestEvaluation;
import java.awt.Color;
import java.util.ArrayList;
import java.util.Iterator;
import java.util.Random;
import java.util.Properties;
public class player17 implements ContestSubmission
{
final static int POPULATION_SIZE = 20; //individuals, moet altijd deelbaar door 2 zijn
final static int NUMBER_OF_POPULATIONS = 10; //wordt nog niet gebruikt
final static int PARENTS_SURVIVE = 10; //number of parents that survive into the next generation
final static int NUMBER_OF_MUTATIONS = 1;
final static boolean ONLY_MUTANTS = true; //wel of niet alleen mutanten als kinderen toeveogen aan nieuwe gen
final static int RANDOM_MUTATION_CHANCE = 5; //procent kans<SUF>
final static int RANDOMS_ADDED = 11; //aantal individuen dat random wordt vervangen bij te lage variance
final static double VARIANCE_TRESHOLD = 5d; //waarde van variance in fitness waarbij individuen worden vervangen door randoms
ArrayList<Individual> population;
private Random rnd_;
private ContestEvaluation evaluation_;
private int evaluations_limit_;
JFreeChart chart;
XYSeriesCollection dataset;
int column;
public player17()
{
rnd_ = new Random();
population = new ArrayList<Individual>();
dataset = new XYSeriesCollection();
column = 0;
}
public void setSeed(long seed)
{
// Set seed of algortihms random process
rnd_.setSeed(seed);
}
public void setEvaluation(ContestEvaluation evaluation)
{
// Set evaluation problem used in the run
evaluation_ = evaluation;
// Get evaluation properties
Properties props = evaluation.getProperties();
evaluations_limit_ = Integer.parseInt(props.getProperty("Evaluations"));
boolean isMultimodal = Boolean.parseBoolean(props.getProperty("Multimodal"));
boolean hasStructure = Boolean.parseBoolean(props.getProperty("GlobalStructure"));
boolean isSeparable = Boolean.parseBoolean(props.getProperty("Separable"));
// Change settings(?)
if(isMultimodal){
// Do sth
}else{
// Do sth else
}
}
public void run()
{
// Run your algorithm here
//set random values for starting array
int evals = 1;
initPopulation();
while(evals<evaluations_limit_/POPULATION_SIZE)
{
makeNewPopulation();
Iterator<Individual> iterator = population.iterator();
XYSeries series = new XYSeries(""+column);
while(iterator.hasNext())
{
double fitness = iterator.next().fitness.doubleValue();
series.add(column, fitness);
}
column++;
dataset.addSeries(series);
System.out.println("best fitness: " + population.get(0).fitness + " worst fitness: " + population.get(19).fitness + " evals: " + evals + " individual vatriance: " + computeIndividualVariance());
if( computeIndividualVariance() < VARIANCE_TRESHOLD)
{
addRandomsToPopulation();
}
evals++;
}
//maak een plot op scherm, dit uitzetten bij inleveren
chart = ChartFactory.createScatterPlot(
"Plot 1", // chart title
"Evals", // domain axis label
"Fitness", // range axis label
dataset, // data
PlotOrientation.VERTICAL, // orientation
false, // include legend
true, // tooltips
false // urls
);
chart.setBackgroundPaint(Color.white);
ChartFrame frame = new ChartFrame("First", chart);
frame.pack();
frame.setVisible(true);
}
private void addRandomsToPopulation()
{
int initSize = population.size();
Random rand = new Random();
while (population.size() >= initSize-RANDOMS_ADDED)
{
int removePos = rand.nextInt(population.size());
population.remove(removePos);
}
while (population.size() < initSize)
{
Individual ind = new Individual();
ind.initializeRandom();
ind.fitness = (Double)evaluation_.evaluate(ind.genome);
addToPopulationSorted(ind, population);
}
}
double computeFitnessVariance()
{
double output = 0;
double numberOfIndividuals = 0;
Iterator<Individual> iterator = population.iterator();
while(iterator.hasNext())
{
output += iterator.next().fitness;
numberOfIndividuals++;
}
double mean = output/numberOfIndividuals; //get mean
output = 0;
iterator = population.iterator();
while(iterator.hasNext())
{
double fitness = iterator.next().fitness;
output += (mean-fitness) * (mean-fitness);
}
return output/numberOfIndividuals;
}
double computeIndividualVariance() //todo
{
double[] meanIndividual = {0, 0, 0, 0, 0, 0, 0, 0, 0, 0};
double[] temp = {0, 0, 0, 0, 0, 0, 0, 0, 0, 0};
double numberOfIndividuals = 0;
Iterator<Individual> iterator = population.iterator();
while(iterator.hasNext())
{
Individual ind = iterator.next();
for(int i = 0; i < 10; i++)
{
meanIndividual[i] += ind.genome[i];
}
numberOfIndividuals++;
}
for(int i = 0; i < 10; i++) //get mean
{
meanIndividual[i] /= numberOfIndividuals;
}
iterator = population.iterator();
while(iterator.hasNext())
{
Individual ind = iterator.next();
for(int i = 0; i < 10; i++)
{
temp[i] += (meanIndividual[i]-ind.genome[i]) * (meanIndividual[i]-ind.genome[i]);
}
}
for(int i = 0; i < 10; i++)
{
temp[i] /= numberOfIndividuals;
}
double output = 0;
for(int i = 0; i < 10; i++)
{
output += temp[i];
}
return output;
}
void makeNewPopulation()
{
Random rand = new Random();
ArrayList<Individual> tempPopulation1 = new ArrayList<Individual>();
ArrayList<Individual> tempPopulation2 = new ArrayList<Individual>();
//split pop in 2
while(tempPopulation1.size()<POPULATION_SIZE/2)
{
tempPopulation1.add(population.remove(rand.nextInt(population.size())));
}
while(tempPopulation2.size()<POPULATION_SIZE/2)
{
tempPopulation2.add(population.remove(rand.nextInt(population.size())));
}
//BATTLE!
while(tempPopulation1.size() > 0)
{
Individual parent1 = tempPopulation1.remove(rand.nextInt(tempPopulation1.size()));
Individual parent2 = tempPopulation2.remove(rand.nextInt(tempPopulation2.size()));
if (parent1.fitness > parent2.fitness)
{
addToPopulationSorted(parent1, population);
}
else
{
addToPopulationSorted(parent2, population);
}
}
while(population.size() > PARENTS_SURVIVE)
{
population.remove(population.size()-1);
}
while(population.size() < POPULATION_SIZE)
{
Individual parent1 = population.get(rand.nextInt(PARENTS_SURVIVE));
Individual parent2 = population.get(rand.nextInt(PARENTS_SURVIVE));
Individual child = crossoverParents(parent1, parent2);
if(!ONLY_MUTANTS)
{
child.fitness = (Double)evaluation_.evaluate(child.genome);
addToPopulationSorted(child, population);
}
Individual mutant = child.clone();
mutateChild(mutant);
mutant.fitness = (Double)evaluation_.evaluate(mutant.genome);
addToPopulationSorted(mutant, population);
}
}
private Individual crossoverParents(Individual parent1, Individual parent2)
{
Random rand = new Random();
Individual child = new Individual();
for(int i = 0; i < parent1.genome.length; i++)
{
if (rand.nextBoolean())
{
child.genome[i] = parent1.genome[i];
}
else
{
child.genome[i] = parent2.genome[i];
}
}
return child;
}
private void mutateChild(Individual child)
{
Random rand = new Random();
int[] mutatePosition = createMutatePositionsArray(NUMBER_OF_MUTATIONS);
for (int i = 0; i < NUMBER_OF_MUTATIONS; i++)
{
double oldValue = child.genome[mutatePosition[i]];
double mutation = rand.nextDouble();
if(rand.nextBoolean())
{
mutation *= -1d;
}
mutation = oldValue + mutation;
if(mutation > 5d)
{
mutation = 5d;
}
else if(mutation < -5d)
{
mutation = -5d;
}
child.genome[mutatePosition[i]] = mutation;
//small change of totaly random mutation
if(rand.nextInt(100) < RANDOM_MUTATION_CHANCE)
{
child.genome[mutatePosition[i]] = ((rand.nextDouble() * 10d) - 5d);
}
}
}
private int[] createMutatePositionsArray(int size)
{
Random rand = new Random();
int[] output = new int[size];
output[0] = rand.nextInt(10);
for (int i = 1; i<size; i++)
{
int newPosition = rand.nextInt(10);
while(arrayContains(output, newPosition, i))
{
newPosition = rand.nextInt(10);
}
output[i] = newPosition;
}
return output;
}
private boolean arrayContains(int[] intArray, int check, int steps)
{
for (int i = 0; i < steps; i++)
{
if (intArray[i] == check)
{
return true;
}
}
return false;
}
public void addToPopulationSorted(Individual input, ArrayList<Individual> pop)
{
int index = 0;
while(index < pop.size() && population.get(index).fitness > input.fitness)
{
index++;
}
pop.add(index, input);
}
public void initPopulation()
{
Individual ind = new Individual();
ind.initializeRandom();
ind.fitness = (Double)evaluation_.evaluate(ind.genome);
population.add(ind);
while(population.size() < POPULATION_SIZE)
{
ind = new Individual();
ind.initializeRandom();
ind.fitness = (Double)evaluation_.evaluate(ind.genome);
addToPopulationSorted(ind, population);
}
}
}
| True | False | 2,136 | 3,384 | 14 | 13 | 3,023 | 15 | 14 | 2,976 | 11 | 10 | 3,022 | 14 | 13 | 3,761 | 15 | 14 | false | false | false | false | false | true |
816 | 96246_11 | package be.hvwebsites.itembord;
import androidx.appcompat.app.AppCompatActivity;
import androidx.lifecycle.ViewModelProvider;
import androidx.recyclerview.widget.LinearLayoutManager;
import androidx.recyclerview.widget.RecyclerView;
import android.content.Intent;
import android.os.Build;
import android.os.Bundle;
import android.view.View;
import android.widget.AdapterView;
import android.widget.ArrayAdapter;
import android.widget.Spinner;
import android.widget.Toast;
import com.google.android.material.floatingactionbutton.FloatingActionButton;
import java.util.ArrayList;
import java.util.List;
import be.hvwebsites.itembord.adapters.LogboekItemListAdapter;
import be.hvwebsites.itembord.constants.SpecificData;
import be.hvwebsites.itembord.entities.Log;
import be.hvwebsites.itembord.entities.Opvolgingsitem;
import be.hvwebsites.itembord.entities.Rubriek;
import be.hvwebsites.itembord.helpers.ListItemTwoLinesHelper;
import be.hvwebsites.itembord.services.FileBaseService;
import be.hvwebsites.itembord.services.FileBaseServiceOld;
import be.hvwebsites.itembord.viewmodels.EntitiesViewModel;
import be.hvwebsites.libraryandroid4.helpers.IDNumber;
import be.hvwebsites.libraryandroid4.helpers.ListItemHelper;
import be.hvwebsites.libraryandroid4.returninfo.ReturnInfo;
import be.hvwebsites.libraryandroid4.statics.StaticData;
public class Logboek extends AppCompatActivity implements AdapterView.OnItemSelectedListener{
private EntitiesViewModel viewModel;
private List<ListItemTwoLinesHelper> logboekList = new ArrayList<>();
// Filters
private IDNumber filterRubriekID = new IDNumber(StaticData.IDNUMBER_NOT_FOUND.getId());
private IDNumber filterOItemID = new IDNumber(StaticData.IDNUMBER_NOT_FOUND.getId());
// Device
private final String deviceModel = Build.MODEL;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_logboek);
// Creer een filebase service, bepaalt file base directory obv device en Context
FileBaseService fileBaseService = new FileBaseService(deviceModel, this);
// Data ophalen
// Get a viewmodel from the viewmodelproviders
viewModel = new ViewModelProvider(this).get(EntitiesViewModel.class);
// Basis directory definitie
String baseDir = fileBaseService.getFileBaseDir();
// Initialize viewmodel mt basis directory (data wordt opgehaald in viewmodel)
List<ReturnInfo> viewModelRetInfo = viewModel.initializeViewModel(baseDir);
// Display return msg(s)
for (int i = 0; i < viewModelRetInfo.size(); i++) {
Toast.makeText(getApplicationContext(),
viewModelRetInfo.get(i).getReturnMessage(),
Toast.LENGTH_SHORT).show();
}
// Rubriekfilter Spinner en adapter definieren
Spinner rubriekFilterSpinner = (Spinner) findViewById(R.id.spinr_rubriek);
// rubriekfilterAdapter obv ListItemHelper
ArrayAdapter<ListItemHelper> rubriekFilterAdapter = new ArrayAdapter(this,
android.R.layout.simple_spinner_item);
rubriekFilterAdapter.setDropDownViewResource(android.R.layout.simple_spinner_dropdown_item);
// Rubriekfilter vullen met alle rubrieken
rubriekFilterAdapter.add(new ListItemHelper(SpecificData.NO_RUBRIEK_FILTER,
"",
StaticData.IDNUMBER_NOT_FOUND));
rubriekFilterAdapter.addAll(viewModel.getRubriekItemList());
rubriekFilterSpinner.setAdapter(rubriekFilterAdapter);
// Opvolgingsitemfilter Spinner en adapter definieren
Spinner oItemFilterSpinner = (Spinner) findViewById(R.id.spinr_oitem);
// OpvolgingsitemfilterAdapter obv ListItemHelper
ArrayAdapter<ListItemHelper> oItemFilterAdapter = new ArrayAdapter(this,
android.R.layout.simple_spinner_item);
oItemFilterAdapter.setDropDownViewResource(android.R.layout.simple_spinner_dropdown_item);
// Opvolgingsitemfilter invullen
oItemFilterAdapter.add(new ListItemHelper(SpecificData.NO_OPVOLGINGSITEM_FILTER,
"",
StaticData.IDNUMBER_NOT_FOUND));
oItemFilterSpinner.setAdapter(oItemFilterAdapter);
// Recyclerview definieren
RecyclerView recyclerView = findViewById(R.id.recyc_logboek);
final LogboekItemListAdapter logboekAdapter = new LogboekItemListAdapter(this);
recyclerView.setAdapter(logboekAdapter);
recyclerView.setLayoutManager(new LinearLayoutManager(this));
// Recyclerview invullen met logboek items
logboekList.clear();
logboekList.addAll(buildLogboek(StaticData.IDNUMBER_NOT_FOUND, StaticData.IDNUMBER_NOT_FOUND));
logboekAdapter.setItemList(logboekList);
if (logboekList.size() == 0){
Toast.makeText(this,
SpecificData.NO_LOGBOEKITEMS_YET,
Toast.LENGTH_LONG).show();
}
// selection listener activeren, moet gebueren nadat de adapter gekoppeld is aan de spinner !!
rubriekFilterSpinner.setOnItemSelectedListener(new AdapterView.OnItemSelectedListener() {
@Override
public void onItemSelected(AdapterView<?> adapterView, View view, int i, long l) {
ListItemHelper selHelper = (ListItemHelper) adapterView.getItemAtPosition(i);
filterRubriekID = selHelper.getItemID();
// Als er een rubriekID geselecteerd
if (filterRubriekID.getId() != StaticData.IDNUMBER_NOT_FOUND.getId()){
// Clearen van filter opvolgingsitem
filterOItemID = StaticData.IDNUMBER_NOT_FOUND;
// Spinner selectie zetten
//rubriekFilterSpinner.setSelection(i, false);
// Inhoud vd opvolgingsitem filter bepalen adhv gekozen rubriek
oItemFilterAdapter.clear();
oItemFilterAdapter.add(new ListItemHelper(SpecificData.NO_OPVOLGINGSITEM_FILTER,
"",
StaticData.IDNUMBER_NOT_FOUND));
oItemFilterAdapter.addAll(viewModel.getOpvolgingsItemItemListByRubriekID(filterRubriekID));
oItemFilterSpinner.setAdapter(oItemFilterAdapter);
}
// Inhoud vd logboek bepalen adhv gekozen filters
logboekList.clear();
logboekList.addAll(buildLogboek(filterRubriekID, filterOItemID));
logboekAdapter.setItemList(logboekList);
recyclerView.setAdapter(logboekAdapter);
}
@Override
public void onNothingSelected(AdapterView<?> adapterView) {
}
});
oItemFilterSpinner.setOnItemSelectedListener(new AdapterView.OnItemSelectedListener() {
@Override
public void onItemSelected(AdapterView<?> adapterView, View view, int i, long l) {
ListItemHelper selHelper = (ListItemHelper) adapterView.getItemAtPosition(i);
filterOItemID = selHelper.getItemID();
// Spinner selectie zetten
//oItemFilterSpinner.setSelection(i, false);
// Inhoud vd logboek bepalen adhv gekozen filters
logboekList.clear();
logboekList.addAll(buildLogboek(filterRubriekID, filterOItemID));
logboekAdapter.setItemList(logboekList);
recyclerView.setAdapter(logboekAdapter);
}
@Override
public void onNothingSelected(AdapterView<?> adapterView) {
}
});
}
private List<ListItemTwoLinesHelper> buildLogboek(IDNumber rubriekID, IDNumber oItemID){
List<ListItemTwoLinesHelper> logboekList = new ArrayList<>();
String item1;
String item2;
Log log;
Rubriek rubriekLog;
Opvolgingsitem opvolgingsitemLog;
String rubriekLogName = "";
String oItemLogName = "";
int indexhelp;
// Bepaal voor elke logitem dat voldoet, lijn1 & 2
for (int i = 0; i < viewModel.getLogList().size(); i++) {
log = viewModel.getLogList().get(i);
if ((rubriekID.getId() == StaticData.IDNUMBER_NOT_FOUND.getId()
|| (log.getRubriekId().getId() == rubriekID.getId()))
&& (oItemID.getId() == StaticData.IDNUMBER_NOT_FOUND.getId()
|| (log.getItemId().getId() == oItemID.getId()))){
// Ophalen rubriek en opvolgingsitem
rubriekLog = viewModel.getRubriekById(log.getRubriekId());
opvolgingsitemLog = viewModel.getOpvolgingsitemById(log.getItemId());
// Bepaal lijn1
item1 = log.getLogDate().getFormatDate() + ": ";
// Als rubriek filter niet ingevuld is, moet rubriek name in lijn 1 gezet worden
if ((rubriekLog != null)
&& (rubriekID.getId() == StaticData.IDNUMBER_NOT_FOUND.getId())){
rubriekLogName = rubriekLog.getEntityName();
item1 = item1.concat(rubriekLogName).concat(": ");
}
// Opvolgingsitem kan null zijn !
if ((opvolgingsitemLog != null)
&& (oItemID.getId() == StaticData.IDNUMBER_NOT_FOUND.getId())){
oItemLogName = opvolgingsitemLog.getEntityName();
item1 = item1.concat(oItemLogName);
}
// Vul tweede lijn in
item2 = log.getLogDescTrunc(70);
// Creer logboekitem en steek in list
logboekList.add(new ListItemTwoLinesHelper(item1,
item2,
"",
log.getEntityId(),
rubriekLogName,
oItemLogName,
log.getLogDate().getIntDate()));
}
}
// Logboeklist sorteren op rubriek, oitem en datum
// Er wordt gesorteerd op de rubriekId en de opvolgingsitemId ipv op naam !!
ListItemTwoLinesHelper temp = new ListItemTwoLinesHelper();
String sortf11, sortf12 ,sortf21, sortf22;
int sortf31, sortf32;
int testint1, testint2;
for (int i = logboekList.size() ; i > 0 ; i--) {
for (int j = 1 ; j < i ; j++) {
sortf11 = logboekList.get(j-1).getSortField1();
sortf12 = logboekList.get(j).getSortField1();
sortf21 = logboekList.get(j-1).getSortField2();
sortf22 = logboekList.get(j).getSortField2();
sortf31 = logboekList.get(j-1).getSortField3();
sortf32 = logboekList.get(j).getSortField3();
testint1 = sortf11.compareToIgnoreCase(sortf12);
testint2 = sortf21.compareToIgnoreCase(sortf22);
if ((sortf11.compareToIgnoreCase(sortf12) > 0)
|| ((sortf11.compareToIgnoreCase(sortf12) == 0) && (sortf21.compareToIgnoreCase(sortf22) > 0))
|| ((sortf11.compareToIgnoreCase(sortf12) == 0) && (sortf21.compareToIgnoreCase(sortf22) == 0) && (sortf31 < sortf32))) {
// wisselen
temp.setLogItem(logboekList.get(j));
logboekList.get(j).setLogItem(logboekList.get(j-1));
logboekList.get(j-1).setLogItem(temp);
}
}
}
return logboekList;
}
@Override
public void onItemSelected(AdapterView<?> adapterView, View view, int i, long l) {
}
@Override
public void onNothingSelected(AdapterView<?> adapterView) {
}
} | JavaAppsJM/appItemBord | src/main/java/be/hvwebsites/itembord/Logboek.java | 3,585 | // selection listener activeren, moet gebueren nadat de adapter gekoppeld is aan de spinner !! | line_comment | nl | package be.hvwebsites.itembord;
import androidx.appcompat.app.AppCompatActivity;
import androidx.lifecycle.ViewModelProvider;
import androidx.recyclerview.widget.LinearLayoutManager;
import androidx.recyclerview.widget.RecyclerView;
import android.content.Intent;
import android.os.Build;
import android.os.Bundle;
import android.view.View;
import android.widget.AdapterView;
import android.widget.ArrayAdapter;
import android.widget.Spinner;
import android.widget.Toast;
import com.google.android.material.floatingactionbutton.FloatingActionButton;
import java.util.ArrayList;
import java.util.List;
import be.hvwebsites.itembord.adapters.LogboekItemListAdapter;
import be.hvwebsites.itembord.constants.SpecificData;
import be.hvwebsites.itembord.entities.Log;
import be.hvwebsites.itembord.entities.Opvolgingsitem;
import be.hvwebsites.itembord.entities.Rubriek;
import be.hvwebsites.itembord.helpers.ListItemTwoLinesHelper;
import be.hvwebsites.itembord.services.FileBaseService;
import be.hvwebsites.itembord.services.FileBaseServiceOld;
import be.hvwebsites.itembord.viewmodels.EntitiesViewModel;
import be.hvwebsites.libraryandroid4.helpers.IDNumber;
import be.hvwebsites.libraryandroid4.helpers.ListItemHelper;
import be.hvwebsites.libraryandroid4.returninfo.ReturnInfo;
import be.hvwebsites.libraryandroid4.statics.StaticData;
public class Logboek extends AppCompatActivity implements AdapterView.OnItemSelectedListener{
private EntitiesViewModel viewModel;
private List<ListItemTwoLinesHelper> logboekList = new ArrayList<>();
// Filters
private IDNumber filterRubriekID = new IDNumber(StaticData.IDNUMBER_NOT_FOUND.getId());
private IDNumber filterOItemID = new IDNumber(StaticData.IDNUMBER_NOT_FOUND.getId());
// Device
private final String deviceModel = Build.MODEL;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_logboek);
// Creer een filebase service, bepaalt file base directory obv device en Context
FileBaseService fileBaseService = new FileBaseService(deviceModel, this);
// Data ophalen
// Get a viewmodel from the viewmodelproviders
viewModel = new ViewModelProvider(this).get(EntitiesViewModel.class);
// Basis directory definitie
String baseDir = fileBaseService.getFileBaseDir();
// Initialize viewmodel mt basis directory (data wordt opgehaald in viewmodel)
List<ReturnInfo> viewModelRetInfo = viewModel.initializeViewModel(baseDir);
// Display return msg(s)
for (int i = 0; i < viewModelRetInfo.size(); i++) {
Toast.makeText(getApplicationContext(),
viewModelRetInfo.get(i).getReturnMessage(),
Toast.LENGTH_SHORT).show();
}
// Rubriekfilter Spinner en adapter definieren
Spinner rubriekFilterSpinner = (Spinner) findViewById(R.id.spinr_rubriek);
// rubriekfilterAdapter obv ListItemHelper
ArrayAdapter<ListItemHelper> rubriekFilterAdapter = new ArrayAdapter(this,
android.R.layout.simple_spinner_item);
rubriekFilterAdapter.setDropDownViewResource(android.R.layout.simple_spinner_dropdown_item);
// Rubriekfilter vullen met alle rubrieken
rubriekFilterAdapter.add(new ListItemHelper(SpecificData.NO_RUBRIEK_FILTER,
"",
StaticData.IDNUMBER_NOT_FOUND));
rubriekFilterAdapter.addAll(viewModel.getRubriekItemList());
rubriekFilterSpinner.setAdapter(rubriekFilterAdapter);
// Opvolgingsitemfilter Spinner en adapter definieren
Spinner oItemFilterSpinner = (Spinner) findViewById(R.id.spinr_oitem);
// OpvolgingsitemfilterAdapter obv ListItemHelper
ArrayAdapter<ListItemHelper> oItemFilterAdapter = new ArrayAdapter(this,
android.R.layout.simple_spinner_item);
oItemFilterAdapter.setDropDownViewResource(android.R.layout.simple_spinner_dropdown_item);
// Opvolgingsitemfilter invullen
oItemFilterAdapter.add(new ListItemHelper(SpecificData.NO_OPVOLGINGSITEM_FILTER,
"",
StaticData.IDNUMBER_NOT_FOUND));
oItemFilterSpinner.setAdapter(oItemFilterAdapter);
// Recyclerview definieren
RecyclerView recyclerView = findViewById(R.id.recyc_logboek);
final LogboekItemListAdapter logboekAdapter = new LogboekItemListAdapter(this);
recyclerView.setAdapter(logboekAdapter);
recyclerView.setLayoutManager(new LinearLayoutManager(this));
// Recyclerview invullen met logboek items
logboekList.clear();
logboekList.addAll(buildLogboek(StaticData.IDNUMBER_NOT_FOUND, StaticData.IDNUMBER_NOT_FOUND));
logboekAdapter.setItemList(logboekList);
if (logboekList.size() == 0){
Toast.makeText(this,
SpecificData.NO_LOGBOEKITEMS_YET,
Toast.LENGTH_LONG).show();
}
// selection listener<SUF>
rubriekFilterSpinner.setOnItemSelectedListener(new AdapterView.OnItemSelectedListener() {
@Override
public void onItemSelected(AdapterView<?> adapterView, View view, int i, long l) {
ListItemHelper selHelper = (ListItemHelper) adapterView.getItemAtPosition(i);
filterRubriekID = selHelper.getItemID();
// Als er een rubriekID geselecteerd
if (filterRubriekID.getId() != StaticData.IDNUMBER_NOT_FOUND.getId()){
// Clearen van filter opvolgingsitem
filterOItemID = StaticData.IDNUMBER_NOT_FOUND;
// Spinner selectie zetten
//rubriekFilterSpinner.setSelection(i, false);
// Inhoud vd opvolgingsitem filter bepalen adhv gekozen rubriek
oItemFilterAdapter.clear();
oItemFilterAdapter.add(new ListItemHelper(SpecificData.NO_OPVOLGINGSITEM_FILTER,
"",
StaticData.IDNUMBER_NOT_FOUND));
oItemFilterAdapter.addAll(viewModel.getOpvolgingsItemItemListByRubriekID(filterRubriekID));
oItemFilterSpinner.setAdapter(oItemFilterAdapter);
}
// Inhoud vd logboek bepalen adhv gekozen filters
logboekList.clear();
logboekList.addAll(buildLogboek(filterRubriekID, filterOItemID));
logboekAdapter.setItemList(logboekList);
recyclerView.setAdapter(logboekAdapter);
}
@Override
public void onNothingSelected(AdapterView<?> adapterView) {
}
});
oItemFilterSpinner.setOnItemSelectedListener(new AdapterView.OnItemSelectedListener() {
@Override
public void onItemSelected(AdapterView<?> adapterView, View view, int i, long l) {
ListItemHelper selHelper = (ListItemHelper) adapterView.getItemAtPosition(i);
filterOItemID = selHelper.getItemID();
// Spinner selectie zetten
//oItemFilterSpinner.setSelection(i, false);
// Inhoud vd logboek bepalen adhv gekozen filters
logboekList.clear();
logboekList.addAll(buildLogboek(filterRubriekID, filterOItemID));
logboekAdapter.setItemList(logboekList);
recyclerView.setAdapter(logboekAdapter);
}
@Override
public void onNothingSelected(AdapterView<?> adapterView) {
}
});
}
private List<ListItemTwoLinesHelper> buildLogboek(IDNumber rubriekID, IDNumber oItemID){
List<ListItemTwoLinesHelper> logboekList = new ArrayList<>();
String item1;
String item2;
Log log;
Rubriek rubriekLog;
Opvolgingsitem opvolgingsitemLog;
String rubriekLogName = "";
String oItemLogName = "";
int indexhelp;
// Bepaal voor elke logitem dat voldoet, lijn1 & 2
for (int i = 0; i < viewModel.getLogList().size(); i++) {
log = viewModel.getLogList().get(i);
if ((rubriekID.getId() == StaticData.IDNUMBER_NOT_FOUND.getId()
|| (log.getRubriekId().getId() == rubriekID.getId()))
&& (oItemID.getId() == StaticData.IDNUMBER_NOT_FOUND.getId()
|| (log.getItemId().getId() == oItemID.getId()))){
// Ophalen rubriek en opvolgingsitem
rubriekLog = viewModel.getRubriekById(log.getRubriekId());
opvolgingsitemLog = viewModel.getOpvolgingsitemById(log.getItemId());
// Bepaal lijn1
item1 = log.getLogDate().getFormatDate() + ": ";
// Als rubriek filter niet ingevuld is, moet rubriek name in lijn 1 gezet worden
if ((rubriekLog != null)
&& (rubriekID.getId() == StaticData.IDNUMBER_NOT_FOUND.getId())){
rubriekLogName = rubriekLog.getEntityName();
item1 = item1.concat(rubriekLogName).concat(": ");
}
// Opvolgingsitem kan null zijn !
if ((opvolgingsitemLog != null)
&& (oItemID.getId() == StaticData.IDNUMBER_NOT_FOUND.getId())){
oItemLogName = opvolgingsitemLog.getEntityName();
item1 = item1.concat(oItemLogName);
}
// Vul tweede lijn in
item2 = log.getLogDescTrunc(70);
// Creer logboekitem en steek in list
logboekList.add(new ListItemTwoLinesHelper(item1,
item2,
"",
log.getEntityId(),
rubriekLogName,
oItemLogName,
log.getLogDate().getIntDate()));
}
}
// Logboeklist sorteren op rubriek, oitem en datum
// Er wordt gesorteerd op de rubriekId en de opvolgingsitemId ipv op naam !!
ListItemTwoLinesHelper temp = new ListItemTwoLinesHelper();
String sortf11, sortf12 ,sortf21, sortf22;
int sortf31, sortf32;
int testint1, testint2;
for (int i = logboekList.size() ; i > 0 ; i--) {
for (int j = 1 ; j < i ; j++) {
sortf11 = logboekList.get(j-1).getSortField1();
sortf12 = logboekList.get(j).getSortField1();
sortf21 = logboekList.get(j-1).getSortField2();
sortf22 = logboekList.get(j).getSortField2();
sortf31 = logboekList.get(j-1).getSortField3();
sortf32 = logboekList.get(j).getSortField3();
testint1 = sortf11.compareToIgnoreCase(sortf12);
testint2 = sortf21.compareToIgnoreCase(sortf22);
if ((sortf11.compareToIgnoreCase(sortf12) > 0)
|| ((sortf11.compareToIgnoreCase(sortf12) == 0) && (sortf21.compareToIgnoreCase(sortf22) > 0))
|| ((sortf11.compareToIgnoreCase(sortf12) == 0) && (sortf21.compareToIgnoreCase(sortf22) == 0) && (sortf31 < sortf32))) {
// wisselen
temp.setLogItem(logboekList.get(j));
logboekList.get(j).setLogItem(logboekList.get(j-1));
logboekList.get(j-1).setLogItem(temp);
}
}
}
return logboekList;
}
@Override
public void onItemSelected(AdapterView<?> adapterView, View view, int i, long l) {
}
@Override
public void onNothingSelected(AdapterView<?> adapterView) {
}
} | True | False | 2,138 | 3,585 | 24 | 21 | 2,969 | 23 | 20 | 2,968 | 21 | 18 | 2,969 | 23 | 20 | 3,502 | 25 | 22 | false | false | false | false | false | true |
1,316 | 115916_0 | package be.pietervandendriessche.magnifier;
import android.content.Context;
import android.support.v7.app.AppCompatActivity;
import android.os.Bundle;
import android.view.MotionEvent;
import android.view.View;
import android.view.accessibility.AccessibilityManager;
import android.widget.Magnifier;
import android.widget.TextView;
import java.util.List;
public class MainActivity extends AppCompatActivity {
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
TextView viewText = findViewById(R.id.firstView);
final Magnifier magnifier = new Magnifier(viewText);
viewText.setOnTouchListener(new View.OnTouchListener() {
@Override
public boolean onTouch(View v, MotionEvent event) {
if(event.getAction() == MotionEvent.ACTION_DOWN){
//Bij indrukken element vergroten
magnifier.show(event.getX(),event.getY());
}
else if (event.getAction() == MotionEvent.ACTION_MOVE){
//Bij beweging en indrukken vergroten
magnifier.show(event.getX(),event.getY());
}
else if (event.getAction() == MotionEvent.ACTION_UP){
//Bij opheffen vinger, verwijderen vergrootglas
magnifier.dismiss();
}
return true;
}
});
}
}
| PieterVandendriessche/Bachelorproef-HoGent | code/Android/magnifier/app/src/main/java/be/pietervandendriessche/magnifier/MainActivity.java | 423 | //Bij indrukken element vergroten | line_comment | nl | package be.pietervandendriessche.magnifier;
import android.content.Context;
import android.support.v7.app.AppCompatActivity;
import android.os.Bundle;
import android.view.MotionEvent;
import android.view.View;
import android.view.accessibility.AccessibilityManager;
import android.widget.Magnifier;
import android.widget.TextView;
import java.util.List;
public class MainActivity extends AppCompatActivity {
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
TextView viewText = findViewById(R.id.firstView);
final Magnifier magnifier = new Magnifier(viewText);
viewText.setOnTouchListener(new View.OnTouchListener() {
@Override
public boolean onTouch(View v, MotionEvent event) {
if(event.getAction() == MotionEvent.ACTION_DOWN){
//Bij indrukken<SUF>
magnifier.show(event.getX(),event.getY());
}
else if (event.getAction() == MotionEvent.ACTION_MOVE){
//Bij beweging en indrukken vergroten
magnifier.show(event.getX(),event.getY());
}
else if (event.getAction() == MotionEvent.ACTION_UP){
//Bij opheffen vinger, verwijderen vergrootglas
magnifier.dismiss();
}
return true;
}
});
}
}
| True | False | 2,139 | 423 | 10 | 9 | 348 | 11 | 10 | 351 | 9 | 8 | 348 | 11 | 10 | 406 | 11 | 10 | false | false | false | false | false | true |
509 | 48663_0 | package nl.geostandaarden.imx.orchestrate.source.rest.executor;
import lombok.AccessLevel;
import lombok.RequiredArgsConstructor;
import nl.geostandaarden.imx.orchestrate.engine.exchange.AbstractDataRequest;
import nl.geostandaarden.imx.orchestrate.source.rest.Result.AbstractResult;
import nl.geostandaarden.imx.orchestrate.source.rest.Result.BatchResult;
import nl.geostandaarden.imx.orchestrate.source.rest.Result.CollectionResult;
import nl.geostandaarden.imx.orchestrate.source.rest.Result.ObjectResult;
import nl.geostandaarden.imx.orchestrate.source.rest.config.RestOrchestrateConfig;
import org.springframework.core.ParameterizedTypeReference;
import org.springframework.http.MediaType;
import org.springframework.web.reactive.function.client.WebClient;
import reactor.core.publisher.Mono;
import java.util.*;
@SuppressWarnings("SpellCheckingInspection")
@RequiredArgsConstructor(access = AccessLevel.PUBLIC)
public class RemoteExecutor implements ApiExecutor {
private final WebClient webClient;
static AbstractResult requestType;
public static RemoteExecutor create(RestOrchestrateConfig config) {
return new RemoteExecutor(RestWebClient.create(config));
}
@Override
public Mono<AbstractResult> execute(Map<String, Object> requestedData, AbstractDataRequest objectRequest) {
requestType = getRequestType(objectRequest);
var mapTypeRef = new ParameterizedTypeReference<Map<String, Object>>() {};
return this.webClient.get()
.uri(createUri(requestedData))
.accept(MediaType.valueOf("application/hal+json"))
.retrieve()
.bodyToMono(mapTypeRef)
.map(RemoteExecutor::mapToResult);
}
static AbstractResult getRequestType(AbstractDataRequest objectRequest) {
if (objectRequest == null) {
return null;
}
return switch (objectRequest.getClass().getName()) {
case "nl.geostandaarden.imx.orchestrate.engine.exchange.CollectionRequest" -> new CollectionResult(null);
case "nl.geostandaarden.imx.orchestrate.engine.exchange.ObjectRequest" -> new ObjectResult(null);
case "nl.geostandaarden.imx.orchestrate.engine.exchange.BatchRequest" -> new BatchResult(null);
default -> null;
};
}
static String createUri(Map<String, Object> requestedData) {
if (requestedData == null)
return "";
if (requestedData.size() != 1)
return "";
//Haal het eerste item uit de map, je kunt immers maar 1 ding in het URI plakken om op te zoeken
Map.Entry<String, Object> entry = requestedData.entrySet().iterator().next();
var key = requestedData.keySet().iterator().next();
var value = entry.getValue();
if(key.equals("identificatie")){
value = "?openbaarLichaam=" + value;
} else {
value = "/" + value;
}
return (value.toString());
}
static AbstractResult mapToResult(Map<String, Object> body) {
AbstractResult result;
ArrayList<LinkedHashMap<String, Object>> resultlist = new ArrayList<>();
//Als de return body meer als 2 items heeft (meer als _embedded en _links) dan is het een enkel resultaat uit een zoek query
if(body.size() > 2 ){
resultlist.add((LinkedHashMap<String, Object>) body);
result = new ObjectResult(null);
result.data = resultlist;
return result;
}
if (requestType instanceof CollectionResult) {
result = new CollectionResult(null);
} else if (requestType instanceof BatchResult) {
result = new BatchResult(null);
} else if (requestType instanceof ObjectResult) {
result = new ObjectResult(null);
} else {
result = null;
}
if (body.containsKey("_embedded")) {
Object embeddedObject = body.get("_embedded");
if (embeddedObject instanceof LinkedHashMap) {
LinkedHashMap<String, Object> embeddedMap = (LinkedHashMap<String, Object>) embeddedObject;
Iterator<String> iterator = embeddedMap.keySet().iterator();
Object bodyListObject = embeddedMap.get(iterator.hasNext() ? iterator.next() : "defaultKey");
if (bodyListObject instanceof ArrayList) {
ArrayList<?> bodyList = (ArrayList<?>) bodyListObject;
for (Object item : bodyList) {
if (item instanceof LinkedHashMap) {
resultlist.add((LinkedHashMap<String, Object>) item);
}
}
}
}
}
if (result != null) {
result.data = resultlist;
}
return result;
}
}
| Faalangst26/imx-orchestrate-quadaster | source-rest/src/main/java/nl/geostandaarden/imx/orchestrate/source/rest/executor/RemoteExecutor.java | 1,307 | //Haal het eerste item uit de map, je kunt immers maar 1 ding in het URI plakken om op te zoeken | line_comment | nl | package nl.geostandaarden.imx.orchestrate.source.rest.executor;
import lombok.AccessLevel;
import lombok.RequiredArgsConstructor;
import nl.geostandaarden.imx.orchestrate.engine.exchange.AbstractDataRequest;
import nl.geostandaarden.imx.orchestrate.source.rest.Result.AbstractResult;
import nl.geostandaarden.imx.orchestrate.source.rest.Result.BatchResult;
import nl.geostandaarden.imx.orchestrate.source.rest.Result.CollectionResult;
import nl.geostandaarden.imx.orchestrate.source.rest.Result.ObjectResult;
import nl.geostandaarden.imx.orchestrate.source.rest.config.RestOrchestrateConfig;
import org.springframework.core.ParameterizedTypeReference;
import org.springframework.http.MediaType;
import org.springframework.web.reactive.function.client.WebClient;
import reactor.core.publisher.Mono;
import java.util.*;
@SuppressWarnings("SpellCheckingInspection")
@RequiredArgsConstructor(access = AccessLevel.PUBLIC)
public class RemoteExecutor implements ApiExecutor {
private final WebClient webClient;
static AbstractResult requestType;
public static RemoteExecutor create(RestOrchestrateConfig config) {
return new RemoteExecutor(RestWebClient.create(config));
}
@Override
public Mono<AbstractResult> execute(Map<String, Object> requestedData, AbstractDataRequest objectRequest) {
requestType = getRequestType(objectRequest);
var mapTypeRef = new ParameterizedTypeReference<Map<String, Object>>() {};
return this.webClient.get()
.uri(createUri(requestedData))
.accept(MediaType.valueOf("application/hal+json"))
.retrieve()
.bodyToMono(mapTypeRef)
.map(RemoteExecutor::mapToResult);
}
static AbstractResult getRequestType(AbstractDataRequest objectRequest) {
if (objectRequest == null) {
return null;
}
return switch (objectRequest.getClass().getName()) {
case "nl.geostandaarden.imx.orchestrate.engine.exchange.CollectionRequest" -> new CollectionResult(null);
case "nl.geostandaarden.imx.orchestrate.engine.exchange.ObjectRequest" -> new ObjectResult(null);
case "nl.geostandaarden.imx.orchestrate.engine.exchange.BatchRequest" -> new BatchResult(null);
default -> null;
};
}
static String createUri(Map<String, Object> requestedData) {
if (requestedData == null)
return "";
if (requestedData.size() != 1)
return "";
//Haal het<SUF>
Map.Entry<String, Object> entry = requestedData.entrySet().iterator().next();
var key = requestedData.keySet().iterator().next();
var value = entry.getValue();
if(key.equals("identificatie")){
value = "?openbaarLichaam=" + value;
} else {
value = "/" + value;
}
return (value.toString());
}
static AbstractResult mapToResult(Map<String, Object> body) {
AbstractResult result;
ArrayList<LinkedHashMap<String, Object>> resultlist = new ArrayList<>();
//Als de return body meer als 2 items heeft (meer als _embedded en _links) dan is het een enkel resultaat uit een zoek query
if(body.size() > 2 ){
resultlist.add((LinkedHashMap<String, Object>) body);
result = new ObjectResult(null);
result.data = resultlist;
return result;
}
if (requestType instanceof CollectionResult) {
result = new CollectionResult(null);
} else if (requestType instanceof BatchResult) {
result = new BatchResult(null);
} else if (requestType instanceof ObjectResult) {
result = new ObjectResult(null);
} else {
result = null;
}
if (body.containsKey("_embedded")) {
Object embeddedObject = body.get("_embedded");
if (embeddedObject instanceof LinkedHashMap) {
LinkedHashMap<String, Object> embeddedMap = (LinkedHashMap<String, Object>) embeddedObject;
Iterator<String> iterator = embeddedMap.keySet().iterator();
Object bodyListObject = embeddedMap.get(iterator.hasNext() ? iterator.next() : "defaultKey");
if (bodyListObject instanceof ArrayList) {
ArrayList<?> bodyList = (ArrayList<?>) bodyListObject;
for (Object item : bodyList) {
if (item instanceof LinkedHashMap) {
resultlist.add((LinkedHashMap<String, Object>) item);
}
}
}
}
}
if (result != null) {
result.data = resultlist;
}
return result;
}
}
| True | False | 2,141 | 1,307 | 29 | 25 | 1,115 | 34 | 30 | 1,171 | 26 | 22 | 1,115 | 34 | 30 | 1,311 | 31 | 27 | false | false | false | false | false | true |
4,160 | 12491_4 | package com.epic.score_app.viewlayer;
import android.content.Intent;
import android.os.Bundle;
import android.os.Handler;
import android.os.Message;
import android.support.v7.app.ActionBarActivity;
import android.view.Menu;
import android.view.MenuItem;
import android.widget.TextView;
import com.epic.score_app.serviceslayer.ServiceProvider;
import com.epic.score_app.view.R;
import domainmodel.Player;
public class ViewPlayer extends ActionBarActivity {
private Player player;
private String vn, an, nat, lf, gb, ps, hg, wg, ft;
private TextView voornaam, achternaam, nationaliteit, leeftijd,
geboortedatum, positie, height, weight, foot;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.view_player);
Intent intent = getIntent();
Bundle b = intent.getExtras();
player= (Player)b.getSerializable("player");
voornaam = (TextView) findViewById(R.id.voornaam);
achternaam = (TextView) findViewById(R.id.achternaam);
nationaliteit = (TextView) findViewById(R.id.nationality);
leeftijd = (TextView) findViewById(R.id.leeftijd);
geboortedatum = (TextView) findViewById(R.id.date_of_birth);
positie = (TextView) findViewById(R.id.position);
height = (TextView) findViewById(R.id.height);
weight = (TextView) findViewById(R.id.weight);
foot = (TextView) findViewById(R.id.foot);
}
@Override
protected void onStart() {
Bundle b = new Bundle();
b.putInt("requestcode", ServiceProvider.getLazyPlayer);
b.putLong("player_id", player.getPlayer_id());
ServiceProvider.getInsance().getData(b,handler);
super.onStart();
}
@Override
public boolean onCreateOptionsMenu(Menu menu) {
// Inflate the menu; this adds items to the action bar if it is present.
//getMenuInflater().inflate(R.menu.view_player, menu);
return true;
}
@Override
public boolean onOptionsItemSelected(MenuItem item) {
// Handle action bar item clicks here. The action bar will
// automatically handle clicks on the Home/Up button, so long
// as you specify a parent activity in AndroidManifest.xml.
int id = item.getItemId();
if (id == R.id.action_settings) {
return true;
}
return super.onOptionsItemSelected(item);
}
private Handler handler = new Handler(){
public void handleMessage(Message msg) {
switch (msg.what) {
case ServiceProvider.getLazyPlayer_response:
Player temp = (Player) msg.obj;
vn = player.getName();
an = player.getLastname();
nat = player.getNationality();
lf=temp.getAge();
gb=temp.getDateOfbirth();
ft=temp.getFoot();
hg=temp.getHeight();
wg=temp.getWeight();
if(wg == "null"){
wg = "GEEN GEWICHT BEKEND";
weight.setText(wg);
}else{
weight.setText(wg);
}
ps=temp.getPosition();
if(vn == "null"){
voornaam.setText("GEEN VOORNAAM BEKEND");
}else{
voornaam.setText(vn);
}
if(an == "null"){
achternaam.setText("ACHTERNAAM NIET BEKEND");
}else{
achternaam.setText(an);
}
if(nat == "null"){
nationaliteit.setText("NATIONALITEIT NIET BEKEND");
}else {
nationaliteit.setText(nat);
}
if(lf == "null"){
leeftijd.setText("LEEFTIJD NIET BEKEND");
}else{
leeftijd.setText(lf);
}
if(gb == "null"){
geboortedatum.setText("GEBOORTEDATUM NIET BEKEND");
}else{
geboortedatum.setText(gb);
}
if(ps == "null"){
positie.setText("POSITIE NIET BEKEND");
}else{
positie.setText(ps);
}
if(hg == "null"){
height.setText("LENGTE NIET BEKEND");
}else{
height.setText(hg);
}
if(ft == "null"){
foot.setText("NIET BEKEND");
}else{
foot.setText(ft);
}
//hier moet je de andere atributen can de speler toevoegrn
break;
default:
break;
}
};
};
}
| reuben313/Score_app | src/com/epic/score_app/viewlayer/ViewPlayer.java | 1,463 | //hier moet je de andere atributen can de speler toevoegrn | line_comment | nl | package com.epic.score_app.viewlayer;
import android.content.Intent;
import android.os.Bundle;
import android.os.Handler;
import android.os.Message;
import android.support.v7.app.ActionBarActivity;
import android.view.Menu;
import android.view.MenuItem;
import android.widget.TextView;
import com.epic.score_app.serviceslayer.ServiceProvider;
import com.epic.score_app.view.R;
import domainmodel.Player;
public class ViewPlayer extends ActionBarActivity {
private Player player;
private String vn, an, nat, lf, gb, ps, hg, wg, ft;
private TextView voornaam, achternaam, nationaliteit, leeftijd,
geboortedatum, positie, height, weight, foot;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.view_player);
Intent intent = getIntent();
Bundle b = intent.getExtras();
player= (Player)b.getSerializable("player");
voornaam = (TextView) findViewById(R.id.voornaam);
achternaam = (TextView) findViewById(R.id.achternaam);
nationaliteit = (TextView) findViewById(R.id.nationality);
leeftijd = (TextView) findViewById(R.id.leeftijd);
geboortedatum = (TextView) findViewById(R.id.date_of_birth);
positie = (TextView) findViewById(R.id.position);
height = (TextView) findViewById(R.id.height);
weight = (TextView) findViewById(R.id.weight);
foot = (TextView) findViewById(R.id.foot);
}
@Override
protected void onStart() {
Bundle b = new Bundle();
b.putInt("requestcode", ServiceProvider.getLazyPlayer);
b.putLong("player_id", player.getPlayer_id());
ServiceProvider.getInsance().getData(b,handler);
super.onStart();
}
@Override
public boolean onCreateOptionsMenu(Menu menu) {
// Inflate the menu; this adds items to the action bar if it is present.
//getMenuInflater().inflate(R.menu.view_player, menu);
return true;
}
@Override
public boolean onOptionsItemSelected(MenuItem item) {
// Handle action bar item clicks here. The action bar will
// automatically handle clicks on the Home/Up button, so long
// as you specify a parent activity in AndroidManifest.xml.
int id = item.getItemId();
if (id == R.id.action_settings) {
return true;
}
return super.onOptionsItemSelected(item);
}
private Handler handler = new Handler(){
public void handleMessage(Message msg) {
switch (msg.what) {
case ServiceProvider.getLazyPlayer_response:
Player temp = (Player) msg.obj;
vn = player.getName();
an = player.getLastname();
nat = player.getNationality();
lf=temp.getAge();
gb=temp.getDateOfbirth();
ft=temp.getFoot();
hg=temp.getHeight();
wg=temp.getWeight();
if(wg == "null"){
wg = "GEEN GEWICHT BEKEND";
weight.setText(wg);
}else{
weight.setText(wg);
}
ps=temp.getPosition();
if(vn == "null"){
voornaam.setText("GEEN VOORNAAM BEKEND");
}else{
voornaam.setText(vn);
}
if(an == "null"){
achternaam.setText("ACHTERNAAM NIET BEKEND");
}else{
achternaam.setText(an);
}
if(nat == "null"){
nationaliteit.setText("NATIONALITEIT NIET BEKEND");
}else {
nationaliteit.setText(nat);
}
if(lf == "null"){
leeftijd.setText("LEEFTIJD NIET BEKEND");
}else{
leeftijd.setText(lf);
}
if(gb == "null"){
geboortedatum.setText("GEBOORTEDATUM NIET BEKEND");
}else{
geboortedatum.setText(gb);
}
if(ps == "null"){
positie.setText("POSITIE NIET BEKEND");
}else{
positie.setText(ps);
}
if(hg == "null"){
height.setText("LENGTE NIET BEKEND");
}else{
height.setText(hg);
}
if(ft == "null"){
foot.setText("NIET BEKEND");
}else{
foot.setText(ft);
}
//hier moet<SUF>
break;
default:
break;
}
};
};
}
| True | False | 2,153 | 1,463 | 18 | 17 | 1,238 | 18 | 17 | 1,274 | 17 | 16 | 1,234 | 18 | 17 | 1,611 | 19 | 18 | false | false | false | false | false | true |