file_id
stringlengths 4
10
| content
stringlengths 91
42.8k
| repo
stringlengths 7
108
| path
stringlengths 7
251
| token_length
int64 34
8.19k
| original_comment
stringlengths 11
11.5k
| comment_type
stringclasses 2
values | detected_lang
stringclasses 1
value | prompt
stringlengths 34
42.8k
|
---|---|---|---|---|---|---|---|---|
1691_1 | /* Copyright Alexander Drechsel 2012
* Copyright Kasper Vaessen 2012
* Copyright Niels Visser 2012
*
* This file is part of MusicTable.
*
* MusicTable is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* MusicTable is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with MusicTable. If not, see <http://www.gnu.org/licenses/>.
*/
package playback;
import GUI.ParticlePanel;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.logging.Level;
import java.util.logging.Logger;
import javax.sound.midi.*;
public abstract class GridConfiguration {
protected int velocity;
protected MidiChannel channel;
protected Instrument instrument;
public GridConfiguration(Instrument instrument, int velocity) {
this.velocity = velocity;
this.instrument = instrument;
// configureer kanaal...
this.channel = null;
int channelIndex = GetChannelFor(instrument);
this.channel = Player.getInstance().getSynthesizer().getChannels()[channelIndex];
UseChannel(channelIndex, instrument);
}
public int getVelocity() {
return velocity;
}
public MidiChannel getChannel() {
return this.channel;
}
/**
* Speelt alle (relatieve) noten af
* @param tones Noten, relatief aan het grid (dus 0 is laagste, 9 is hoogste)
* @param vp
*/
public abstract void playTones(List<Integer> tones, ParticlePanel vp);
/**
* Speelt alle meegegeven (absolute) noten af op het eigen kanaal.
* @param tones Lijst van absolute noten (dus 0 is de laagste, 127 is de hoogste)
* @param velocity
* @param vp
*/
protected void playNotesOnChannel(List<Integer> tones, int velocity, ParticlePanel vp) {
for(int tone : tones) {
this.channel.noteOn(tone, velocity);
vp.notePlayed(tone, velocity, null);
}
}
protected static HashMap<Integer, List<Instrument>> channelMap = new HashMap<Integer, List<Instrument>>();
/**
* Registreert channel voor gebruik van opgegeven instrument. Channels die
* in gebruik zijn kunnen niet gepatcht worden. Meerdere registraties per channel
* zijn toegestaan.
* @param channel
* @param instrument
*/
public static void UseChannel(int channel, Instrument instrument) {
if(channelMap.containsKey(channel)) {
List<Instrument> instruments = channelMap.get(channel);
instruments.add(instrument);
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
instruments.add(instrument);
channelMap.put(channel, instruments);
}
}
/**
* Geeft channel vrij van gebruik. Vrije channels kunnen gepatcht worden om
* zo andere geluiden af te kunnen spelen
* @param channel
* @param instrument
*/
public static void FreeChannel(int channel, Instrument instrument) {
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
channelMap.get(targetChannel).remove(instrument);
}
}
/**
* Geeft het eerstvolgende vrije channel terug. Hierop kan een patch uitgevoerd
* worden met PatchChannel
* @return channel index, -1 indien er geen channel beschikbaar is
*/
public static int GetFirstFreeChannel() {
for(int i=0; i<9; i++) {
if(channelMap.containsKey(i)) {
if(channelMap.get(i).isEmpty()) {
return i;
}
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
channelMap.put(i, instruments);
return i;
}
}
return -1;
}
/**
* Retourneert channel voor het aangegeven instrument. Indien er een channel
* in gebruik is met hetzelfde instrument (dus als een andere speler het instrument
* ook heeft) wordt dat channel gereturnd. Indien dat niet het geval is, wordt
* een vrije channel gereturnd (die gepatcht is naar het meegegeven instrument).
* Indien er geen channel vrij is en er geen channels met gelijke instrumenten
* zijn, wordt -1 teruggegeven.
* @param instrument
* @return
*/
public static int GetChannelFor(Instrument instrument) {
if(instrument.getName().toLowerCase().contains("drum")) {
// 9 is het standaardkanaal voor drums
return 9;
}
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
return targetChannel;
}
else {
// channel needs patching
int freeChannel = GetFirstFreeChannel();
if(freeChannel > -1) {
PatchChannel(freeChannel, instrument);
return freeChannel;
}
}
return -1;
}
/**
* Patcht een kanaal met een nieuw instrument.
* @param channel
* @param newInstrument
*/
protected static void PatchChannel(int channel, Instrument newInstrument) {
MidiChannel[] channels = null;
channels = Player.getInstance().getSynthesizer().getChannels();
Patch instrPatch = newInstrument.getPatch();
channels[channel].programChange(instrPatch.getBank(), instrPatch.getProgram());
}
public Instrument getInstrument() {
return instrument;
}
/**
* Geeft de naam van het instrument dat tot deze configuratie behoort
* @return
*/
public String toString() {
return this.instrument.getName();
}
/**
* schakeld alle noten uit van deze configuratie
*/
void muteActiveTones() {
this.channel.allNotesOff();
}
}
| diddle/UED | code/src/playback/GridConfiguration.java | 1,749 | /**
* Speelt alle (relatieve) noten af
* @param tones Noten, relatief aan het grid (dus 0 is laagste, 9 is hoogste)
* @param vp
*/ | block_comment | nl | /* Copyright Alexander Drechsel 2012
* Copyright Kasper Vaessen 2012
* Copyright Niels Visser 2012
*
* This file is part of MusicTable.
*
* MusicTable is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* MusicTable is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with MusicTable. If not, see <http://www.gnu.org/licenses/>.
*/
package playback;
import GUI.ParticlePanel;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.logging.Level;
import java.util.logging.Logger;
import javax.sound.midi.*;
public abstract class GridConfiguration {
protected int velocity;
protected MidiChannel channel;
protected Instrument instrument;
public GridConfiguration(Instrument instrument, int velocity) {
this.velocity = velocity;
this.instrument = instrument;
// configureer kanaal...
this.channel = null;
int channelIndex = GetChannelFor(instrument);
this.channel = Player.getInstance().getSynthesizer().getChannels()[channelIndex];
UseChannel(channelIndex, instrument);
}
public int getVelocity() {
return velocity;
}
public MidiChannel getChannel() {
return this.channel;
}
/**
* Speelt alle (relatieve)<SUF>*/
public abstract void playTones(List<Integer> tones, ParticlePanel vp);
/**
* Speelt alle meegegeven (absolute) noten af op het eigen kanaal.
* @param tones Lijst van absolute noten (dus 0 is de laagste, 127 is de hoogste)
* @param velocity
* @param vp
*/
protected void playNotesOnChannel(List<Integer> tones, int velocity, ParticlePanel vp) {
for(int tone : tones) {
this.channel.noteOn(tone, velocity);
vp.notePlayed(tone, velocity, null);
}
}
protected static HashMap<Integer, List<Instrument>> channelMap = new HashMap<Integer, List<Instrument>>();
/**
* Registreert channel voor gebruik van opgegeven instrument. Channels die
* in gebruik zijn kunnen niet gepatcht worden. Meerdere registraties per channel
* zijn toegestaan.
* @param channel
* @param instrument
*/
public static void UseChannel(int channel, Instrument instrument) {
if(channelMap.containsKey(channel)) {
List<Instrument> instruments = channelMap.get(channel);
instruments.add(instrument);
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
instruments.add(instrument);
channelMap.put(channel, instruments);
}
}
/**
* Geeft channel vrij van gebruik. Vrije channels kunnen gepatcht worden om
* zo andere geluiden af te kunnen spelen
* @param channel
* @param instrument
*/
public static void FreeChannel(int channel, Instrument instrument) {
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
channelMap.get(targetChannel).remove(instrument);
}
}
/**
* Geeft het eerstvolgende vrije channel terug. Hierop kan een patch uitgevoerd
* worden met PatchChannel
* @return channel index, -1 indien er geen channel beschikbaar is
*/
public static int GetFirstFreeChannel() {
for(int i=0; i<9; i++) {
if(channelMap.containsKey(i)) {
if(channelMap.get(i).isEmpty()) {
return i;
}
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
channelMap.put(i, instruments);
return i;
}
}
return -1;
}
/**
* Retourneert channel voor het aangegeven instrument. Indien er een channel
* in gebruik is met hetzelfde instrument (dus als een andere speler het instrument
* ook heeft) wordt dat channel gereturnd. Indien dat niet het geval is, wordt
* een vrije channel gereturnd (die gepatcht is naar het meegegeven instrument).
* Indien er geen channel vrij is en er geen channels met gelijke instrumenten
* zijn, wordt -1 teruggegeven.
* @param instrument
* @return
*/
public static int GetChannelFor(Instrument instrument) {
if(instrument.getName().toLowerCase().contains("drum")) {
// 9 is het standaardkanaal voor drums
return 9;
}
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
return targetChannel;
}
else {
// channel needs patching
int freeChannel = GetFirstFreeChannel();
if(freeChannel > -1) {
PatchChannel(freeChannel, instrument);
return freeChannel;
}
}
return -1;
}
/**
* Patcht een kanaal met een nieuw instrument.
* @param channel
* @param newInstrument
*/
protected static void PatchChannel(int channel, Instrument newInstrument) {
MidiChannel[] channels = null;
channels = Player.getInstance().getSynthesizer().getChannels();
Patch instrPatch = newInstrument.getPatch();
channels[channel].programChange(instrPatch.getBank(), instrPatch.getProgram());
}
public Instrument getInstrument() {
return instrument;
}
/**
* Geeft de naam van het instrument dat tot deze configuratie behoort
* @return
*/
public String toString() {
return this.instrument.getName();
}
/**
* schakeld alle noten uit van deze configuratie
*/
void muteActiveTones() {
this.channel.allNotesOff();
}
}
|
1691_2 | /* Copyright Alexander Drechsel 2012
* Copyright Kasper Vaessen 2012
* Copyright Niels Visser 2012
*
* This file is part of MusicTable.
*
* MusicTable is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* MusicTable is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with MusicTable. If not, see <http://www.gnu.org/licenses/>.
*/
package playback;
import GUI.ParticlePanel;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.logging.Level;
import java.util.logging.Logger;
import javax.sound.midi.*;
public abstract class GridConfiguration {
protected int velocity;
protected MidiChannel channel;
protected Instrument instrument;
public GridConfiguration(Instrument instrument, int velocity) {
this.velocity = velocity;
this.instrument = instrument;
// configureer kanaal...
this.channel = null;
int channelIndex = GetChannelFor(instrument);
this.channel = Player.getInstance().getSynthesizer().getChannels()[channelIndex];
UseChannel(channelIndex, instrument);
}
public int getVelocity() {
return velocity;
}
public MidiChannel getChannel() {
return this.channel;
}
/**
* Speelt alle (relatieve) noten af
* @param tones Noten, relatief aan het grid (dus 0 is laagste, 9 is hoogste)
* @param vp
*/
public abstract void playTones(List<Integer> tones, ParticlePanel vp);
/**
* Speelt alle meegegeven (absolute) noten af op het eigen kanaal.
* @param tones Lijst van absolute noten (dus 0 is de laagste, 127 is de hoogste)
* @param velocity
* @param vp
*/
protected void playNotesOnChannel(List<Integer> tones, int velocity, ParticlePanel vp) {
for(int tone : tones) {
this.channel.noteOn(tone, velocity);
vp.notePlayed(tone, velocity, null);
}
}
protected static HashMap<Integer, List<Instrument>> channelMap = new HashMap<Integer, List<Instrument>>();
/**
* Registreert channel voor gebruik van opgegeven instrument. Channels die
* in gebruik zijn kunnen niet gepatcht worden. Meerdere registraties per channel
* zijn toegestaan.
* @param channel
* @param instrument
*/
public static void UseChannel(int channel, Instrument instrument) {
if(channelMap.containsKey(channel)) {
List<Instrument> instruments = channelMap.get(channel);
instruments.add(instrument);
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
instruments.add(instrument);
channelMap.put(channel, instruments);
}
}
/**
* Geeft channel vrij van gebruik. Vrije channels kunnen gepatcht worden om
* zo andere geluiden af te kunnen spelen
* @param channel
* @param instrument
*/
public static void FreeChannel(int channel, Instrument instrument) {
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
channelMap.get(targetChannel).remove(instrument);
}
}
/**
* Geeft het eerstvolgende vrije channel terug. Hierop kan een patch uitgevoerd
* worden met PatchChannel
* @return channel index, -1 indien er geen channel beschikbaar is
*/
public static int GetFirstFreeChannel() {
for(int i=0; i<9; i++) {
if(channelMap.containsKey(i)) {
if(channelMap.get(i).isEmpty()) {
return i;
}
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
channelMap.put(i, instruments);
return i;
}
}
return -1;
}
/**
* Retourneert channel voor het aangegeven instrument. Indien er een channel
* in gebruik is met hetzelfde instrument (dus als een andere speler het instrument
* ook heeft) wordt dat channel gereturnd. Indien dat niet het geval is, wordt
* een vrije channel gereturnd (die gepatcht is naar het meegegeven instrument).
* Indien er geen channel vrij is en er geen channels met gelijke instrumenten
* zijn, wordt -1 teruggegeven.
* @param instrument
* @return
*/
public static int GetChannelFor(Instrument instrument) {
if(instrument.getName().toLowerCase().contains("drum")) {
// 9 is het standaardkanaal voor drums
return 9;
}
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
return targetChannel;
}
else {
// channel needs patching
int freeChannel = GetFirstFreeChannel();
if(freeChannel > -1) {
PatchChannel(freeChannel, instrument);
return freeChannel;
}
}
return -1;
}
/**
* Patcht een kanaal met een nieuw instrument.
* @param channel
* @param newInstrument
*/
protected static void PatchChannel(int channel, Instrument newInstrument) {
MidiChannel[] channels = null;
channels = Player.getInstance().getSynthesizer().getChannels();
Patch instrPatch = newInstrument.getPatch();
channels[channel].programChange(instrPatch.getBank(), instrPatch.getProgram());
}
public Instrument getInstrument() {
return instrument;
}
/**
* Geeft de naam van het instrument dat tot deze configuratie behoort
* @return
*/
public String toString() {
return this.instrument.getName();
}
/**
* schakeld alle noten uit van deze configuratie
*/
void muteActiveTones() {
this.channel.allNotesOff();
}
}
| diddle/UED | code/src/playback/GridConfiguration.java | 1,749 | /**
* Speelt alle meegegeven (absolute) noten af op het eigen kanaal.
* @param tones Lijst van absolute noten (dus 0 is de laagste, 127 is de hoogste)
* @param velocity
* @param vp
*/ | block_comment | nl | /* Copyright Alexander Drechsel 2012
* Copyright Kasper Vaessen 2012
* Copyright Niels Visser 2012
*
* This file is part of MusicTable.
*
* MusicTable is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* MusicTable is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with MusicTable. If not, see <http://www.gnu.org/licenses/>.
*/
package playback;
import GUI.ParticlePanel;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.logging.Level;
import java.util.logging.Logger;
import javax.sound.midi.*;
public abstract class GridConfiguration {
protected int velocity;
protected MidiChannel channel;
protected Instrument instrument;
public GridConfiguration(Instrument instrument, int velocity) {
this.velocity = velocity;
this.instrument = instrument;
// configureer kanaal...
this.channel = null;
int channelIndex = GetChannelFor(instrument);
this.channel = Player.getInstance().getSynthesizer().getChannels()[channelIndex];
UseChannel(channelIndex, instrument);
}
public int getVelocity() {
return velocity;
}
public MidiChannel getChannel() {
return this.channel;
}
/**
* Speelt alle (relatieve) noten af
* @param tones Noten, relatief aan het grid (dus 0 is laagste, 9 is hoogste)
* @param vp
*/
public abstract void playTones(List<Integer> tones, ParticlePanel vp);
/**
* Speelt alle meegegeven<SUF>*/
protected void playNotesOnChannel(List<Integer> tones, int velocity, ParticlePanel vp) {
for(int tone : tones) {
this.channel.noteOn(tone, velocity);
vp.notePlayed(tone, velocity, null);
}
}
protected static HashMap<Integer, List<Instrument>> channelMap = new HashMap<Integer, List<Instrument>>();
/**
* Registreert channel voor gebruik van opgegeven instrument. Channels die
* in gebruik zijn kunnen niet gepatcht worden. Meerdere registraties per channel
* zijn toegestaan.
* @param channel
* @param instrument
*/
public static void UseChannel(int channel, Instrument instrument) {
if(channelMap.containsKey(channel)) {
List<Instrument> instruments = channelMap.get(channel);
instruments.add(instrument);
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
instruments.add(instrument);
channelMap.put(channel, instruments);
}
}
/**
* Geeft channel vrij van gebruik. Vrije channels kunnen gepatcht worden om
* zo andere geluiden af te kunnen spelen
* @param channel
* @param instrument
*/
public static void FreeChannel(int channel, Instrument instrument) {
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
channelMap.get(targetChannel).remove(instrument);
}
}
/**
* Geeft het eerstvolgende vrije channel terug. Hierop kan een patch uitgevoerd
* worden met PatchChannel
* @return channel index, -1 indien er geen channel beschikbaar is
*/
public static int GetFirstFreeChannel() {
for(int i=0; i<9; i++) {
if(channelMap.containsKey(i)) {
if(channelMap.get(i).isEmpty()) {
return i;
}
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
channelMap.put(i, instruments);
return i;
}
}
return -1;
}
/**
* Retourneert channel voor het aangegeven instrument. Indien er een channel
* in gebruik is met hetzelfde instrument (dus als een andere speler het instrument
* ook heeft) wordt dat channel gereturnd. Indien dat niet het geval is, wordt
* een vrije channel gereturnd (die gepatcht is naar het meegegeven instrument).
* Indien er geen channel vrij is en er geen channels met gelijke instrumenten
* zijn, wordt -1 teruggegeven.
* @param instrument
* @return
*/
public static int GetChannelFor(Instrument instrument) {
if(instrument.getName().toLowerCase().contains("drum")) {
// 9 is het standaardkanaal voor drums
return 9;
}
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
return targetChannel;
}
else {
// channel needs patching
int freeChannel = GetFirstFreeChannel();
if(freeChannel > -1) {
PatchChannel(freeChannel, instrument);
return freeChannel;
}
}
return -1;
}
/**
* Patcht een kanaal met een nieuw instrument.
* @param channel
* @param newInstrument
*/
protected static void PatchChannel(int channel, Instrument newInstrument) {
MidiChannel[] channels = null;
channels = Player.getInstance().getSynthesizer().getChannels();
Patch instrPatch = newInstrument.getPatch();
channels[channel].programChange(instrPatch.getBank(), instrPatch.getProgram());
}
public Instrument getInstrument() {
return instrument;
}
/**
* Geeft de naam van het instrument dat tot deze configuratie behoort
* @return
*/
public String toString() {
return this.instrument.getName();
}
/**
* schakeld alle noten uit van deze configuratie
*/
void muteActiveTones() {
this.channel.allNotesOff();
}
}
|
1691_3 | /* Copyright Alexander Drechsel 2012
* Copyright Kasper Vaessen 2012
* Copyright Niels Visser 2012
*
* This file is part of MusicTable.
*
* MusicTable is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* MusicTable is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with MusicTable. If not, see <http://www.gnu.org/licenses/>.
*/
package playback;
import GUI.ParticlePanel;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.logging.Level;
import java.util.logging.Logger;
import javax.sound.midi.*;
public abstract class GridConfiguration {
protected int velocity;
protected MidiChannel channel;
protected Instrument instrument;
public GridConfiguration(Instrument instrument, int velocity) {
this.velocity = velocity;
this.instrument = instrument;
// configureer kanaal...
this.channel = null;
int channelIndex = GetChannelFor(instrument);
this.channel = Player.getInstance().getSynthesizer().getChannels()[channelIndex];
UseChannel(channelIndex, instrument);
}
public int getVelocity() {
return velocity;
}
public MidiChannel getChannel() {
return this.channel;
}
/**
* Speelt alle (relatieve) noten af
* @param tones Noten, relatief aan het grid (dus 0 is laagste, 9 is hoogste)
* @param vp
*/
public abstract void playTones(List<Integer> tones, ParticlePanel vp);
/**
* Speelt alle meegegeven (absolute) noten af op het eigen kanaal.
* @param tones Lijst van absolute noten (dus 0 is de laagste, 127 is de hoogste)
* @param velocity
* @param vp
*/
protected void playNotesOnChannel(List<Integer> tones, int velocity, ParticlePanel vp) {
for(int tone : tones) {
this.channel.noteOn(tone, velocity);
vp.notePlayed(tone, velocity, null);
}
}
protected static HashMap<Integer, List<Instrument>> channelMap = new HashMap<Integer, List<Instrument>>();
/**
* Registreert channel voor gebruik van opgegeven instrument. Channels die
* in gebruik zijn kunnen niet gepatcht worden. Meerdere registraties per channel
* zijn toegestaan.
* @param channel
* @param instrument
*/
public static void UseChannel(int channel, Instrument instrument) {
if(channelMap.containsKey(channel)) {
List<Instrument> instruments = channelMap.get(channel);
instruments.add(instrument);
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
instruments.add(instrument);
channelMap.put(channel, instruments);
}
}
/**
* Geeft channel vrij van gebruik. Vrije channels kunnen gepatcht worden om
* zo andere geluiden af te kunnen spelen
* @param channel
* @param instrument
*/
public static void FreeChannel(int channel, Instrument instrument) {
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
channelMap.get(targetChannel).remove(instrument);
}
}
/**
* Geeft het eerstvolgende vrije channel terug. Hierop kan een patch uitgevoerd
* worden met PatchChannel
* @return channel index, -1 indien er geen channel beschikbaar is
*/
public static int GetFirstFreeChannel() {
for(int i=0; i<9; i++) {
if(channelMap.containsKey(i)) {
if(channelMap.get(i).isEmpty()) {
return i;
}
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
channelMap.put(i, instruments);
return i;
}
}
return -1;
}
/**
* Retourneert channel voor het aangegeven instrument. Indien er een channel
* in gebruik is met hetzelfde instrument (dus als een andere speler het instrument
* ook heeft) wordt dat channel gereturnd. Indien dat niet het geval is, wordt
* een vrije channel gereturnd (die gepatcht is naar het meegegeven instrument).
* Indien er geen channel vrij is en er geen channels met gelijke instrumenten
* zijn, wordt -1 teruggegeven.
* @param instrument
* @return
*/
public static int GetChannelFor(Instrument instrument) {
if(instrument.getName().toLowerCase().contains("drum")) {
// 9 is het standaardkanaal voor drums
return 9;
}
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
return targetChannel;
}
else {
// channel needs patching
int freeChannel = GetFirstFreeChannel();
if(freeChannel > -1) {
PatchChannel(freeChannel, instrument);
return freeChannel;
}
}
return -1;
}
/**
* Patcht een kanaal met een nieuw instrument.
* @param channel
* @param newInstrument
*/
protected static void PatchChannel(int channel, Instrument newInstrument) {
MidiChannel[] channels = null;
channels = Player.getInstance().getSynthesizer().getChannels();
Patch instrPatch = newInstrument.getPatch();
channels[channel].programChange(instrPatch.getBank(), instrPatch.getProgram());
}
public Instrument getInstrument() {
return instrument;
}
/**
* Geeft de naam van het instrument dat tot deze configuratie behoort
* @return
*/
public String toString() {
return this.instrument.getName();
}
/**
* schakeld alle noten uit van deze configuratie
*/
void muteActiveTones() {
this.channel.allNotesOff();
}
}
| diddle/UED | code/src/playback/GridConfiguration.java | 1,749 | /**
* Registreert channel voor gebruik van opgegeven instrument. Channels die
* in gebruik zijn kunnen niet gepatcht worden. Meerdere registraties per channel
* zijn toegestaan.
* @param channel
* @param instrument
*/ | block_comment | nl | /* Copyright Alexander Drechsel 2012
* Copyright Kasper Vaessen 2012
* Copyright Niels Visser 2012
*
* This file is part of MusicTable.
*
* MusicTable is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* MusicTable is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with MusicTable. If not, see <http://www.gnu.org/licenses/>.
*/
package playback;
import GUI.ParticlePanel;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.logging.Level;
import java.util.logging.Logger;
import javax.sound.midi.*;
public abstract class GridConfiguration {
protected int velocity;
protected MidiChannel channel;
protected Instrument instrument;
public GridConfiguration(Instrument instrument, int velocity) {
this.velocity = velocity;
this.instrument = instrument;
// configureer kanaal...
this.channel = null;
int channelIndex = GetChannelFor(instrument);
this.channel = Player.getInstance().getSynthesizer().getChannels()[channelIndex];
UseChannel(channelIndex, instrument);
}
public int getVelocity() {
return velocity;
}
public MidiChannel getChannel() {
return this.channel;
}
/**
* Speelt alle (relatieve) noten af
* @param tones Noten, relatief aan het grid (dus 0 is laagste, 9 is hoogste)
* @param vp
*/
public abstract void playTones(List<Integer> tones, ParticlePanel vp);
/**
* Speelt alle meegegeven (absolute) noten af op het eigen kanaal.
* @param tones Lijst van absolute noten (dus 0 is de laagste, 127 is de hoogste)
* @param velocity
* @param vp
*/
protected void playNotesOnChannel(List<Integer> tones, int velocity, ParticlePanel vp) {
for(int tone : tones) {
this.channel.noteOn(tone, velocity);
vp.notePlayed(tone, velocity, null);
}
}
protected static HashMap<Integer, List<Instrument>> channelMap = new HashMap<Integer, List<Instrument>>();
/**
* Registreert channel voor<SUF>*/
public static void UseChannel(int channel, Instrument instrument) {
if(channelMap.containsKey(channel)) {
List<Instrument> instruments = channelMap.get(channel);
instruments.add(instrument);
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
instruments.add(instrument);
channelMap.put(channel, instruments);
}
}
/**
* Geeft channel vrij van gebruik. Vrije channels kunnen gepatcht worden om
* zo andere geluiden af te kunnen spelen
* @param channel
* @param instrument
*/
public static void FreeChannel(int channel, Instrument instrument) {
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
channelMap.get(targetChannel).remove(instrument);
}
}
/**
* Geeft het eerstvolgende vrije channel terug. Hierop kan een patch uitgevoerd
* worden met PatchChannel
* @return channel index, -1 indien er geen channel beschikbaar is
*/
public static int GetFirstFreeChannel() {
for(int i=0; i<9; i++) {
if(channelMap.containsKey(i)) {
if(channelMap.get(i).isEmpty()) {
return i;
}
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
channelMap.put(i, instruments);
return i;
}
}
return -1;
}
/**
* Retourneert channel voor het aangegeven instrument. Indien er een channel
* in gebruik is met hetzelfde instrument (dus als een andere speler het instrument
* ook heeft) wordt dat channel gereturnd. Indien dat niet het geval is, wordt
* een vrije channel gereturnd (die gepatcht is naar het meegegeven instrument).
* Indien er geen channel vrij is en er geen channels met gelijke instrumenten
* zijn, wordt -1 teruggegeven.
* @param instrument
* @return
*/
public static int GetChannelFor(Instrument instrument) {
if(instrument.getName().toLowerCase().contains("drum")) {
// 9 is het standaardkanaal voor drums
return 9;
}
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
return targetChannel;
}
else {
// channel needs patching
int freeChannel = GetFirstFreeChannel();
if(freeChannel > -1) {
PatchChannel(freeChannel, instrument);
return freeChannel;
}
}
return -1;
}
/**
* Patcht een kanaal met een nieuw instrument.
* @param channel
* @param newInstrument
*/
protected static void PatchChannel(int channel, Instrument newInstrument) {
MidiChannel[] channels = null;
channels = Player.getInstance().getSynthesizer().getChannels();
Patch instrPatch = newInstrument.getPatch();
channels[channel].programChange(instrPatch.getBank(), instrPatch.getProgram());
}
public Instrument getInstrument() {
return instrument;
}
/**
* Geeft de naam van het instrument dat tot deze configuratie behoort
* @return
*/
public String toString() {
return this.instrument.getName();
}
/**
* schakeld alle noten uit van deze configuratie
*/
void muteActiveTones() {
this.channel.allNotesOff();
}
}
|
1691_4 | /* Copyright Alexander Drechsel 2012
* Copyright Kasper Vaessen 2012
* Copyright Niels Visser 2012
*
* This file is part of MusicTable.
*
* MusicTable is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* MusicTable is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with MusicTable. If not, see <http://www.gnu.org/licenses/>.
*/
package playback;
import GUI.ParticlePanel;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.logging.Level;
import java.util.logging.Logger;
import javax.sound.midi.*;
public abstract class GridConfiguration {
protected int velocity;
protected MidiChannel channel;
protected Instrument instrument;
public GridConfiguration(Instrument instrument, int velocity) {
this.velocity = velocity;
this.instrument = instrument;
// configureer kanaal...
this.channel = null;
int channelIndex = GetChannelFor(instrument);
this.channel = Player.getInstance().getSynthesizer().getChannels()[channelIndex];
UseChannel(channelIndex, instrument);
}
public int getVelocity() {
return velocity;
}
public MidiChannel getChannel() {
return this.channel;
}
/**
* Speelt alle (relatieve) noten af
* @param tones Noten, relatief aan het grid (dus 0 is laagste, 9 is hoogste)
* @param vp
*/
public abstract void playTones(List<Integer> tones, ParticlePanel vp);
/**
* Speelt alle meegegeven (absolute) noten af op het eigen kanaal.
* @param tones Lijst van absolute noten (dus 0 is de laagste, 127 is de hoogste)
* @param velocity
* @param vp
*/
protected void playNotesOnChannel(List<Integer> tones, int velocity, ParticlePanel vp) {
for(int tone : tones) {
this.channel.noteOn(tone, velocity);
vp.notePlayed(tone, velocity, null);
}
}
protected static HashMap<Integer, List<Instrument>> channelMap = new HashMap<Integer, List<Instrument>>();
/**
* Registreert channel voor gebruik van opgegeven instrument. Channels die
* in gebruik zijn kunnen niet gepatcht worden. Meerdere registraties per channel
* zijn toegestaan.
* @param channel
* @param instrument
*/
public static void UseChannel(int channel, Instrument instrument) {
if(channelMap.containsKey(channel)) {
List<Instrument> instruments = channelMap.get(channel);
instruments.add(instrument);
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
instruments.add(instrument);
channelMap.put(channel, instruments);
}
}
/**
* Geeft channel vrij van gebruik. Vrije channels kunnen gepatcht worden om
* zo andere geluiden af te kunnen spelen
* @param channel
* @param instrument
*/
public static void FreeChannel(int channel, Instrument instrument) {
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
channelMap.get(targetChannel).remove(instrument);
}
}
/**
* Geeft het eerstvolgende vrije channel terug. Hierop kan een patch uitgevoerd
* worden met PatchChannel
* @return channel index, -1 indien er geen channel beschikbaar is
*/
public static int GetFirstFreeChannel() {
for(int i=0; i<9; i++) {
if(channelMap.containsKey(i)) {
if(channelMap.get(i).isEmpty()) {
return i;
}
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
channelMap.put(i, instruments);
return i;
}
}
return -1;
}
/**
* Retourneert channel voor het aangegeven instrument. Indien er een channel
* in gebruik is met hetzelfde instrument (dus als een andere speler het instrument
* ook heeft) wordt dat channel gereturnd. Indien dat niet het geval is, wordt
* een vrije channel gereturnd (die gepatcht is naar het meegegeven instrument).
* Indien er geen channel vrij is en er geen channels met gelijke instrumenten
* zijn, wordt -1 teruggegeven.
* @param instrument
* @return
*/
public static int GetChannelFor(Instrument instrument) {
if(instrument.getName().toLowerCase().contains("drum")) {
// 9 is het standaardkanaal voor drums
return 9;
}
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
return targetChannel;
}
else {
// channel needs patching
int freeChannel = GetFirstFreeChannel();
if(freeChannel > -1) {
PatchChannel(freeChannel, instrument);
return freeChannel;
}
}
return -1;
}
/**
* Patcht een kanaal met een nieuw instrument.
* @param channel
* @param newInstrument
*/
protected static void PatchChannel(int channel, Instrument newInstrument) {
MidiChannel[] channels = null;
channels = Player.getInstance().getSynthesizer().getChannels();
Patch instrPatch = newInstrument.getPatch();
channels[channel].programChange(instrPatch.getBank(), instrPatch.getProgram());
}
public Instrument getInstrument() {
return instrument;
}
/**
* Geeft de naam van het instrument dat tot deze configuratie behoort
* @return
*/
public String toString() {
return this.instrument.getName();
}
/**
* schakeld alle noten uit van deze configuratie
*/
void muteActiveTones() {
this.channel.allNotesOff();
}
}
| diddle/UED | code/src/playback/GridConfiguration.java | 1,749 | /**
* Geeft channel vrij van gebruik. Vrije channels kunnen gepatcht worden om
* zo andere geluiden af te kunnen spelen
* @param channel
* @param instrument
*/ | block_comment | nl | /* Copyright Alexander Drechsel 2012
* Copyright Kasper Vaessen 2012
* Copyright Niels Visser 2012
*
* This file is part of MusicTable.
*
* MusicTable is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* MusicTable is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with MusicTable. If not, see <http://www.gnu.org/licenses/>.
*/
package playback;
import GUI.ParticlePanel;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.logging.Level;
import java.util.logging.Logger;
import javax.sound.midi.*;
public abstract class GridConfiguration {
protected int velocity;
protected MidiChannel channel;
protected Instrument instrument;
public GridConfiguration(Instrument instrument, int velocity) {
this.velocity = velocity;
this.instrument = instrument;
// configureer kanaal...
this.channel = null;
int channelIndex = GetChannelFor(instrument);
this.channel = Player.getInstance().getSynthesizer().getChannels()[channelIndex];
UseChannel(channelIndex, instrument);
}
public int getVelocity() {
return velocity;
}
public MidiChannel getChannel() {
return this.channel;
}
/**
* Speelt alle (relatieve) noten af
* @param tones Noten, relatief aan het grid (dus 0 is laagste, 9 is hoogste)
* @param vp
*/
public abstract void playTones(List<Integer> tones, ParticlePanel vp);
/**
* Speelt alle meegegeven (absolute) noten af op het eigen kanaal.
* @param tones Lijst van absolute noten (dus 0 is de laagste, 127 is de hoogste)
* @param velocity
* @param vp
*/
protected void playNotesOnChannel(List<Integer> tones, int velocity, ParticlePanel vp) {
for(int tone : tones) {
this.channel.noteOn(tone, velocity);
vp.notePlayed(tone, velocity, null);
}
}
protected static HashMap<Integer, List<Instrument>> channelMap = new HashMap<Integer, List<Instrument>>();
/**
* Registreert channel voor gebruik van opgegeven instrument. Channels die
* in gebruik zijn kunnen niet gepatcht worden. Meerdere registraties per channel
* zijn toegestaan.
* @param channel
* @param instrument
*/
public static void UseChannel(int channel, Instrument instrument) {
if(channelMap.containsKey(channel)) {
List<Instrument> instruments = channelMap.get(channel);
instruments.add(instrument);
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
instruments.add(instrument);
channelMap.put(channel, instruments);
}
}
/**
* Geeft channel vrij<SUF>*/
public static void FreeChannel(int channel, Instrument instrument) {
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
channelMap.get(targetChannel).remove(instrument);
}
}
/**
* Geeft het eerstvolgende vrije channel terug. Hierop kan een patch uitgevoerd
* worden met PatchChannel
* @return channel index, -1 indien er geen channel beschikbaar is
*/
public static int GetFirstFreeChannel() {
for(int i=0; i<9; i++) {
if(channelMap.containsKey(i)) {
if(channelMap.get(i).isEmpty()) {
return i;
}
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
channelMap.put(i, instruments);
return i;
}
}
return -1;
}
/**
* Retourneert channel voor het aangegeven instrument. Indien er een channel
* in gebruik is met hetzelfde instrument (dus als een andere speler het instrument
* ook heeft) wordt dat channel gereturnd. Indien dat niet het geval is, wordt
* een vrije channel gereturnd (die gepatcht is naar het meegegeven instrument).
* Indien er geen channel vrij is en er geen channels met gelijke instrumenten
* zijn, wordt -1 teruggegeven.
* @param instrument
* @return
*/
public static int GetChannelFor(Instrument instrument) {
if(instrument.getName().toLowerCase().contains("drum")) {
// 9 is het standaardkanaal voor drums
return 9;
}
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
return targetChannel;
}
else {
// channel needs patching
int freeChannel = GetFirstFreeChannel();
if(freeChannel > -1) {
PatchChannel(freeChannel, instrument);
return freeChannel;
}
}
return -1;
}
/**
* Patcht een kanaal met een nieuw instrument.
* @param channel
* @param newInstrument
*/
protected static void PatchChannel(int channel, Instrument newInstrument) {
MidiChannel[] channels = null;
channels = Player.getInstance().getSynthesizer().getChannels();
Patch instrPatch = newInstrument.getPatch();
channels[channel].programChange(instrPatch.getBank(), instrPatch.getProgram());
}
public Instrument getInstrument() {
return instrument;
}
/**
* Geeft de naam van het instrument dat tot deze configuratie behoort
* @return
*/
public String toString() {
return this.instrument.getName();
}
/**
* schakeld alle noten uit van deze configuratie
*/
void muteActiveTones() {
this.channel.allNotesOff();
}
}
|
1691_5 | /* Copyright Alexander Drechsel 2012
* Copyright Kasper Vaessen 2012
* Copyright Niels Visser 2012
*
* This file is part of MusicTable.
*
* MusicTable is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* MusicTable is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with MusicTable. If not, see <http://www.gnu.org/licenses/>.
*/
package playback;
import GUI.ParticlePanel;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.logging.Level;
import java.util.logging.Logger;
import javax.sound.midi.*;
public abstract class GridConfiguration {
protected int velocity;
protected MidiChannel channel;
protected Instrument instrument;
public GridConfiguration(Instrument instrument, int velocity) {
this.velocity = velocity;
this.instrument = instrument;
// configureer kanaal...
this.channel = null;
int channelIndex = GetChannelFor(instrument);
this.channel = Player.getInstance().getSynthesizer().getChannels()[channelIndex];
UseChannel(channelIndex, instrument);
}
public int getVelocity() {
return velocity;
}
public MidiChannel getChannel() {
return this.channel;
}
/**
* Speelt alle (relatieve) noten af
* @param tones Noten, relatief aan het grid (dus 0 is laagste, 9 is hoogste)
* @param vp
*/
public abstract void playTones(List<Integer> tones, ParticlePanel vp);
/**
* Speelt alle meegegeven (absolute) noten af op het eigen kanaal.
* @param tones Lijst van absolute noten (dus 0 is de laagste, 127 is de hoogste)
* @param velocity
* @param vp
*/
protected void playNotesOnChannel(List<Integer> tones, int velocity, ParticlePanel vp) {
for(int tone : tones) {
this.channel.noteOn(tone, velocity);
vp.notePlayed(tone, velocity, null);
}
}
protected static HashMap<Integer, List<Instrument>> channelMap = new HashMap<Integer, List<Instrument>>();
/**
* Registreert channel voor gebruik van opgegeven instrument. Channels die
* in gebruik zijn kunnen niet gepatcht worden. Meerdere registraties per channel
* zijn toegestaan.
* @param channel
* @param instrument
*/
public static void UseChannel(int channel, Instrument instrument) {
if(channelMap.containsKey(channel)) {
List<Instrument> instruments = channelMap.get(channel);
instruments.add(instrument);
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
instruments.add(instrument);
channelMap.put(channel, instruments);
}
}
/**
* Geeft channel vrij van gebruik. Vrije channels kunnen gepatcht worden om
* zo andere geluiden af te kunnen spelen
* @param channel
* @param instrument
*/
public static void FreeChannel(int channel, Instrument instrument) {
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
channelMap.get(targetChannel).remove(instrument);
}
}
/**
* Geeft het eerstvolgende vrije channel terug. Hierop kan een patch uitgevoerd
* worden met PatchChannel
* @return channel index, -1 indien er geen channel beschikbaar is
*/
public static int GetFirstFreeChannel() {
for(int i=0; i<9; i++) {
if(channelMap.containsKey(i)) {
if(channelMap.get(i).isEmpty()) {
return i;
}
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
channelMap.put(i, instruments);
return i;
}
}
return -1;
}
/**
* Retourneert channel voor het aangegeven instrument. Indien er een channel
* in gebruik is met hetzelfde instrument (dus als een andere speler het instrument
* ook heeft) wordt dat channel gereturnd. Indien dat niet het geval is, wordt
* een vrije channel gereturnd (die gepatcht is naar het meegegeven instrument).
* Indien er geen channel vrij is en er geen channels met gelijke instrumenten
* zijn, wordt -1 teruggegeven.
* @param instrument
* @return
*/
public static int GetChannelFor(Instrument instrument) {
if(instrument.getName().toLowerCase().contains("drum")) {
// 9 is het standaardkanaal voor drums
return 9;
}
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
return targetChannel;
}
else {
// channel needs patching
int freeChannel = GetFirstFreeChannel();
if(freeChannel > -1) {
PatchChannel(freeChannel, instrument);
return freeChannel;
}
}
return -1;
}
/**
* Patcht een kanaal met een nieuw instrument.
* @param channel
* @param newInstrument
*/
protected static void PatchChannel(int channel, Instrument newInstrument) {
MidiChannel[] channels = null;
channels = Player.getInstance().getSynthesizer().getChannels();
Patch instrPatch = newInstrument.getPatch();
channels[channel].programChange(instrPatch.getBank(), instrPatch.getProgram());
}
public Instrument getInstrument() {
return instrument;
}
/**
* Geeft de naam van het instrument dat tot deze configuratie behoort
* @return
*/
public String toString() {
return this.instrument.getName();
}
/**
* schakeld alle noten uit van deze configuratie
*/
void muteActiveTones() {
this.channel.allNotesOff();
}
}
| diddle/UED | code/src/playback/GridConfiguration.java | 1,749 | /**
* Geeft het eerstvolgende vrije channel terug. Hierop kan een patch uitgevoerd
* worden met PatchChannel
* @return channel index, -1 indien er geen channel beschikbaar is
*/ | block_comment | nl | /* Copyright Alexander Drechsel 2012
* Copyright Kasper Vaessen 2012
* Copyright Niels Visser 2012
*
* This file is part of MusicTable.
*
* MusicTable is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* MusicTable is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with MusicTable. If not, see <http://www.gnu.org/licenses/>.
*/
package playback;
import GUI.ParticlePanel;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.logging.Level;
import java.util.logging.Logger;
import javax.sound.midi.*;
public abstract class GridConfiguration {
protected int velocity;
protected MidiChannel channel;
protected Instrument instrument;
public GridConfiguration(Instrument instrument, int velocity) {
this.velocity = velocity;
this.instrument = instrument;
// configureer kanaal...
this.channel = null;
int channelIndex = GetChannelFor(instrument);
this.channel = Player.getInstance().getSynthesizer().getChannels()[channelIndex];
UseChannel(channelIndex, instrument);
}
public int getVelocity() {
return velocity;
}
public MidiChannel getChannel() {
return this.channel;
}
/**
* Speelt alle (relatieve) noten af
* @param tones Noten, relatief aan het grid (dus 0 is laagste, 9 is hoogste)
* @param vp
*/
public abstract void playTones(List<Integer> tones, ParticlePanel vp);
/**
* Speelt alle meegegeven (absolute) noten af op het eigen kanaal.
* @param tones Lijst van absolute noten (dus 0 is de laagste, 127 is de hoogste)
* @param velocity
* @param vp
*/
protected void playNotesOnChannel(List<Integer> tones, int velocity, ParticlePanel vp) {
for(int tone : tones) {
this.channel.noteOn(tone, velocity);
vp.notePlayed(tone, velocity, null);
}
}
protected static HashMap<Integer, List<Instrument>> channelMap = new HashMap<Integer, List<Instrument>>();
/**
* Registreert channel voor gebruik van opgegeven instrument. Channels die
* in gebruik zijn kunnen niet gepatcht worden. Meerdere registraties per channel
* zijn toegestaan.
* @param channel
* @param instrument
*/
public static void UseChannel(int channel, Instrument instrument) {
if(channelMap.containsKey(channel)) {
List<Instrument> instruments = channelMap.get(channel);
instruments.add(instrument);
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
instruments.add(instrument);
channelMap.put(channel, instruments);
}
}
/**
* Geeft channel vrij van gebruik. Vrije channels kunnen gepatcht worden om
* zo andere geluiden af te kunnen spelen
* @param channel
* @param instrument
*/
public static void FreeChannel(int channel, Instrument instrument) {
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
channelMap.get(targetChannel).remove(instrument);
}
}
/**
* Geeft het eerstvolgende<SUF>*/
public static int GetFirstFreeChannel() {
for(int i=0; i<9; i++) {
if(channelMap.containsKey(i)) {
if(channelMap.get(i).isEmpty()) {
return i;
}
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
channelMap.put(i, instruments);
return i;
}
}
return -1;
}
/**
* Retourneert channel voor het aangegeven instrument. Indien er een channel
* in gebruik is met hetzelfde instrument (dus als een andere speler het instrument
* ook heeft) wordt dat channel gereturnd. Indien dat niet het geval is, wordt
* een vrije channel gereturnd (die gepatcht is naar het meegegeven instrument).
* Indien er geen channel vrij is en er geen channels met gelijke instrumenten
* zijn, wordt -1 teruggegeven.
* @param instrument
* @return
*/
public static int GetChannelFor(Instrument instrument) {
if(instrument.getName().toLowerCase().contains("drum")) {
// 9 is het standaardkanaal voor drums
return 9;
}
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
return targetChannel;
}
else {
// channel needs patching
int freeChannel = GetFirstFreeChannel();
if(freeChannel > -1) {
PatchChannel(freeChannel, instrument);
return freeChannel;
}
}
return -1;
}
/**
* Patcht een kanaal met een nieuw instrument.
* @param channel
* @param newInstrument
*/
protected static void PatchChannel(int channel, Instrument newInstrument) {
MidiChannel[] channels = null;
channels = Player.getInstance().getSynthesizer().getChannels();
Patch instrPatch = newInstrument.getPatch();
channels[channel].programChange(instrPatch.getBank(), instrPatch.getProgram());
}
public Instrument getInstrument() {
return instrument;
}
/**
* Geeft de naam van het instrument dat tot deze configuratie behoort
* @return
*/
public String toString() {
return this.instrument.getName();
}
/**
* schakeld alle noten uit van deze configuratie
*/
void muteActiveTones() {
this.channel.allNotesOff();
}
}
|
1691_6 | /* Copyright Alexander Drechsel 2012
* Copyright Kasper Vaessen 2012
* Copyright Niels Visser 2012
*
* This file is part of MusicTable.
*
* MusicTable is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* MusicTable is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with MusicTable. If not, see <http://www.gnu.org/licenses/>.
*/
package playback;
import GUI.ParticlePanel;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.logging.Level;
import java.util.logging.Logger;
import javax.sound.midi.*;
public abstract class GridConfiguration {
protected int velocity;
protected MidiChannel channel;
protected Instrument instrument;
public GridConfiguration(Instrument instrument, int velocity) {
this.velocity = velocity;
this.instrument = instrument;
// configureer kanaal...
this.channel = null;
int channelIndex = GetChannelFor(instrument);
this.channel = Player.getInstance().getSynthesizer().getChannels()[channelIndex];
UseChannel(channelIndex, instrument);
}
public int getVelocity() {
return velocity;
}
public MidiChannel getChannel() {
return this.channel;
}
/**
* Speelt alle (relatieve) noten af
* @param tones Noten, relatief aan het grid (dus 0 is laagste, 9 is hoogste)
* @param vp
*/
public abstract void playTones(List<Integer> tones, ParticlePanel vp);
/**
* Speelt alle meegegeven (absolute) noten af op het eigen kanaal.
* @param tones Lijst van absolute noten (dus 0 is de laagste, 127 is de hoogste)
* @param velocity
* @param vp
*/
protected void playNotesOnChannel(List<Integer> tones, int velocity, ParticlePanel vp) {
for(int tone : tones) {
this.channel.noteOn(tone, velocity);
vp.notePlayed(tone, velocity, null);
}
}
protected static HashMap<Integer, List<Instrument>> channelMap = new HashMap<Integer, List<Instrument>>();
/**
* Registreert channel voor gebruik van opgegeven instrument. Channels die
* in gebruik zijn kunnen niet gepatcht worden. Meerdere registraties per channel
* zijn toegestaan.
* @param channel
* @param instrument
*/
public static void UseChannel(int channel, Instrument instrument) {
if(channelMap.containsKey(channel)) {
List<Instrument> instruments = channelMap.get(channel);
instruments.add(instrument);
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
instruments.add(instrument);
channelMap.put(channel, instruments);
}
}
/**
* Geeft channel vrij van gebruik. Vrije channels kunnen gepatcht worden om
* zo andere geluiden af te kunnen spelen
* @param channel
* @param instrument
*/
public static void FreeChannel(int channel, Instrument instrument) {
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
channelMap.get(targetChannel).remove(instrument);
}
}
/**
* Geeft het eerstvolgende vrije channel terug. Hierop kan een patch uitgevoerd
* worden met PatchChannel
* @return channel index, -1 indien er geen channel beschikbaar is
*/
public static int GetFirstFreeChannel() {
for(int i=0; i<9; i++) {
if(channelMap.containsKey(i)) {
if(channelMap.get(i).isEmpty()) {
return i;
}
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
channelMap.put(i, instruments);
return i;
}
}
return -1;
}
/**
* Retourneert channel voor het aangegeven instrument. Indien er een channel
* in gebruik is met hetzelfde instrument (dus als een andere speler het instrument
* ook heeft) wordt dat channel gereturnd. Indien dat niet het geval is, wordt
* een vrije channel gereturnd (die gepatcht is naar het meegegeven instrument).
* Indien er geen channel vrij is en er geen channels met gelijke instrumenten
* zijn, wordt -1 teruggegeven.
* @param instrument
* @return
*/
public static int GetChannelFor(Instrument instrument) {
if(instrument.getName().toLowerCase().contains("drum")) {
// 9 is het standaardkanaal voor drums
return 9;
}
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
return targetChannel;
}
else {
// channel needs patching
int freeChannel = GetFirstFreeChannel();
if(freeChannel > -1) {
PatchChannel(freeChannel, instrument);
return freeChannel;
}
}
return -1;
}
/**
* Patcht een kanaal met een nieuw instrument.
* @param channel
* @param newInstrument
*/
protected static void PatchChannel(int channel, Instrument newInstrument) {
MidiChannel[] channels = null;
channels = Player.getInstance().getSynthesizer().getChannels();
Patch instrPatch = newInstrument.getPatch();
channels[channel].programChange(instrPatch.getBank(), instrPatch.getProgram());
}
public Instrument getInstrument() {
return instrument;
}
/**
* Geeft de naam van het instrument dat tot deze configuratie behoort
* @return
*/
public String toString() {
return this.instrument.getName();
}
/**
* schakeld alle noten uit van deze configuratie
*/
void muteActiveTones() {
this.channel.allNotesOff();
}
}
| diddle/UED | code/src/playback/GridConfiguration.java | 1,749 | /**
* Retourneert channel voor het aangegeven instrument. Indien er een channel
* in gebruik is met hetzelfde instrument (dus als een andere speler het instrument
* ook heeft) wordt dat channel gereturnd. Indien dat niet het geval is, wordt
* een vrije channel gereturnd (die gepatcht is naar het meegegeven instrument).
* Indien er geen channel vrij is en er geen channels met gelijke instrumenten
* zijn, wordt -1 teruggegeven.
* @param instrument
* @return
*/ | block_comment | nl | /* Copyright Alexander Drechsel 2012
* Copyright Kasper Vaessen 2012
* Copyright Niels Visser 2012
*
* This file is part of MusicTable.
*
* MusicTable is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* MusicTable is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with MusicTable. If not, see <http://www.gnu.org/licenses/>.
*/
package playback;
import GUI.ParticlePanel;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.logging.Level;
import java.util.logging.Logger;
import javax.sound.midi.*;
public abstract class GridConfiguration {
protected int velocity;
protected MidiChannel channel;
protected Instrument instrument;
public GridConfiguration(Instrument instrument, int velocity) {
this.velocity = velocity;
this.instrument = instrument;
// configureer kanaal...
this.channel = null;
int channelIndex = GetChannelFor(instrument);
this.channel = Player.getInstance().getSynthesizer().getChannels()[channelIndex];
UseChannel(channelIndex, instrument);
}
public int getVelocity() {
return velocity;
}
public MidiChannel getChannel() {
return this.channel;
}
/**
* Speelt alle (relatieve) noten af
* @param tones Noten, relatief aan het grid (dus 0 is laagste, 9 is hoogste)
* @param vp
*/
public abstract void playTones(List<Integer> tones, ParticlePanel vp);
/**
* Speelt alle meegegeven (absolute) noten af op het eigen kanaal.
* @param tones Lijst van absolute noten (dus 0 is de laagste, 127 is de hoogste)
* @param velocity
* @param vp
*/
protected void playNotesOnChannel(List<Integer> tones, int velocity, ParticlePanel vp) {
for(int tone : tones) {
this.channel.noteOn(tone, velocity);
vp.notePlayed(tone, velocity, null);
}
}
protected static HashMap<Integer, List<Instrument>> channelMap = new HashMap<Integer, List<Instrument>>();
/**
* Registreert channel voor gebruik van opgegeven instrument. Channels die
* in gebruik zijn kunnen niet gepatcht worden. Meerdere registraties per channel
* zijn toegestaan.
* @param channel
* @param instrument
*/
public static void UseChannel(int channel, Instrument instrument) {
if(channelMap.containsKey(channel)) {
List<Instrument> instruments = channelMap.get(channel);
instruments.add(instrument);
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
instruments.add(instrument);
channelMap.put(channel, instruments);
}
}
/**
* Geeft channel vrij van gebruik. Vrije channels kunnen gepatcht worden om
* zo andere geluiden af te kunnen spelen
* @param channel
* @param instrument
*/
public static void FreeChannel(int channel, Instrument instrument) {
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
channelMap.get(targetChannel).remove(instrument);
}
}
/**
* Geeft het eerstvolgende vrije channel terug. Hierop kan een patch uitgevoerd
* worden met PatchChannel
* @return channel index, -1 indien er geen channel beschikbaar is
*/
public static int GetFirstFreeChannel() {
for(int i=0; i<9; i++) {
if(channelMap.containsKey(i)) {
if(channelMap.get(i).isEmpty()) {
return i;
}
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
channelMap.put(i, instruments);
return i;
}
}
return -1;
}
/**
* Retourneert channel voor<SUF>*/
public static int GetChannelFor(Instrument instrument) {
if(instrument.getName().toLowerCase().contains("drum")) {
// 9 is het standaardkanaal voor drums
return 9;
}
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
return targetChannel;
}
else {
// channel needs patching
int freeChannel = GetFirstFreeChannel();
if(freeChannel > -1) {
PatchChannel(freeChannel, instrument);
return freeChannel;
}
}
return -1;
}
/**
* Patcht een kanaal met een nieuw instrument.
* @param channel
* @param newInstrument
*/
protected static void PatchChannel(int channel, Instrument newInstrument) {
MidiChannel[] channels = null;
channels = Player.getInstance().getSynthesizer().getChannels();
Patch instrPatch = newInstrument.getPatch();
channels[channel].programChange(instrPatch.getBank(), instrPatch.getProgram());
}
public Instrument getInstrument() {
return instrument;
}
/**
* Geeft de naam van het instrument dat tot deze configuratie behoort
* @return
*/
public String toString() {
return this.instrument.getName();
}
/**
* schakeld alle noten uit van deze configuratie
*/
void muteActiveTones() {
this.channel.allNotesOff();
}
}
|
1691_7 | /* Copyright Alexander Drechsel 2012
* Copyright Kasper Vaessen 2012
* Copyright Niels Visser 2012
*
* This file is part of MusicTable.
*
* MusicTable is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* MusicTable is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with MusicTable. If not, see <http://www.gnu.org/licenses/>.
*/
package playback;
import GUI.ParticlePanel;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.logging.Level;
import java.util.logging.Logger;
import javax.sound.midi.*;
public abstract class GridConfiguration {
protected int velocity;
protected MidiChannel channel;
protected Instrument instrument;
public GridConfiguration(Instrument instrument, int velocity) {
this.velocity = velocity;
this.instrument = instrument;
// configureer kanaal...
this.channel = null;
int channelIndex = GetChannelFor(instrument);
this.channel = Player.getInstance().getSynthesizer().getChannels()[channelIndex];
UseChannel(channelIndex, instrument);
}
public int getVelocity() {
return velocity;
}
public MidiChannel getChannel() {
return this.channel;
}
/**
* Speelt alle (relatieve) noten af
* @param tones Noten, relatief aan het grid (dus 0 is laagste, 9 is hoogste)
* @param vp
*/
public abstract void playTones(List<Integer> tones, ParticlePanel vp);
/**
* Speelt alle meegegeven (absolute) noten af op het eigen kanaal.
* @param tones Lijst van absolute noten (dus 0 is de laagste, 127 is de hoogste)
* @param velocity
* @param vp
*/
protected void playNotesOnChannel(List<Integer> tones, int velocity, ParticlePanel vp) {
for(int tone : tones) {
this.channel.noteOn(tone, velocity);
vp.notePlayed(tone, velocity, null);
}
}
protected static HashMap<Integer, List<Instrument>> channelMap = new HashMap<Integer, List<Instrument>>();
/**
* Registreert channel voor gebruik van opgegeven instrument. Channels die
* in gebruik zijn kunnen niet gepatcht worden. Meerdere registraties per channel
* zijn toegestaan.
* @param channel
* @param instrument
*/
public static void UseChannel(int channel, Instrument instrument) {
if(channelMap.containsKey(channel)) {
List<Instrument> instruments = channelMap.get(channel);
instruments.add(instrument);
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
instruments.add(instrument);
channelMap.put(channel, instruments);
}
}
/**
* Geeft channel vrij van gebruik. Vrije channels kunnen gepatcht worden om
* zo andere geluiden af te kunnen spelen
* @param channel
* @param instrument
*/
public static void FreeChannel(int channel, Instrument instrument) {
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
channelMap.get(targetChannel).remove(instrument);
}
}
/**
* Geeft het eerstvolgende vrije channel terug. Hierop kan een patch uitgevoerd
* worden met PatchChannel
* @return channel index, -1 indien er geen channel beschikbaar is
*/
public static int GetFirstFreeChannel() {
for(int i=0; i<9; i++) {
if(channelMap.containsKey(i)) {
if(channelMap.get(i).isEmpty()) {
return i;
}
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
channelMap.put(i, instruments);
return i;
}
}
return -1;
}
/**
* Retourneert channel voor het aangegeven instrument. Indien er een channel
* in gebruik is met hetzelfde instrument (dus als een andere speler het instrument
* ook heeft) wordt dat channel gereturnd. Indien dat niet het geval is, wordt
* een vrije channel gereturnd (die gepatcht is naar het meegegeven instrument).
* Indien er geen channel vrij is en er geen channels met gelijke instrumenten
* zijn, wordt -1 teruggegeven.
* @param instrument
* @return
*/
public static int GetChannelFor(Instrument instrument) {
if(instrument.getName().toLowerCase().contains("drum")) {
// 9 is het standaardkanaal voor drums
return 9;
}
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
return targetChannel;
}
else {
// channel needs patching
int freeChannel = GetFirstFreeChannel();
if(freeChannel > -1) {
PatchChannel(freeChannel, instrument);
return freeChannel;
}
}
return -1;
}
/**
* Patcht een kanaal met een nieuw instrument.
* @param channel
* @param newInstrument
*/
protected static void PatchChannel(int channel, Instrument newInstrument) {
MidiChannel[] channels = null;
channels = Player.getInstance().getSynthesizer().getChannels();
Patch instrPatch = newInstrument.getPatch();
channels[channel].programChange(instrPatch.getBank(), instrPatch.getProgram());
}
public Instrument getInstrument() {
return instrument;
}
/**
* Geeft de naam van het instrument dat tot deze configuratie behoort
* @return
*/
public String toString() {
return this.instrument.getName();
}
/**
* schakeld alle noten uit van deze configuratie
*/
void muteActiveTones() {
this.channel.allNotesOff();
}
}
| diddle/UED | code/src/playback/GridConfiguration.java | 1,749 | // 9 is het standaardkanaal voor drums
| line_comment | nl | /* Copyright Alexander Drechsel 2012
* Copyright Kasper Vaessen 2012
* Copyright Niels Visser 2012
*
* This file is part of MusicTable.
*
* MusicTable is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* MusicTable is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with MusicTable. If not, see <http://www.gnu.org/licenses/>.
*/
package playback;
import GUI.ParticlePanel;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.logging.Level;
import java.util.logging.Logger;
import javax.sound.midi.*;
public abstract class GridConfiguration {
protected int velocity;
protected MidiChannel channel;
protected Instrument instrument;
public GridConfiguration(Instrument instrument, int velocity) {
this.velocity = velocity;
this.instrument = instrument;
// configureer kanaal...
this.channel = null;
int channelIndex = GetChannelFor(instrument);
this.channel = Player.getInstance().getSynthesizer().getChannels()[channelIndex];
UseChannel(channelIndex, instrument);
}
public int getVelocity() {
return velocity;
}
public MidiChannel getChannel() {
return this.channel;
}
/**
* Speelt alle (relatieve) noten af
* @param tones Noten, relatief aan het grid (dus 0 is laagste, 9 is hoogste)
* @param vp
*/
public abstract void playTones(List<Integer> tones, ParticlePanel vp);
/**
* Speelt alle meegegeven (absolute) noten af op het eigen kanaal.
* @param tones Lijst van absolute noten (dus 0 is de laagste, 127 is de hoogste)
* @param velocity
* @param vp
*/
protected void playNotesOnChannel(List<Integer> tones, int velocity, ParticlePanel vp) {
for(int tone : tones) {
this.channel.noteOn(tone, velocity);
vp.notePlayed(tone, velocity, null);
}
}
protected static HashMap<Integer, List<Instrument>> channelMap = new HashMap<Integer, List<Instrument>>();
/**
* Registreert channel voor gebruik van opgegeven instrument. Channels die
* in gebruik zijn kunnen niet gepatcht worden. Meerdere registraties per channel
* zijn toegestaan.
* @param channel
* @param instrument
*/
public static void UseChannel(int channel, Instrument instrument) {
if(channelMap.containsKey(channel)) {
List<Instrument> instruments = channelMap.get(channel);
instruments.add(instrument);
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
instruments.add(instrument);
channelMap.put(channel, instruments);
}
}
/**
* Geeft channel vrij van gebruik. Vrije channels kunnen gepatcht worden om
* zo andere geluiden af te kunnen spelen
* @param channel
* @param instrument
*/
public static void FreeChannel(int channel, Instrument instrument) {
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
channelMap.get(targetChannel).remove(instrument);
}
}
/**
* Geeft het eerstvolgende vrije channel terug. Hierop kan een patch uitgevoerd
* worden met PatchChannel
* @return channel index, -1 indien er geen channel beschikbaar is
*/
public static int GetFirstFreeChannel() {
for(int i=0; i<9; i++) {
if(channelMap.containsKey(i)) {
if(channelMap.get(i).isEmpty()) {
return i;
}
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
channelMap.put(i, instruments);
return i;
}
}
return -1;
}
/**
* Retourneert channel voor het aangegeven instrument. Indien er een channel
* in gebruik is met hetzelfde instrument (dus als een andere speler het instrument
* ook heeft) wordt dat channel gereturnd. Indien dat niet het geval is, wordt
* een vrije channel gereturnd (die gepatcht is naar het meegegeven instrument).
* Indien er geen channel vrij is en er geen channels met gelijke instrumenten
* zijn, wordt -1 teruggegeven.
* @param instrument
* @return
*/
public static int GetChannelFor(Instrument instrument) {
if(instrument.getName().toLowerCase().contains("drum")) {
// 9 is<SUF>
return 9;
}
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
return targetChannel;
}
else {
// channel needs patching
int freeChannel = GetFirstFreeChannel();
if(freeChannel > -1) {
PatchChannel(freeChannel, instrument);
return freeChannel;
}
}
return -1;
}
/**
* Patcht een kanaal met een nieuw instrument.
* @param channel
* @param newInstrument
*/
protected static void PatchChannel(int channel, Instrument newInstrument) {
MidiChannel[] channels = null;
channels = Player.getInstance().getSynthesizer().getChannels();
Patch instrPatch = newInstrument.getPatch();
channels[channel].programChange(instrPatch.getBank(), instrPatch.getProgram());
}
public Instrument getInstrument() {
return instrument;
}
/**
* Geeft de naam van het instrument dat tot deze configuratie behoort
* @return
*/
public String toString() {
return this.instrument.getName();
}
/**
* schakeld alle noten uit van deze configuratie
*/
void muteActiveTones() {
this.channel.allNotesOff();
}
}
|
1691_9 | /* Copyright Alexander Drechsel 2012
* Copyright Kasper Vaessen 2012
* Copyright Niels Visser 2012
*
* This file is part of MusicTable.
*
* MusicTable is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* MusicTable is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with MusicTable. If not, see <http://www.gnu.org/licenses/>.
*/
package playback;
import GUI.ParticlePanel;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.logging.Level;
import java.util.logging.Logger;
import javax.sound.midi.*;
public abstract class GridConfiguration {
protected int velocity;
protected MidiChannel channel;
protected Instrument instrument;
public GridConfiguration(Instrument instrument, int velocity) {
this.velocity = velocity;
this.instrument = instrument;
// configureer kanaal...
this.channel = null;
int channelIndex = GetChannelFor(instrument);
this.channel = Player.getInstance().getSynthesizer().getChannels()[channelIndex];
UseChannel(channelIndex, instrument);
}
public int getVelocity() {
return velocity;
}
public MidiChannel getChannel() {
return this.channel;
}
/**
* Speelt alle (relatieve) noten af
* @param tones Noten, relatief aan het grid (dus 0 is laagste, 9 is hoogste)
* @param vp
*/
public abstract void playTones(List<Integer> tones, ParticlePanel vp);
/**
* Speelt alle meegegeven (absolute) noten af op het eigen kanaal.
* @param tones Lijst van absolute noten (dus 0 is de laagste, 127 is de hoogste)
* @param velocity
* @param vp
*/
protected void playNotesOnChannel(List<Integer> tones, int velocity, ParticlePanel vp) {
for(int tone : tones) {
this.channel.noteOn(tone, velocity);
vp.notePlayed(tone, velocity, null);
}
}
protected static HashMap<Integer, List<Instrument>> channelMap = new HashMap<Integer, List<Instrument>>();
/**
* Registreert channel voor gebruik van opgegeven instrument. Channels die
* in gebruik zijn kunnen niet gepatcht worden. Meerdere registraties per channel
* zijn toegestaan.
* @param channel
* @param instrument
*/
public static void UseChannel(int channel, Instrument instrument) {
if(channelMap.containsKey(channel)) {
List<Instrument> instruments = channelMap.get(channel);
instruments.add(instrument);
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
instruments.add(instrument);
channelMap.put(channel, instruments);
}
}
/**
* Geeft channel vrij van gebruik. Vrije channels kunnen gepatcht worden om
* zo andere geluiden af te kunnen spelen
* @param channel
* @param instrument
*/
public static void FreeChannel(int channel, Instrument instrument) {
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
channelMap.get(targetChannel).remove(instrument);
}
}
/**
* Geeft het eerstvolgende vrije channel terug. Hierop kan een patch uitgevoerd
* worden met PatchChannel
* @return channel index, -1 indien er geen channel beschikbaar is
*/
public static int GetFirstFreeChannel() {
for(int i=0; i<9; i++) {
if(channelMap.containsKey(i)) {
if(channelMap.get(i).isEmpty()) {
return i;
}
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
channelMap.put(i, instruments);
return i;
}
}
return -1;
}
/**
* Retourneert channel voor het aangegeven instrument. Indien er een channel
* in gebruik is met hetzelfde instrument (dus als een andere speler het instrument
* ook heeft) wordt dat channel gereturnd. Indien dat niet het geval is, wordt
* een vrije channel gereturnd (die gepatcht is naar het meegegeven instrument).
* Indien er geen channel vrij is en er geen channels met gelijke instrumenten
* zijn, wordt -1 teruggegeven.
* @param instrument
* @return
*/
public static int GetChannelFor(Instrument instrument) {
if(instrument.getName().toLowerCase().contains("drum")) {
// 9 is het standaardkanaal voor drums
return 9;
}
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
return targetChannel;
}
else {
// channel needs patching
int freeChannel = GetFirstFreeChannel();
if(freeChannel > -1) {
PatchChannel(freeChannel, instrument);
return freeChannel;
}
}
return -1;
}
/**
* Patcht een kanaal met een nieuw instrument.
* @param channel
* @param newInstrument
*/
protected static void PatchChannel(int channel, Instrument newInstrument) {
MidiChannel[] channels = null;
channels = Player.getInstance().getSynthesizer().getChannels();
Patch instrPatch = newInstrument.getPatch();
channels[channel].programChange(instrPatch.getBank(), instrPatch.getProgram());
}
public Instrument getInstrument() {
return instrument;
}
/**
* Geeft de naam van het instrument dat tot deze configuratie behoort
* @return
*/
public String toString() {
return this.instrument.getName();
}
/**
* schakeld alle noten uit van deze configuratie
*/
void muteActiveTones() {
this.channel.allNotesOff();
}
}
| diddle/UED | code/src/playback/GridConfiguration.java | 1,749 | /**
* Patcht een kanaal met een nieuw instrument.
* @param channel
* @param newInstrument
*/ | block_comment | nl | /* Copyright Alexander Drechsel 2012
* Copyright Kasper Vaessen 2012
* Copyright Niels Visser 2012
*
* This file is part of MusicTable.
*
* MusicTable is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* MusicTable is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with MusicTable. If not, see <http://www.gnu.org/licenses/>.
*/
package playback;
import GUI.ParticlePanel;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.logging.Level;
import java.util.logging.Logger;
import javax.sound.midi.*;
public abstract class GridConfiguration {
protected int velocity;
protected MidiChannel channel;
protected Instrument instrument;
public GridConfiguration(Instrument instrument, int velocity) {
this.velocity = velocity;
this.instrument = instrument;
// configureer kanaal...
this.channel = null;
int channelIndex = GetChannelFor(instrument);
this.channel = Player.getInstance().getSynthesizer().getChannels()[channelIndex];
UseChannel(channelIndex, instrument);
}
public int getVelocity() {
return velocity;
}
public MidiChannel getChannel() {
return this.channel;
}
/**
* Speelt alle (relatieve) noten af
* @param tones Noten, relatief aan het grid (dus 0 is laagste, 9 is hoogste)
* @param vp
*/
public abstract void playTones(List<Integer> tones, ParticlePanel vp);
/**
* Speelt alle meegegeven (absolute) noten af op het eigen kanaal.
* @param tones Lijst van absolute noten (dus 0 is de laagste, 127 is de hoogste)
* @param velocity
* @param vp
*/
protected void playNotesOnChannel(List<Integer> tones, int velocity, ParticlePanel vp) {
for(int tone : tones) {
this.channel.noteOn(tone, velocity);
vp.notePlayed(tone, velocity, null);
}
}
protected static HashMap<Integer, List<Instrument>> channelMap = new HashMap<Integer, List<Instrument>>();
/**
* Registreert channel voor gebruik van opgegeven instrument. Channels die
* in gebruik zijn kunnen niet gepatcht worden. Meerdere registraties per channel
* zijn toegestaan.
* @param channel
* @param instrument
*/
public static void UseChannel(int channel, Instrument instrument) {
if(channelMap.containsKey(channel)) {
List<Instrument> instruments = channelMap.get(channel);
instruments.add(instrument);
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
instruments.add(instrument);
channelMap.put(channel, instruments);
}
}
/**
* Geeft channel vrij van gebruik. Vrije channels kunnen gepatcht worden om
* zo andere geluiden af te kunnen spelen
* @param channel
* @param instrument
*/
public static void FreeChannel(int channel, Instrument instrument) {
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
channelMap.get(targetChannel).remove(instrument);
}
}
/**
* Geeft het eerstvolgende vrije channel terug. Hierop kan een patch uitgevoerd
* worden met PatchChannel
* @return channel index, -1 indien er geen channel beschikbaar is
*/
public static int GetFirstFreeChannel() {
for(int i=0; i<9; i++) {
if(channelMap.containsKey(i)) {
if(channelMap.get(i).isEmpty()) {
return i;
}
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
channelMap.put(i, instruments);
return i;
}
}
return -1;
}
/**
* Retourneert channel voor het aangegeven instrument. Indien er een channel
* in gebruik is met hetzelfde instrument (dus als een andere speler het instrument
* ook heeft) wordt dat channel gereturnd. Indien dat niet het geval is, wordt
* een vrije channel gereturnd (die gepatcht is naar het meegegeven instrument).
* Indien er geen channel vrij is en er geen channels met gelijke instrumenten
* zijn, wordt -1 teruggegeven.
* @param instrument
* @return
*/
public static int GetChannelFor(Instrument instrument) {
if(instrument.getName().toLowerCase().contains("drum")) {
// 9 is het standaardkanaal voor drums
return 9;
}
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
return targetChannel;
}
else {
// channel needs patching
int freeChannel = GetFirstFreeChannel();
if(freeChannel > -1) {
PatchChannel(freeChannel, instrument);
return freeChannel;
}
}
return -1;
}
/**
* Patcht een kanaal<SUF>*/
protected static void PatchChannel(int channel, Instrument newInstrument) {
MidiChannel[] channels = null;
channels = Player.getInstance().getSynthesizer().getChannels();
Patch instrPatch = newInstrument.getPatch();
channels[channel].programChange(instrPatch.getBank(), instrPatch.getProgram());
}
public Instrument getInstrument() {
return instrument;
}
/**
* Geeft de naam van het instrument dat tot deze configuratie behoort
* @return
*/
public String toString() {
return this.instrument.getName();
}
/**
* schakeld alle noten uit van deze configuratie
*/
void muteActiveTones() {
this.channel.allNotesOff();
}
}
|
1691_10 | /* Copyright Alexander Drechsel 2012
* Copyright Kasper Vaessen 2012
* Copyright Niels Visser 2012
*
* This file is part of MusicTable.
*
* MusicTable is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* MusicTable is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with MusicTable. If not, see <http://www.gnu.org/licenses/>.
*/
package playback;
import GUI.ParticlePanel;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.logging.Level;
import java.util.logging.Logger;
import javax.sound.midi.*;
public abstract class GridConfiguration {
protected int velocity;
protected MidiChannel channel;
protected Instrument instrument;
public GridConfiguration(Instrument instrument, int velocity) {
this.velocity = velocity;
this.instrument = instrument;
// configureer kanaal...
this.channel = null;
int channelIndex = GetChannelFor(instrument);
this.channel = Player.getInstance().getSynthesizer().getChannels()[channelIndex];
UseChannel(channelIndex, instrument);
}
public int getVelocity() {
return velocity;
}
public MidiChannel getChannel() {
return this.channel;
}
/**
* Speelt alle (relatieve) noten af
* @param tones Noten, relatief aan het grid (dus 0 is laagste, 9 is hoogste)
* @param vp
*/
public abstract void playTones(List<Integer> tones, ParticlePanel vp);
/**
* Speelt alle meegegeven (absolute) noten af op het eigen kanaal.
* @param tones Lijst van absolute noten (dus 0 is de laagste, 127 is de hoogste)
* @param velocity
* @param vp
*/
protected void playNotesOnChannel(List<Integer> tones, int velocity, ParticlePanel vp) {
for(int tone : tones) {
this.channel.noteOn(tone, velocity);
vp.notePlayed(tone, velocity, null);
}
}
protected static HashMap<Integer, List<Instrument>> channelMap = new HashMap<Integer, List<Instrument>>();
/**
* Registreert channel voor gebruik van opgegeven instrument. Channels die
* in gebruik zijn kunnen niet gepatcht worden. Meerdere registraties per channel
* zijn toegestaan.
* @param channel
* @param instrument
*/
public static void UseChannel(int channel, Instrument instrument) {
if(channelMap.containsKey(channel)) {
List<Instrument> instruments = channelMap.get(channel);
instruments.add(instrument);
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
instruments.add(instrument);
channelMap.put(channel, instruments);
}
}
/**
* Geeft channel vrij van gebruik. Vrije channels kunnen gepatcht worden om
* zo andere geluiden af te kunnen spelen
* @param channel
* @param instrument
*/
public static void FreeChannel(int channel, Instrument instrument) {
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
channelMap.get(targetChannel).remove(instrument);
}
}
/**
* Geeft het eerstvolgende vrije channel terug. Hierop kan een patch uitgevoerd
* worden met PatchChannel
* @return channel index, -1 indien er geen channel beschikbaar is
*/
public static int GetFirstFreeChannel() {
for(int i=0; i<9; i++) {
if(channelMap.containsKey(i)) {
if(channelMap.get(i).isEmpty()) {
return i;
}
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
channelMap.put(i, instruments);
return i;
}
}
return -1;
}
/**
* Retourneert channel voor het aangegeven instrument. Indien er een channel
* in gebruik is met hetzelfde instrument (dus als een andere speler het instrument
* ook heeft) wordt dat channel gereturnd. Indien dat niet het geval is, wordt
* een vrije channel gereturnd (die gepatcht is naar het meegegeven instrument).
* Indien er geen channel vrij is en er geen channels met gelijke instrumenten
* zijn, wordt -1 teruggegeven.
* @param instrument
* @return
*/
public static int GetChannelFor(Instrument instrument) {
if(instrument.getName().toLowerCase().contains("drum")) {
// 9 is het standaardkanaal voor drums
return 9;
}
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
return targetChannel;
}
else {
// channel needs patching
int freeChannel = GetFirstFreeChannel();
if(freeChannel > -1) {
PatchChannel(freeChannel, instrument);
return freeChannel;
}
}
return -1;
}
/**
* Patcht een kanaal met een nieuw instrument.
* @param channel
* @param newInstrument
*/
protected static void PatchChannel(int channel, Instrument newInstrument) {
MidiChannel[] channels = null;
channels = Player.getInstance().getSynthesizer().getChannels();
Patch instrPatch = newInstrument.getPatch();
channels[channel].programChange(instrPatch.getBank(), instrPatch.getProgram());
}
public Instrument getInstrument() {
return instrument;
}
/**
* Geeft de naam van het instrument dat tot deze configuratie behoort
* @return
*/
public String toString() {
return this.instrument.getName();
}
/**
* schakeld alle noten uit van deze configuratie
*/
void muteActiveTones() {
this.channel.allNotesOff();
}
}
| diddle/UED | code/src/playback/GridConfiguration.java | 1,749 | /**
* Geeft de naam van het instrument dat tot deze configuratie behoort
* @return
*/ | block_comment | nl | /* Copyright Alexander Drechsel 2012
* Copyright Kasper Vaessen 2012
* Copyright Niels Visser 2012
*
* This file is part of MusicTable.
*
* MusicTable is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* MusicTable is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with MusicTable. If not, see <http://www.gnu.org/licenses/>.
*/
package playback;
import GUI.ParticlePanel;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.logging.Level;
import java.util.logging.Logger;
import javax.sound.midi.*;
public abstract class GridConfiguration {
protected int velocity;
protected MidiChannel channel;
protected Instrument instrument;
public GridConfiguration(Instrument instrument, int velocity) {
this.velocity = velocity;
this.instrument = instrument;
// configureer kanaal...
this.channel = null;
int channelIndex = GetChannelFor(instrument);
this.channel = Player.getInstance().getSynthesizer().getChannels()[channelIndex];
UseChannel(channelIndex, instrument);
}
public int getVelocity() {
return velocity;
}
public MidiChannel getChannel() {
return this.channel;
}
/**
* Speelt alle (relatieve) noten af
* @param tones Noten, relatief aan het grid (dus 0 is laagste, 9 is hoogste)
* @param vp
*/
public abstract void playTones(List<Integer> tones, ParticlePanel vp);
/**
* Speelt alle meegegeven (absolute) noten af op het eigen kanaal.
* @param tones Lijst van absolute noten (dus 0 is de laagste, 127 is de hoogste)
* @param velocity
* @param vp
*/
protected void playNotesOnChannel(List<Integer> tones, int velocity, ParticlePanel vp) {
for(int tone : tones) {
this.channel.noteOn(tone, velocity);
vp.notePlayed(tone, velocity, null);
}
}
protected static HashMap<Integer, List<Instrument>> channelMap = new HashMap<Integer, List<Instrument>>();
/**
* Registreert channel voor gebruik van opgegeven instrument. Channels die
* in gebruik zijn kunnen niet gepatcht worden. Meerdere registraties per channel
* zijn toegestaan.
* @param channel
* @param instrument
*/
public static void UseChannel(int channel, Instrument instrument) {
if(channelMap.containsKey(channel)) {
List<Instrument> instruments = channelMap.get(channel);
instruments.add(instrument);
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
instruments.add(instrument);
channelMap.put(channel, instruments);
}
}
/**
* Geeft channel vrij van gebruik. Vrije channels kunnen gepatcht worden om
* zo andere geluiden af te kunnen spelen
* @param channel
* @param instrument
*/
public static void FreeChannel(int channel, Instrument instrument) {
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
channelMap.get(targetChannel).remove(instrument);
}
}
/**
* Geeft het eerstvolgende vrije channel terug. Hierop kan een patch uitgevoerd
* worden met PatchChannel
* @return channel index, -1 indien er geen channel beschikbaar is
*/
public static int GetFirstFreeChannel() {
for(int i=0; i<9; i++) {
if(channelMap.containsKey(i)) {
if(channelMap.get(i).isEmpty()) {
return i;
}
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
channelMap.put(i, instruments);
return i;
}
}
return -1;
}
/**
* Retourneert channel voor het aangegeven instrument. Indien er een channel
* in gebruik is met hetzelfde instrument (dus als een andere speler het instrument
* ook heeft) wordt dat channel gereturnd. Indien dat niet het geval is, wordt
* een vrije channel gereturnd (die gepatcht is naar het meegegeven instrument).
* Indien er geen channel vrij is en er geen channels met gelijke instrumenten
* zijn, wordt -1 teruggegeven.
* @param instrument
* @return
*/
public static int GetChannelFor(Instrument instrument) {
if(instrument.getName().toLowerCase().contains("drum")) {
// 9 is het standaardkanaal voor drums
return 9;
}
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
return targetChannel;
}
else {
// channel needs patching
int freeChannel = GetFirstFreeChannel();
if(freeChannel > -1) {
PatchChannel(freeChannel, instrument);
return freeChannel;
}
}
return -1;
}
/**
* Patcht een kanaal met een nieuw instrument.
* @param channel
* @param newInstrument
*/
protected static void PatchChannel(int channel, Instrument newInstrument) {
MidiChannel[] channels = null;
channels = Player.getInstance().getSynthesizer().getChannels();
Patch instrPatch = newInstrument.getPatch();
channels[channel].programChange(instrPatch.getBank(), instrPatch.getProgram());
}
public Instrument getInstrument() {
return instrument;
}
/**
* Geeft de naam<SUF>*/
public String toString() {
return this.instrument.getName();
}
/**
* schakeld alle noten uit van deze configuratie
*/
void muteActiveTones() {
this.channel.allNotesOff();
}
}
|
1691_11 | /* Copyright Alexander Drechsel 2012
* Copyright Kasper Vaessen 2012
* Copyright Niels Visser 2012
*
* This file is part of MusicTable.
*
* MusicTable is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* MusicTable is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with MusicTable. If not, see <http://www.gnu.org/licenses/>.
*/
package playback;
import GUI.ParticlePanel;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.logging.Level;
import java.util.logging.Logger;
import javax.sound.midi.*;
public abstract class GridConfiguration {
protected int velocity;
protected MidiChannel channel;
protected Instrument instrument;
public GridConfiguration(Instrument instrument, int velocity) {
this.velocity = velocity;
this.instrument = instrument;
// configureer kanaal...
this.channel = null;
int channelIndex = GetChannelFor(instrument);
this.channel = Player.getInstance().getSynthesizer().getChannels()[channelIndex];
UseChannel(channelIndex, instrument);
}
public int getVelocity() {
return velocity;
}
public MidiChannel getChannel() {
return this.channel;
}
/**
* Speelt alle (relatieve) noten af
* @param tones Noten, relatief aan het grid (dus 0 is laagste, 9 is hoogste)
* @param vp
*/
public abstract void playTones(List<Integer> tones, ParticlePanel vp);
/**
* Speelt alle meegegeven (absolute) noten af op het eigen kanaal.
* @param tones Lijst van absolute noten (dus 0 is de laagste, 127 is de hoogste)
* @param velocity
* @param vp
*/
protected void playNotesOnChannel(List<Integer> tones, int velocity, ParticlePanel vp) {
for(int tone : tones) {
this.channel.noteOn(tone, velocity);
vp.notePlayed(tone, velocity, null);
}
}
protected static HashMap<Integer, List<Instrument>> channelMap = new HashMap<Integer, List<Instrument>>();
/**
* Registreert channel voor gebruik van opgegeven instrument. Channels die
* in gebruik zijn kunnen niet gepatcht worden. Meerdere registraties per channel
* zijn toegestaan.
* @param channel
* @param instrument
*/
public static void UseChannel(int channel, Instrument instrument) {
if(channelMap.containsKey(channel)) {
List<Instrument> instruments = channelMap.get(channel);
instruments.add(instrument);
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
instruments.add(instrument);
channelMap.put(channel, instruments);
}
}
/**
* Geeft channel vrij van gebruik. Vrije channels kunnen gepatcht worden om
* zo andere geluiden af te kunnen spelen
* @param channel
* @param instrument
*/
public static void FreeChannel(int channel, Instrument instrument) {
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
channelMap.get(targetChannel).remove(instrument);
}
}
/**
* Geeft het eerstvolgende vrije channel terug. Hierop kan een patch uitgevoerd
* worden met PatchChannel
* @return channel index, -1 indien er geen channel beschikbaar is
*/
public static int GetFirstFreeChannel() {
for(int i=0; i<9; i++) {
if(channelMap.containsKey(i)) {
if(channelMap.get(i).isEmpty()) {
return i;
}
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
channelMap.put(i, instruments);
return i;
}
}
return -1;
}
/**
* Retourneert channel voor het aangegeven instrument. Indien er een channel
* in gebruik is met hetzelfde instrument (dus als een andere speler het instrument
* ook heeft) wordt dat channel gereturnd. Indien dat niet het geval is, wordt
* een vrije channel gereturnd (die gepatcht is naar het meegegeven instrument).
* Indien er geen channel vrij is en er geen channels met gelijke instrumenten
* zijn, wordt -1 teruggegeven.
* @param instrument
* @return
*/
public static int GetChannelFor(Instrument instrument) {
if(instrument.getName().toLowerCase().contains("drum")) {
// 9 is het standaardkanaal voor drums
return 9;
}
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
return targetChannel;
}
else {
// channel needs patching
int freeChannel = GetFirstFreeChannel();
if(freeChannel > -1) {
PatchChannel(freeChannel, instrument);
return freeChannel;
}
}
return -1;
}
/**
* Patcht een kanaal met een nieuw instrument.
* @param channel
* @param newInstrument
*/
protected static void PatchChannel(int channel, Instrument newInstrument) {
MidiChannel[] channels = null;
channels = Player.getInstance().getSynthesizer().getChannels();
Patch instrPatch = newInstrument.getPatch();
channels[channel].programChange(instrPatch.getBank(), instrPatch.getProgram());
}
public Instrument getInstrument() {
return instrument;
}
/**
* Geeft de naam van het instrument dat tot deze configuratie behoort
* @return
*/
public String toString() {
return this.instrument.getName();
}
/**
* schakeld alle noten uit van deze configuratie
*/
void muteActiveTones() {
this.channel.allNotesOff();
}
}
| diddle/UED | code/src/playback/GridConfiguration.java | 1,749 | /**
* schakeld alle noten uit van deze configuratie
*/ | block_comment | nl | /* Copyright Alexander Drechsel 2012
* Copyright Kasper Vaessen 2012
* Copyright Niels Visser 2012
*
* This file is part of MusicTable.
*
* MusicTable is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* MusicTable is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with MusicTable. If not, see <http://www.gnu.org/licenses/>.
*/
package playback;
import GUI.ParticlePanel;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.logging.Level;
import java.util.logging.Logger;
import javax.sound.midi.*;
public abstract class GridConfiguration {
protected int velocity;
protected MidiChannel channel;
protected Instrument instrument;
public GridConfiguration(Instrument instrument, int velocity) {
this.velocity = velocity;
this.instrument = instrument;
// configureer kanaal...
this.channel = null;
int channelIndex = GetChannelFor(instrument);
this.channel = Player.getInstance().getSynthesizer().getChannels()[channelIndex];
UseChannel(channelIndex, instrument);
}
public int getVelocity() {
return velocity;
}
public MidiChannel getChannel() {
return this.channel;
}
/**
* Speelt alle (relatieve) noten af
* @param tones Noten, relatief aan het grid (dus 0 is laagste, 9 is hoogste)
* @param vp
*/
public abstract void playTones(List<Integer> tones, ParticlePanel vp);
/**
* Speelt alle meegegeven (absolute) noten af op het eigen kanaal.
* @param tones Lijst van absolute noten (dus 0 is de laagste, 127 is de hoogste)
* @param velocity
* @param vp
*/
protected void playNotesOnChannel(List<Integer> tones, int velocity, ParticlePanel vp) {
for(int tone : tones) {
this.channel.noteOn(tone, velocity);
vp.notePlayed(tone, velocity, null);
}
}
protected static HashMap<Integer, List<Instrument>> channelMap = new HashMap<Integer, List<Instrument>>();
/**
* Registreert channel voor gebruik van opgegeven instrument. Channels die
* in gebruik zijn kunnen niet gepatcht worden. Meerdere registraties per channel
* zijn toegestaan.
* @param channel
* @param instrument
*/
public static void UseChannel(int channel, Instrument instrument) {
if(channelMap.containsKey(channel)) {
List<Instrument> instruments = channelMap.get(channel);
instruments.add(instrument);
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
instruments.add(instrument);
channelMap.put(channel, instruments);
}
}
/**
* Geeft channel vrij van gebruik. Vrije channels kunnen gepatcht worden om
* zo andere geluiden af te kunnen spelen
* @param channel
* @param instrument
*/
public static void FreeChannel(int channel, Instrument instrument) {
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
channelMap.get(targetChannel).remove(instrument);
}
}
/**
* Geeft het eerstvolgende vrije channel terug. Hierop kan een patch uitgevoerd
* worden met PatchChannel
* @return channel index, -1 indien er geen channel beschikbaar is
*/
public static int GetFirstFreeChannel() {
for(int i=0; i<9; i++) {
if(channelMap.containsKey(i)) {
if(channelMap.get(i).isEmpty()) {
return i;
}
}
else {
List<Instrument> instruments = new ArrayList<Instrument>();
channelMap.put(i, instruments);
return i;
}
}
return -1;
}
/**
* Retourneert channel voor het aangegeven instrument. Indien er een channel
* in gebruik is met hetzelfde instrument (dus als een andere speler het instrument
* ook heeft) wordt dat channel gereturnd. Indien dat niet het geval is, wordt
* een vrije channel gereturnd (die gepatcht is naar het meegegeven instrument).
* Indien er geen channel vrij is en er geen channels met gelijke instrumenten
* zijn, wordt -1 teruggegeven.
* @param instrument
* @return
*/
public static int GetChannelFor(Instrument instrument) {
if(instrument.getName().toLowerCase().contains("drum")) {
// 9 is het standaardkanaal voor drums
return 9;
}
int targetChannel = -1;
for(Integer i : channelMap.keySet()) {
List<Instrument> instruments = channelMap.get(i);
if(instruments.contains(instrument)) {
targetChannel = i;
}
}
if(targetChannel != -1) {
return targetChannel;
}
else {
// channel needs patching
int freeChannel = GetFirstFreeChannel();
if(freeChannel > -1) {
PatchChannel(freeChannel, instrument);
return freeChannel;
}
}
return -1;
}
/**
* Patcht een kanaal met een nieuw instrument.
* @param channel
* @param newInstrument
*/
protected static void PatchChannel(int channel, Instrument newInstrument) {
MidiChannel[] channels = null;
channels = Player.getInstance().getSynthesizer().getChannels();
Patch instrPatch = newInstrument.getPatch();
channels[channel].programChange(instrPatch.getBank(), instrPatch.getProgram());
}
public Instrument getInstrument() {
return instrument;
}
/**
* Geeft de naam van het instrument dat tot deze configuratie behoort
* @return
*/
public String toString() {
return this.instrument.getName();
}
/**
* schakeld alle noten<SUF>*/
void muteActiveTones() {
this.channel.allNotesOff();
}
}
|
1692_0 |
package SxxMachine;
import java.io.File;
import java.io.IOException;
import java.util.Set;
import java.util.TreeSet;
public class FileUtil {
private final static Logger log = Logger.getLogger(FileUtil.class);
private static Set<File> removeFiles;
private FileUtil() {
}
public static File createTempFolder(String name) throws IOException {
File folder;
do {
folder = File.createTempFile(name, "tmpfolder");
} while (!(folder.delete() && folder.mkdirs()));
return folder;
}
public static synchronized void removeOnExit(File f) {
if (removeFiles == null) {
removeFiles = new TreeSet<File>();
Runtime.getRuntime().addShutdownHook(new Thread() {
@Override
public void run() {
final Set<File> todo = removeFiles;
removeFiles = null;
for (final File f : todo) {
if (f.exists()) { //Kan ondertussen reeds opgekuist zijn
doRemoveRecursive(f, false);
}
}
}
});
}
removeFiles.add(f);
}
public static void removeRecursive(File f) {
doRemoveRecursive(f, true);
if (removeFiles != null)
removeFiles.remove(f);
}
private static void doRemoveRecursive(File f, boolean doExtra) {
if (f.isDirectory()) {
for (final File sub : f.listFiles())
if (doExtra)
removeRecursive(sub);
else
doRemoveRecursive(sub, doExtra);
}
if (!f.delete()) {
log.warn("Could not remove file/directory: " + f);
}
}
}
| DouglasRMiles/SxxMachine | jsrc-kuleuven/util/SxxMachine/FileUtil.java | 436 | //Kan ondertussen reeds opgekuist zijn | line_comment | nl |
package SxxMachine;
import java.io.File;
import java.io.IOException;
import java.util.Set;
import java.util.TreeSet;
public class FileUtil {
private final static Logger log = Logger.getLogger(FileUtil.class);
private static Set<File> removeFiles;
private FileUtil() {
}
public static File createTempFolder(String name) throws IOException {
File folder;
do {
folder = File.createTempFile(name, "tmpfolder");
} while (!(folder.delete() && folder.mkdirs()));
return folder;
}
public static synchronized void removeOnExit(File f) {
if (removeFiles == null) {
removeFiles = new TreeSet<File>();
Runtime.getRuntime().addShutdownHook(new Thread() {
@Override
public void run() {
final Set<File> todo = removeFiles;
removeFiles = null;
for (final File f : todo) {
if (f.exists()) { //Kan ondertussen<SUF>
doRemoveRecursive(f, false);
}
}
}
});
}
removeFiles.add(f);
}
public static void removeRecursive(File f) {
doRemoveRecursive(f, true);
if (removeFiles != null)
removeFiles.remove(f);
}
private static void doRemoveRecursive(File f, boolean doExtra) {
if (f.isDirectory()) {
for (final File sub : f.listFiles())
if (doExtra)
removeRecursive(sub);
else
doRemoveRecursive(sub, doExtra);
}
if (!f.delete()) {
log.warn("Could not remove file/directory: " + f);
}
}
}
|
1693_0 | package Machiavelli.Interfaces;
import Machiavelli.Enumerations.Type;
import Machiavelli.Interfaces.Observers.KarakterObserver;
import Machiavelli.Interfaces.Remotes.SpelerRemote;
import java.rmi.Remote;
import java.rmi.RemoteException;
/**
* Deze interface word geimplementeerd door alle karakters.
*
* Elk karakter heeft een unieken eigenschap welke hij kan
* gebruiken in het spel. Deze interface bied daar een
* methode voor. De ontwikkelaar van het karakter schrijft
* hiervoor zijn eigen "behaviour". Op deze manier hoef
* je niet te weten wie of wat het karakter is maar spreek
* je tegen een interface.
*
* Ook is er een setter aanwezig voor speler omdat het speler
* object veel word gebruikt binnen de methode gebruikEigenschap.
*/
public interface Karakter extends Remote {
// void setSpeler(Speler speler) throws RemoteException;
boolean gebruikEigenschap() throws RemoteException;
void setTarget(Object target) throws RemoteException;
Object getTarget() throws RemoteException;
void setSpeler(SpelerRemote speler) throws RemoteException;
SpelerRemote getSpeler() throws RemoteException;
String getNaam() throws RemoteException;
int getNummer() throws RemoteException;
int getBouwLimiet() throws RemoteException;
Type getType() throws RemoteException;
String getImage() throws RemoteException;
void addObserver(KarakterObserver observer) throws RemoteException;
void notifyObservers() throws RemoteException;
}
| Badmuts/Machiavelli | src/Machiavelli/Interfaces/Karakter.java | 335 | /**
* Deze interface word geimplementeerd door alle karakters.
*
* Elk karakter heeft een unieken eigenschap welke hij kan
* gebruiken in het spel. Deze interface bied daar een
* methode voor. De ontwikkelaar van het karakter schrijft
* hiervoor zijn eigen "behaviour". Op deze manier hoef
* je niet te weten wie of wat het karakter is maar spreek
* je tegen een interface.
*
* Ook is er een setter aanwezig voor speler omdat het speler
* object veel word gebruikt binnen de methode gebruikEigenschap.
*/ | block_comment | nl | package Machiavelli.Interfaces;
import Machiavelli.Enumerations.Type;
import Machiavelli.Interfaces.Observers.KarakterObserver;
import Machiavelli.Interfaces.Remotes.SpelerRemote;
import java.rmi.Remote;
import java.rmi.RemoteException;
/**
* Deze interface word<SUF>*/
public interface Karakter extends Remote {
// void setSpeler(Speler speler) throws RemoteException;
boolean gebruikEigenschap() throws RemoteException;
void setTarget(Object target) throws RemoteException;
Object getTarget() throws RemoteException;
void setSpeler(SpelerRemote speler) throws RemoteException;
SpelerRemote getSpeler() throws RemoteException;
String getNaam() throws RemoteException;
int getNummer() throws RemoteException;
int getBouwLimiet() throws RemoteException;
Type getType() throws RemoteException;
String getImage() throws RemoteException;
void addObserver(KarakterObserver observer) throws RemoteException;
void notifyObservers() throws RemoteException;
}
|
1697_4 | import greenfoot.*; // (World, Actor, GreenfootImage, Greenfoot and MouseInfo)
/**
* Write a description of class Menu here.
*
* @author (your name)
* @version (a version number or a date)
*/
public class Menu extends World
{
private CollisionEngine ce;
/**
* Constructor for objects of class Menu.
*
*/
public Menu()
{
// Create a new world with 600x400 cells with a cell size of 1x1 pixels.
super(1000, 800, 1);
this.setBackground("Menu.png");
int[][] map = {
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,166,-1,-1,162,-1,-1,164,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
};
// Declareren en initialiseren van de TileEngine klasse om de map aan de world toe te voegen
TileEngine te = new TileEngine(this, 70, 70, map);
// Declarenre en initialiseren van de camera klasse met de TileEngine klasse
// zodat de camera weet welke tiles allemaal moeten meebewegen met de camera
// Declareren en initialiseren van een main karakter van het spel mijne heet Hero. Deze klasse
// moet de klasse Mover extenden voor de camera om te werken
// Laat de camera een object volgen. Die moet een Mover instatie zijn of een extentie hiervan.
// Alle objecten toevoegen aan de wereld: camera, main karakter en mogelijke enemies
// Force act zodat de camera op de juist plek staat.
// 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.
// Toevoegen van de mover instantie of een extentie hiervan
}
/*@Override
public void act() {
ce.update();
}*/
}
| ROCMondriaanTIN/project-greenfoot-game-BramJvA | Menu.java | 642 | // Declareren en initialiseren van de TileEngine klasse om de map aan de world toe te voegen | line_comment | nl | import greenfoot.*; // (World, Actor, GreenfootImage, Greenfoot and MouseInfo)
/**
* Write a description of class Menu here.
*
* @author (your name)
* @version (a version number or a date)
*/
public class Menu extends World
{
private CollisionEngine ce;
/**
* Constructor for objects of class Menu.
*
*/
public Menu()
{
// Create a new world with 600x400 cells with a cell size of 1x1 pixels.
super(1000, 800, 1);
this.setBackground("Menu.png");
int[][] map = {
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,166,-1,-1,162,-1,-1,164,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
};
// Declareren en<SUF>
TileEngine te = new TileEngine(this, 70, 70, map);
// Declarenre en initialiseren van de camera klasse met de TileEngine klasse
// zodat de camera weet welke tiles allemaal moeten meebewegen met de camera
// Declareren en initialiseren van een main karakter van het spel mijne heet Hero. Deze klasse
// moet de klasse Mover extenden voor de camera om te werken
// Laat de camera een object volgen. Die moet een Mover instatie zijn of een extentie hiervan.
// Alle objecten toevoegen aan de wereld: camera, main karakter en mogelijke enemies
// Force act zodat de camera op de juist plek staat.
// 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.
// Toevoegen van de mover instantie of een extentie hiervan
}
/*@Override
public void act() {
ce.update();
}*/
}
|
1697_5 | import greenfoot.*; // (World, Actor, GreenfootImage, Greenfoot and MouseInfo)
/**
* Write a description of class Menu here.
*
* @author (your name)
* @version (a version number or a date)
*/
public class Menu extends World
{
private CollisionEngine ce;
/**
* Constructor for objects of class Menu.
*
*/
public Menu()
{
// Create a new world with 600x400 cells with a cell size of 1x1 pixels.
super(1000, 800, 1);
this.setBackground("Menu.png");
int[][] map = {
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,166,-1,-1,162,-1,-1,164,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
};
// Declareren en initialiseren van de TileEngine klasse om de map aan de world toe te voegen
TileEngine te = new TileEngine(this, 70, 70, map);
// Declarenre en initialiseren van de camera klasse met de TileEngine klasse
// zodat de camera weet welke tiles allemaal moeten meebewegen met de camera
// Declareren en initialiseren van een main karakter van het spel mijne heet Hero. Deze klasse
// moet de klasse Mover extenden voor de camera om te werken
// Laat de camera een object volgen. Die moet een Mover instatie zijn of een extentie hiervan.
// Alle objecten toevoegen aan de wereld: camera, main karakter en mogelijke enemies
// Force act zodat de camera op de juist plek staat.
// 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.
// Toevoegen van de mover instantie of een extentie hiervan
}
/*@Override
public void act() {
ce.update();
}*/
}
| ROCMondriaanTIN/project-greenfoot-game-BramJvA | Menu.java | 642 | // Declarenre en initialiseren van de camera klasse met de TileEngine klasse | line_comment | nl | import greenfoot.*; // (World, Actor, GreenfootImage, Greenfoot and MouseInfo)
/**
* Write a description of class Menu here.
*
* @author (your name)
* @version (a version number or a date)
*/
public class Menu extends World
{
private CollisionEngine ce;
/**
* Constructor for objects of class Menu.
*
*/
public Menu()
{
// Create a new world with 600x400 cells with a cell size of 1x1 pixels.
super(1000, 800, 1);
this.setBackground("Menu.png");
int[][] map = {
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,166,-1,-1,162,-1,-1,164,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
};
// Declareren en initialiseren van de TileEngine klasse om de map aan de world toe te voegen
TileEngine te = new TileEngine(this, 70, 70, map);
// Declarenre en<SUF>
// zodat de camera weet welke tiles allemaal moeten meebewegen met de camera
// Declareren en initialiseren van een main karakter van het spel mijne heet Hero. Deze klasse
// moet de klasse Mover extenden voor de camera om te werken
// Laat de camera een object volgen. Die moet een Mover instatie zijn of een extentie hiervan.
// Alle objecten toevoegen aan de wereld: camera, main karakter en mogelijke enemies
// Force act zodat de camera op de juist plek staat.
// 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.
// Toevoegen van de mover instantie of een extentie hiervan
}
/*@Override
public void act() {
ce.update();
}*/
}
|
1697_6 | import greenfoot.*; // (World, Actor, GreenfootImage, Greenfoot and MouseInfo)
/**
* Write a description of class Menu here.
*
* @author (your name)
* @version (a version number or a date)
*/
public class Menu extends World
{
private CollisionEngine ce;
/**
* Constructor for objects of class Menu.
*
*/
public Menu()
{
// Create a new world with 600x400 cells with a cell size of 1x1 pixels.
super(1000, 800, 1);
this.setBackground("Menu.png");
int[][] map = {
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,166,-1,-1,162,-1,-1,164,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
};
// Declareren en initialiseren van de TileEngine klasse om de map aan de world toe te voegen
TileEngine te = new TileEngine(this, 70, 70, map);
// Declarenre en initialiseren van de camera klasse met de TileEngine klasse
// zodat de camera weet welke tiles allemaal moeten meebewegen met de camera
// Declareren en initialiseren van een main karakter van het spel mijne heet Hero. Deze klasse
// moet de klasse Mover extenden voor de camera om te werken
// Laat de camera een object volgen. Die moet een Mover instatie zijn of een extentie hiervan.
// Alle objecten toevoegen aan de wereld: camera, main karakter en mogelijke enemies
// Force act zodat de camera op de juist plek staat.
// 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.
// Toevoegen van de mover instantie of een extentie hiervan
}
/*@Override
public void act() {
ce.update();
}*/
}
| ROCMondriaanTIN/project-greenfoot-game-BramJvA | Menu.java | 642 | // 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 Menu here.
*
* @author (your name)
* @version (a version number or a date)
*/
public class Menu extends World
{
private CollisionEngine ce;
/**
* Constructor for objects of class Menu.
*
*/
public Menu()
{
// Create a new world with 600x400 cells with a cell size of 1x1 pixels.
super(1000, 800, 1);
this.setBackground("Menu.png");
int[][] map = {
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,166,-1,-1,162,-1,-1,164,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
};
// Declareren en initialiseren van de TileEngine klasse om de map aan de world toe te voegen
TileEngine te = new TileEngine(this, 70, 70, map);
// Declarenre en initialiseren van de camera klasse met de TileEngine klasse
// zodat de<SUF>
// 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
// Laat de camera een object volgen. Die moet een Mover instatie zijn of een extentie hiervan.
// Alle objecten toevoegen aan de wereld: camera, main karakter en mogelijke enemies
// Force act zodat de camera op de juist plek staat.
// 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.
// Toevoegen van de mover instantie of een extentie hiervan
}
/*@Override
public void act() {
ce.update();
}*/
}
|
1697_7 | import greenfoot.*; // (World, Actor, GreenfootImage, Greenfoot and MouseInfo)
/**
* Write a description of class Menu here.
*
* @author (your name)
* @version (a version number or a date)
*/
public class Menu extends World
{
private CollisionEngine ce;
/**
* Constructor for objects of class Menu.
*
*/
public Menu()
{
// Create a new world with 600x400 cells with a cell size of 1x1 pixels.
super(1000, 800, 1);
this.setBackground("Menu.png");
int[][] map = {
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,166,-1,-1,162,-1,-1,164,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
};
// Declareren en initialiseren van de TileEngine klasse om de map aan de world toe te voegen
TileEngine te = new TileEngine(this, 70, 70, map);
// Declarenre en initialiseren van de camera klasse met de TileEngine klasse
// zodat de camera weet welke tiles allemaal moeten meebewegen met de camera
// Declareren en initialiseren van een main karakter van het spel mijne heet Hero. Deze klasse
// moet de klasse Mover extenden voor de camera om te werken
// Laat de camera een object volgen. Die moet een Mover instatie zijn of een extentie hiervan.
// Alle objecten toevoegen aan de wereld: camera, main karakter en mogelijke enemies
// Force act zodat de camera op de juist plek staat.
// 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.
// Toevoegen van de mover instantie of een extentie hiervan
}
/*@Override
public void act() {
ce.update();
}*/
}
| ROCMondriaanTIN/project-greenfoot-game-BramJvA | Menu.java | 642 | // Declareren en initialiseren van een main karakter van het spel mijne heet Hero. Deze klasse | line_comment | nl | import greenfoot.*; // (World, Actor, GreenfootImage, Greenfoot and MouseInfo)
/**
* Write a description of class Menu here.
*
* @author (your name)
* @version (a version number or a date)
*/
public class Menu extends World
{
private CollisionEngine ce;
/**
* Constructor for objects of class Menu.
*
*/
public Menu()
{
// Create a new world with 600x400 cells with a cell size of 1x1 pixels.
super(1000, 800, 1);
this.setBackground("Menu.png");
int[][] map = {
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,166,-1,-1,162,-1,-1,164,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
};
// Declareren en initialiseren van de TileEngine klasse om de map aan de world toe te voegen
TileEngine te = new TileEngine(this, 70, 70, map);
// Declarenre en initialiseren van de camera klasse met de TileEngine klasse
// zodat de camera weet welke tiles allemaal moeten meebewegen met de camera
// Declareren en<SUF>
// moet de klasse Mover extenden voor de camera om te werken
// Laat de camera een object volgen. Die moet een Mover instatie zijn of een extentie hiervan.
// Alle objecten toevoegen aan de wereld: camera, main karakter en mogelijke enemies
// Force act zodat de camera op de juist plek staat.
// 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.
// Toevoegen van de mover instantie of een extentie hiervan
}
/*@Override
public void act() {
ce.update();
}*/
}
|
1697_8 | import greenfoot.*; // (World, Actor, GreenfootImage, Greenfoot and MouseInfo)
/**
* Write a description of class Menu here.
*
* @author (your name)
* @version (a version number or a date)
*/
public class Menu extends World
{
private CollisionEngine ce;
/**
* Constructor for objects of class Menu.
*
*/
public Menu()
{
// Create a new world with 600x400 cells with a cell size of 1x1 pixels.
super(1000, 800, 1);
this.setBackground("Menu.png");
int[][] map = {
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,166,-1,-1,162,-1,-1,164,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
};
// Declareren en initialiseren van de TileEngine klasse om de map aan de world toe te voegen
TileEngine te = new TileEngine(this, 70, 70, map);
// Declarenre en initialiseren van de camera klasse met de TileEngine klasse
// zodat de camera weet welke tiles allemaal moeten meebewegen met de camera
// Declareren en initialiseren van een main karakter van het spel mijne heet Hero. Deze klasse
// moet de klasse Mover extenden voor de camera om te werken
// Laat de camera een object volgen. Die moet een Mover instatie zijn of een extentie hiervan.
// Alle objecten toevoegen aan de wereld: camera, main karakter en mogelijke enemies
// Force act zodat de camera op de juist plek staat.
// 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.
// Toevoegen van de mover instantie of een extentie hiervan
}
/*@Override
public void act() {
ce.update();
}*/
}
| ROCMondriaanTIN/project-greenfoot-game-BramJvA | Menu.java | 642 | // moet de klasse Mover extenden voor de camera om te werken | line_comment | nl | import greenfoot.*; // (World, Actor, GreenfootImage, Greenfoot and MouseInfo)
/**
* Write a description of class Menu here.
*
* @author (your name)
* @version (a version number or a date)
*/
public class Menu extends World
{
private CollisionEngine ce;
/**
* Constructor for objects of class Menu.
*
*/
public Menu()
{
// Create a new world with 600x400 cells with a cell size of 1x1 pixels.
super(1000, 800, 1);
this.setBackground("Menu.png");
int[][] map = {
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,166,-1,-1,162,-1,-1,164,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
};
// Declareren en initialiseren van de TileEngine klasse om de map aan de world toe te voegen
TileEngine te = new TileEngine(this, 70, 70, map);
// Declarenre en initialiseren van de camera klasse met de TileEngine klasse
// zodat de camera weet welke tiles allemaal moeten meebewegen met de camera
// Declareren en initialiseren van een main karakter van het spel mijne heet Hero. Deze klasse
// moet de<SUF>
// Laat de camera een object volgen. Die moet een Mover instatie zijn of een extentie hiervan.
// Alle objecten toevoegen aan de wereld: camera, main karakter en mogelijke enemies
// Force act zodat de camera op de juist plek staat.
// 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.
// Toevoegen van de mover instantie of een extentie hiervan
}
/*@Override
public void act() {
ce.update();
}*/
}
|
1697_9 | import greenfoot.*; // (World, Actor, GreenfootImage, Greenfoot and MouseInfo)
/**
* Write a description of class Menu here.
*
* @author (your name)
* @version (a version number or a date)
*/
public class Menu extends World
{
private CollisionEngine ce;
/**
* Constructor for objects of class Menu.
*
*/
public Menu()
{
// Create a new world with 600x400 cells with a cell size of 1x1 pixels.
super(1000, 800, 1);
this.setBackground("Menu.png");
int[][] map = {
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,166,-1,-1,162,-1,-1,164,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
};
// Declareren en initialiseren van de TileEngine klasse om de map aan de world toe te voegen
TileEngine te = new TileEngine(this, 70, 70, map);
// Declarenre en initialiseren van de camera klasse met de TileEngine klasse
// zodat de camera weet welke tiles allemaal moeten meebewegen met de camera
// Declareren en initialiseren van een main karakter van het spel mijne heet Hero. Deze klasse
// moet de klasse Mover extenden voor de camera om te werken
// Laat de camera een object volgen. Die moet een Mover instatie zijn of een extentie hiervan.
// Alle objecten toevoegen aan de wereld: camera, main karakter en mogelijke enemies
// Force act zodat de camera op de juist plek staat.
// 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.
// Toevoegen van de mover instantie of een extentie hiervan
}
/*@Override
public void act() {
ce.update();
}*/
}
| ROCMondriaanTIN/project-greenfoot-game-BramJvA | Menu.java | 642 | // Laat de camera een object volgen. Die moet een Mover instatie zijn of een extentie hiervan. | line_comment | nl | import greenfoot.*; // (World, Actor, GreenfootImage, Greenfoot and MouseInfo)
/**
* Write a description of class Menu here.
*
* @author (your name)
* @version (a version number or a date)
*/
public class Menu extends World
{
private CollisionEngine ce;
/**
* Constructor for objects of class Menu.
*
*/
public Menu()
{
// Create a new world with 600x400 cells with a cell size of 1x1 pixels.
super(1000, 800, 1);
this.setBackground("Menu.png");
int[][] map = {
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,166,-1,-1,162,-1,-1,164,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
};
// Declareren en initialiseren van de TileEngine klasse om de map aan de world toe te voegen
TileEngine te = new TileEngine(this, 70, 70, map);
// Declarenre en initialiseren van de camera klasse met de TileEngine klasse
// zodat de camera weet welke tiles allemaal moeten meebewegen met de camera
// Declareren en initialiseren van een main karakter van het spel mijne heet Hero. Deze klasse
// moet de klasse Mover extenden voor de camera om te werken
// Laat de<SUF>
// Alle objecten toevoegen aan de wereld: camera, main karakter en mogelijke enemies
// Force act zodat de camera op de juist plek staat.
// 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.
// Toevoegen van de mover instantie of een extentie hiervan
}
/*@Override
public void act() {
ce.update();
}*/
}
|
1697_10 | import greenfoot.*; // (World, Actor, GreenfootImage, Greenfoot and MouseInfo)
/**
* Write a description of class Menu here.
*
* @author (your name)
* @version (a version number or a date)
*/
public class Menu extends World
{
private CollisionEngine ce;
/**
* Constructor for objects of class Menu.
*
*/
public Menu()
{
// Create a new world with 600x400 cells with a cell size of 1x1 pixels.
super(1000, 800, 1);
this.setBackground("Menu.png");
int[][] map = {
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,166,-1,-1,162,-1,-1,164,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
};
// Declareren en initialiseren van de TileEngine klasse om de map aan de world toe te voegen
TileEngine te = new TileEngine(this, 70, 70, map);
// Declarenre en initialiseren van de camera klasse met de TileEngine klasse
// zodat de camera weet welke tiles allemaal moeten meebewegen met de camera
// Declareren en initialiseren van een main karakter van het spel mijne heet Hero. Deze klasse
// moet de klasse Mover extenden voor de camera om te werken
// Laat de camera een object volgen. Die moet een Mover instatie zijn of een extentie hiervan.
// Alle objecten toevoegen aan de wereld: camera, main karakter en mogelijke enemies
// Force act zodat de camera op de juist plek staat.
// 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.
// Toevoegen van de mover instantie of een extentie hiervan
}
/*@Override
public void act() {
ce.update();
}*/
}
| ROCMondriaanTIN/project-greenfoot-game-BramJvA | Menu.java | 642 | // Alle objecten toevoegen aan de wereld: camera, main karakter en mogelijke enemies | line_comment | nl | import greenfoot.*; // (World, Actor, GreenfootImage, Greenfoot and MouseInfo)
/**
* Write a description of class Menu here.
*
* @author (your name)
* @version (a version number or a date)
*/
public class Menu extends World
{
private CollisionEngine ce;
/**
* Constructor for objects of class Menu.
*
*/
public Menu()
{
// Create a new world with 600x400 cells with a cell size of 1x1 pixels.
super(1000, 800, 1);
this.setBackground("Menu.png");
int[][] map = {
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,166,-1,-1,162,-1,-1,164,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
};
// Declareren en initialiseren van de TileEngine klasse om de map aan de world toe te voegen
TileEngine te = new TileEngine(this, 70, 70, map);
// Declarenre en initialiseren van de camera klasse met de TileEngine klasse
// zodat de camera weet welke tiles allemaal moeten meebewegen met de camera
// Declareren en initialiseren van een main karakter van het spel mijne heet Hero. Deze klasse
// moet de klasse Mover extenden voor de camera om te werken
// Laat de camera een object volgen. Die moet een Mover instatie zijn of een extentie hiervan.
// Alle objecten<SUF>
// Force act zodat de camera op de juist plek staat.
// 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.
// Toevoegen van de mover instantie of een extentie hiervan
}
/*@Override
public void act() {
ce.update();
}*/
}
|
1697_11 | import greenfoot.*; // (World, Actor, GreenfootImage, Greenfoot and MouseInfo)
/**
* Write a description of class Menu here.
*
* @author (your name)
* @version (a version number or a date)
*/
public class Menu extends World
{
private CollisionEngine ce;
/**
* Constructor for objects of class Menu.
*
*/
public Menu()
{
// Create a new world with 600x400 cells with a cell size of 1x1 pixels.
super(1000, 800, 1);
this.setBackground("Menu.png");
int[][] map = {
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,166,-1,-1,162,-1,-1,164,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
};
// Declareren en initialiseren van de TileEngine klasse om de map aan de world toe te voegen
TileEngine te = new TileEngine(this, 70, 70, map);
// Declarenre en initialiseren van de camera klasse met de TileEngine klasse
// zodat de camera weet welke tiles allemaal moeten meebewegen met de camera
// Declareren en initialiseren van een main karakter van het spel mijne heet Hero. Deze klasse
// moet de klasse Mover extenden voor de camera om te werken
// Laat de camera een object volgen. Die moet een Mover instatie zijn of een extentie hiervan.
// Alle objecten toevoegen aan de wereld: camera, main karakter en mogelijke enemies
// Force act zodat de camera op de juist plek staat.
// 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.
// Toevoegen van de mover instantie of een extentie hiervan
}
/*@Override
public void act() {
ce.update();
}*/
}
| ROCMondriaanTIN/project-greenfoot-game-BramJvA | Menu.java | 642 | // Force act zodat de camera op de juist plek staat. | line_comment | nl | import greenfoot.*; // (World, Actor, GreenfootImage, Greenfoot and MouseInfo)
/**
* Write a description of class Menu here.
*
* @author (your name)
* @version (a version number or a date)
*/
public class Menu extends World
{
private CollisionEngine ce;
/**
* Constructor for objects of class Menu.
*
*/
public Menu()
{
// Create a new world with 600x400 cells with a cell size of 1x1 pixels.
super(1000, 800, 1);
this.setBackground("Menu.png");
int[][] map = {
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,166,-1,-1,162,-1,-1,164,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
};
// Declareren en initialiseren van de TileEngine klasse om de map aan de world toe te voegen
TileEngine te = new TileEngine(this, 70, 70, map);
// Declarenre en initialiseren van de camera klasse met de TileEngine klasse
// zodat de camera weet welke tiles allemaal moeten meebewegen met de camera
// Declareren en initialiseren van een main karakter van het spel mijne heet Hero. Deze klasse
// moet de klasse Mover extenden voor de camera om te werken
// Laat de camera een object volgen. Die moet een Mover instatie zijn of een extentie hiervan.
// Alle objecten toevoegen aan de wereld: camera, main karakter en mogelijke enemies
// Force act<SUF>
// 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.
// Toevoegen van de mover instantie of een extentie hiervan
}
/*@Override
public void act() {
ce.update();
}*/
}
|
1697_12 | import greenfoot.*; // (World, Actor, GreenfootImage, Greenfoot and MouseInfo)
/**
* Write a description of class Menu here.
*
* @author (your name)
* @version (a version number or a date)
*/
public class Menu extends World
{
private CollisionEngine ce;
/**
* Constructor for objects of class Menu.
*
*/
public Menu()
{
// Create a new world with 600x400 cells with a cell size of 1x1 pixels.
super(1000, 800, 1);
this.setBackground("Menu.png");
int[][] map = {
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,166,-1,-1,162,-1,-1,164,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
};
// Declareren en initialiseren van de TileEngine klasse om de map aan de world toe te voegen
TileEngine te = new TileEngine(this, 70, 70, map);
// Declarenre en initialiseren van de camera klasse met de TileEngine klasse
// zodat de camera weet welke tiles allemaal moeten meebewegen met de camera
// Declareren en initialiseren van een main karakter van het spel mijne heet Hero. Deze klasse
// moet de klasse Mover extenden voor de camera om te werken
// Laat de camera een object volgen. Die moet een Mover instatie zijn of een extentie hiervan.
// Alle objecten toevoegen aan de wereld: camera, main karakter en mogelijke enemies
// Force act zodat de camera op de juist plek staat.
// 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.
// Toevoegen van de mover instantie of een extentie hiervan
}
/*@Override
public void act() {
ce.update();
}*/
}
| ROCMondriaanTIN/project-greenfoot-game-BramJvA | Menu.java | 642 | // Initialiseren van de CollisionEngine zodat de speler niet door de tile heen kan lopen. | line_comment | nl | import greenfoot.*; // (World, Actor, GreenfootImage, Greenfoot and MouseInfo)
/**
* Write a description of class Menu here.
*
* @author (your name)
* @version (a version number or a date)
*/
public class Menu extends World
{
private CollisionEngine ce;
/**
* Constructor for objects of class Menu.
*
*/
public Menu()
{
// Create a new world with 600x400 cells with a cell size of 1x1 pixels.
super(1000, 800, 1);
this.setBackground("Menu.png");
int[][] map = {
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,166,-1,-1,162,-1,-1,164,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
};
// Declareren en initialiseren van de TileEngine klasse om de map aan de world toe te voegen
TileEngine te = new TileEngine(this, 70, 70, map);
// Declarenre en initialiseren van de camera klasse met de TileEngine klasse
// zodat de camera weet welke tiles allemaal moeten meebewegen met de camera
// Declareren en initialiseren van een main karakter van het spel mijne heet Hero. Deze klasse
// moet de klasse Mover extenden voor de camera om te werken
// Laat de camera een object volgen. Die moet een Mover instatie zijn of een extentie hiervan.
// Alle objecten toevoegen aan de wereld: camera, main karakter en mogelijke enemies
// Force act zodat de camera op de juist plek staat.
// Initialiseren van<SUF>
// De collision engine kijkt alleen naar de tiles die de variabele solid op true hebben staan.
// Toevoegen van de mover instantie of een extentie hiervan
}
/*@Override
public void act() {
ce.update();
}*/
}
|
1697_13 | import greenfoot.*; // (World, Actor, GreenfootImage, Greenfoot and MouseInfo)
/**
* Write a description of class Menu here.
*
* @author (your name)
* @version (a version number or a date)
*/
public class Menu extends World
{
private CollisionEngine ce;
/**
* Constructor for objects of class Menu.
*
*/
public Menu()
{
// Create a new world with 600x400 cells with a cell size of 1x1 pixels.
super(1000, 800, 1);
this.setBackground("Menu.png");
int[][] map = {
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,166,-1,-1,162,-1,-1,164,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
};
// Declareren en initialiseren van de TileEngine klasse om de map aan de world toe te voegen
TileEngine te = new TileEngine(this, 70, 70, map);
// Declarenre en initialiseren van de camera klasse met de TileEngine klasse
// zodat de camera weet welke tiles allemaal moeten meebewegen met de camera
// Declareren en initialiseren van een main karakter van het spel mijne heet Hero. Deze klasse
// moet de klasse Mover extenden voor de camera om te werken
// Laat de camera een object volgen. Die moet een Mover instatie zijn of een extentie hiervan.
// Alle objecten toevoegen aan de wereld: camera, main karakter en mogelijke enemies
// Force act zodat de camera op de juist plek staat.
// 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.
// Toevoegen van de mover instantie of een extentie hiervan
}
/*@Override
public void act() {
ce.update();
}*/
}
| ROCMondriaanTIN/project-greenfoot-game-BramJvA | Menu.java | 642 | // De collision engine kijkt alleen naar de tiles die de variabele solid op true hebben staan. | line_comment | nl | import greenfoot.*; // (World, Actor, GreenfootImage, Greenfoot and MouseInfo)
/**
* Write a description of class Menu here.
*
* @author (your name)
* @version (a version number or a date)
*/
public class Menu extends World
{
private CollisionEngine ce;
/**
* Constructor for objects of class Menu.
*
*/
public Menu()
{
// Create a new world with 600x400 cells with a cell size of 1x1 pixels.
super(1000, 800, 1);
this.setBackground("Menu.png");
int[][] map = {
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,166,-1,-1,162,-1,-1,164,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
};
// Declareren en initialiseren van de TileEngine klasse om de map aan de world toe te voegen
TileEngine te = new TileEngine(this, 70, 70, map);
// Declarenre en initialiseren van de camera klasse met de TileEngine klasse
// zodat de camera weet welke tiles allemaal moeten meebewegen met de camera
// Declareren en initialiseren van een main karakter van het spel mijne heet Hero. Deze klasse
// moet de klasse Mover extenden voor de camera om te werken
// Laat de camera een object volgen. Die moet een Mover instatie zijn of een extentie hiervan.
// Alle objecten toevoegen aan de wereld: camera, main karakter en mogelijke enemies
// Force act zodat de camera op de juist plek staat.
// Initialiseren van de CollisionEngine zodat de speler niet door de tile heen kan lopen.
// De collision<SUF>
// Toevoegen van de mover instantie of een extentie hiervan
}
/*@Override
public void act() {
ce.update();
}*/
}
|
1697_14 | import greenfoot.*; // (World, Actor, GreenfootImage, Greenfoot and MouseInfo)
/**
* Write a description of class Menu here.
*
* @author (your name)
* @version (a version number or a date)
*/
public class Menu extends World
{
private CollisionEngine ce;
/**
* Constructor for objects of class Menu.
*
*/
public Menu()
{
// Create a new world with 600x400 cells with a cell size of 1x1 pixels.
super(1000, 800, 1);
this.setBackground("Menu.png");
int[][] map = {
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,166,-1,-1,162,-1,-1,164,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
};
// Declareren en initialiseren van de TileEngine klasse om de map aan de world toe te voegen
TileEngine te = new TileEngine(this, 70, 70, map);
// Declarenre en initialiseren van de camera klasse met de TileEngine klasse
// zodat de camera weet welke tiles allemaal moeten meebewegen met de camera
// Declareren en initialiseren van een main karakter van het spel mijne heet Hero. Deze klasse
// moet de klasse Mover extenden voor de camera om te werken
// Laat de camera een object volgen. Die moet een Mover instatie zijn of een extentie hiervan.
// Alle objecten toevoegen aan de wereld: camera, main karakter en mogelijke enemies
// Force act zodat de camera op de juist plek staat.
// 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.
// Toevoegen van de mover instantie of een extentie hiervan
}
/*@Override
public void act() {
ce.update();
}*/
}
| ROCMondriaanTIN/project-greenfoot-game-BramJvA | Menu.java | 642 | // Toevoegen van de mover instantie of een extentie hiervan | line_comment | nl | import greenfoot.*; // (World, Actor, GreenfootImage, Greenfoot and MouseInfo)
/**
* Write a description of class Menu here.
*
* @author (your name)
* @version (a version number or a date)
*/
public class Menu extends World
{
private CollisionEngine ce;
/**
* Constructor for objects of class Menu.
*
*/
public Menu()
{
// Create a new world with 600x400 cells with a cell size of 1x1 pixels.
super(1000, 800, 1);
this.setBackground("Menu.png");
int[][] map = {
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,166,-1,-1,162,-1,-1,164,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
{-1,-1,-1,-1,-1,-1,-1,-1,-1,-1,-1},
};
// Declareren en initialiseren van de TileEngine klasse om de map aan de world toe te voegen
TileEngine te = new TileEngine(this, 70, 70, map);
// Declarenre en initialiseren van de camera klasse met de TileEngine klasse
// zodat de camera weet welke tiles allemaal moeten meebewegen met de camera
// Declareren en initialiseren van een main karakter van het spel mijne heet Hero. Deze klasse
// moet de klasse Mover extenden voor de camera om te werken
// Laat de camera een object volgen. Die moet een Mover instatie zijn of een extentie hiervan.
// Alle objecten toevoegen aan de wereld: camera, main karakter en mogelijke enemies
// Force act zodat de camera op de juist plek staat.
// 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.
// Toevoegen van<SUF>
}
/*@Override
public void act() {
ce.update();
}*/
}
|
1698_1 | /**
This file is part of a 3D engine,
copyright Arne Vansteenkiste 2006-2010.
Use of this source code is governed by the GNU General Public License version 3,
as published by the Free Software Foundation.
*/
package maxview;
import java.awt.*;
import java.awt.geom.*;
/**
Convex 3D object. Niet-convexe objecten kunnen gemaakt worden met Group.
*/
public final class Mesh extends Brush{
private Vertex[] vertex; //Punten van de 3D-figuur.
private int[][] polys; //Lijsten met nummers van vertices die telkens een zijvlak definieren.
private Color[] fill; //Kleur zijvlakken
private Color[] line; //lijnkleur zijvlakken
private Polygon[] polys2D; //Zijvlakken
private int nPolys; //Aantal zijvlakken
private boolean show[]; //Welke zijvlakken moeten getekend worden op basis van heliciteit.
private double z; //verst verwijderde z coordinaat (na transformatie) voor ordening.
public Mesh(Vertex[] v, int[][] polys, Color[] fill, Color[] line){
vertex = v;
this.polys = polys;
this.fill = fill;
this.line = line;
nPolys = polys.length;
initPolys2D();
}
public Mesh(Vertex[] v, int[][] polys, Color fill, Color line){
this(v, polys,
colorArray(fill, polys.length), colorArray(line, polys.length));
}
public Mesh(Vertex[] v, int[][] polys){
this(v, polys, (Color)null, (Color)null);
}
public Vertex[] getVertices(){
return vertex;
}
public void light(Universe universe){
for(int p = 0; p < nPolys; p++){
//vectorproduct
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//relatieve vectoren:
double x1 = a.x-b.x, y1 = a.y-b.y, z1 = a.z-b.z;
double x2 = c.x-b.x, y2 = c.y-b.y, z2 = c.z-b.z;
//normaalvector op poly:
double nx = y1*z2-y2*z1;
double ny = x2*z1-x1*z2;
double nz = x1*y2-x2*y1;
final Vertex light = universe.getLight();
final Vertex ref = vertex[polys[p][0]];
double lx = light.x - ref.x, ly = light.y - ref.y, lz = light.z - ref.z;
double inprod = lx*nx + ly*ny + lz*nz;
inprod /= Math.sqrt((lx*lx + ly*ly + lz*lz) * (nx*nx + ny*ny + nz*nz));
int red = fill[p].getRed();
int green = fill[p].getGreen();
int blue = fill[p].getBlue();
double d = universe.getContrast();
fill[p] = new Color(light(red, inprod, d), light(green, inprod, d), light(blue, inprod, d), fill[p].getAlpha());
line[p] = fill[p]; // hack
}
}
private static int light(int color, double inprod, double lighting){
double l = (1-inprod)/2; //tussen 0 en 1;
double stay = (1-lighting) * color;
double remain = (lighting) * l * color;
return (int)(stay + remain);
}
public double getZ(){
return z;
}
public void paint(View view){
updatePolys2D();
Graphics2D g = view.getGraphics2D(); //?
for(int i = 0; i < nPolys; i++){
if(show[i]){
if(fill[i] != null){
g.setColor(fill[i]);
g.fill(polys2D[i]);
g.draw(polys2D[i]); // voor de edges
}
if(line[i] != null){
g.setColor(line[i]);
g.draw(polys2D[i]);
}
}
}
}
public void sort(){
return;
}
public Brush copy(){
Vertex[] v = new Vertex[vertex.length];
for(int i = 0; i < vertex.length; i++)
v[i] = vertex[i].copy();
int[][] p = new int[nPolys][];
for(int i = 0; i < nPolys; i++){
p[i] = new int[polys[i].length];
for(int j = 0; j < p[i].length; j++)
p[i][j] = polys[i][j];
}
Color[] f = new Color[fill.length];
for(int i = 0; i < fill.length; i++)
if(fill[i] != null)
f[i] = new Color(fill[i].getRed(), fill[i].getGreen(), fill[i].getBlue(), fill[i].getAlpha());
Color[] l = new Color[line.length];
for(int i = 0; i < line.length; i++)
if(line[i] != null)
l[i] = new Color(line[i].getRed(), line[i].getGreen(), line[i].getBlue(), line[i].getAlpha());
Mesh copy = new Mesh(v, p, f, l);
return copy;
}
/** Zet de kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de zijvlakken niet ingekleurd */
public void setFillColor(Color c){
fill = colorArray(c, nPolys);
}
/** Zet de kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt het overeenkomstig zijvlak niet ingekleurd. */
public void setFillColor(Color[] c){
fill = c;
}
/** Zet de omtrek-kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de omtrekken van de zijvlakken niet getekend. */
public void setLineColor(Color c){
line = colorArray(c, nPolys);
}
/** Zet de omtrek-kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt de overeenkomstige omtrek niet getekend. */
public void setLineColor(Color[] c){
line = c;
}
//berekent nieuwe coordinaten en kleuren van de polygonen.
//moet aangeroepen worden na elke transform door de viewport.
private void updatePolys2D(){
z = Double.NEGATIVE_INFINITY;
for(int p = 0; p < nPolys; p++){
Polygon poly2D = polys2D[p];
int[] x = poly2D.xpoints;
int[] y = poly2D.ypoints;
int[] vertexNum = polys[p];
//dingen achter blikveld worden niet getekend.
boolean inFront = true;
for(int i = 0; i < poly2D.npoints; i++){
Vertex v = vertex[vertexNum[i]];
x[i] = (int) (v.tx+.5);
y[i] = (int) (v.ty+.5);
//voor of achter blikveld?
if(v.tz < 0)
inFront = false;
//verste z voor ordening
if(v.tz > z)
z = v.tz;
}
if(inFront){
//vectorproduct voor heliciteit:
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//heliciteit
double xt1 = a.tx-b.tx, yt1 = a.ty-b.ty;
double xt2 = c.tx-b.tx, yt2 = c.ty-b.ty;
double hel = xt1*yt2 - xt2*yt1;
show[p] = (hel < 0);
}
else
show[p] = false;
}
}
//initialiseerd Polygons met juiste aantal punten.
private void initPolys2D(){
polys2D = new Polygon[nPolys];
for(int i = 0; i < nPolys; i++){
int npoints = polys[i].length;
polys2D[i] = new Polygon(new int[npoints], new int[npoints], npoints);
}
show = new boolean[nPolys];
}
private static Color[] colorArray(Color c, int length){
Color[] array = new Color[length];
for(int i = 0; i < length; i++)
array[i] = c;
return array;
}
private static int[] intArray(int number, int length){
int[] array = new int[length];
for(int i = 0; i < length; i++)
array[i] = number;
return array;
}
}
| mumax/1 | src/java/maxview/Mesh.java | 2,454 | /**
Convex 3D object. Niet-convexe objecten kunnen gemaakt worden met Group.
*/ | block_comment | nl | /**
This file is part of a 3D engine,
copyright Arne Vansteenkiste 2006-2010.
Use of this source code is governed by the GNU General Public License version 3,
as published by the Free Software Foundation.
*/
package maxview;
import java.awt.*;
import java.awt.geom.*;
/**
Convex 3D object.<SUF>*/
public final class Mesh extends Brush{
private Vertex[] vertex; //Punten van de 3D-figuur.
private int[][] polys; //Lijsten met nummers van vertices die telkens een zijvlak definieren.
private Color[] fill; //Kleur zijvlakken
private Color[] line; //lijnkleur zijvlakken
private Polygon[] polys2D; //Zijvlakken
private int nPolys; //Aantal zijvlakken
private boolean show[]; //Welke zijvlakken moeten getekend worden op basis van heliciteit.
private double z; //verst verwijderde z coordinaat (na transformatie) voor ordening.
public Mesh(Vertex[] v, int[][] polys, Color[] fill, Color[] line){
vertex = v;
this.polys = polys;
this.fill = fill;
this.line = line;
nPolys = polys.length;
initPolys2D();
}
public Mesh(Vertex[] v, int[][] polys, Color fill, Color line){
this(v, polys,
colorArray(fill, polys.length), colorArray(line, polys.length));
}
public Mesh(Vertex[] v, int[][] polys){
this(v, polys, (Color)null, (Color)null);
}
public Vertex[] getVertices(){
return vertex;
}
public void light(Universe universe){
for(int p = 0; p < nPolys; p++){
//vectorproduct
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//relatieve vectoren:
double x1 = a.x-b.x, y1 = a.y-b.y, z1 = a.z-b.z;
double x2 = c.x-b.x, y2 = c.y-b.y, z2 = c.z-b.z;
//normaalvector op poly:
double nx = y1*z2-y2*z1;
double ny = x2*z1-x1*z2;
double nz = x1*y2-x2*y1;
final Vertex light = universe.getLight();
final Vertex ref = vertex[polys[p][0]];
double lx = light.x - ref.x, ly = light.y - ref.y, lz = light.z - ref.z;
double inprod = lx*nx + ly*ny + lz*nz;
inprod /= Math.sqrt((lx*lx + ly*ly + lz*lz) * (nx*nx + ny*ny + nz*nz));
int red = fill[p].getRed();
int green = fill[p].getGreen();
int blue = fill[p].getBlue();
double d = universe.getContrast();
fill[p] = new Color(light(red, inprod, d), light(green, inprod, d), light(blue, inprod, d), fill[p].getAlpha());
line[p] = fill[p]; // hack
}
}
private static int light(int color, double inprod, double lighting){
double l = (1-inprod)/2; //tussen 0 en 1;
double stay = (1-lighting) * color;
double remain = (lighting) * l * color;
return (int)(stay + remain);
}
public double getZ(){
return z;
}
public void paint(View view){
updatePolys2D();
Graphics2D g = view.getGraphics2D(); //?
for(int i = 0; i < nPolys; i++){
if(show[i]){
if(fill[i] != null){
g.setColor(fill[i]);
g.fill(polys2D[i]);
g.draw(polys2D[i]); // voor de edges
}
if(line[i] != null){
g.setColor(line[i]);
g.draw(polys2D[i]);
}
}
}
}
public void sort(){
return;
}
public Brush copy(){
Vertex[] v = new Vertex[vertex.length];
for(int i = 0; i < vertex.length; i++)
v[i] = vertex[i].copy();
int[][] p = new int[nPolys][];
for(int i = 0; i < nPolys; i++){
p[i] = new int[polys[i].length];
for(int j = 0; j < p[i].length; j++)
p[i][j] = polys[i][j];
}
Color[] f = new Color[fill.length];
for(int i = 0; i < fill.length; i++)
if(fill[i] != null)
f[i] = new Color(fill[i].getRed(), fill[i].getGreen(), fill[i].getBlue(), fill[i].getAlpha());
Color[] l = new Color[line.length];
for(int i = 0; i < line.length; i++)
if(line[i] != null)
l[i] = new Color(line[i].getRed(), line[i].getGreen(), line[i].getBlue(), line[i].getAlpha());
Mesh copy = new Mesh(v, p, f, l);
return copy;
}
/** Zet de kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de zijvlakken niet ingekleurd */
public void setFillColor(Color c){
fill = colorArray(c, nPolys);
}
/** Zet de kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt het overeenkomstig zijvlak niet ingekleurd. */
public void setFillColor(Color[] c){
fill = c;
}
/** Zet de omtrek-kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de omtrekken van de zijvlakken niet getekend. */
public void setLineColor(Color c){
line = colorArray(c, nPolys);
}
/** Zet de omtrek-kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt de overeenkomstige omtrek niet getekend. */
public void setLineColor(Color[] c){
line = c;
}
//berekent nieuwe coordinaten en kleuren van de polygonen.
//moet aangeroepen worden na elke transform door de viewport.
private void updatePolys2D(){
z = Double.NEGATIVE_INFINITY;
for(int p = 0; p < nPolys; p++){
Polygon poly2D = polys2D[p];
int[] x = poly2D.xpoints;
int[] y = poly2D.ypoints;
int[] vertexNum = polys[p];
//dingen achter blikveld worden niet getekend.
boolean inFront = true;
for(int i = 0; i < poly2D.npoints; i++){
Vertex v = vertex[vertexNum[i]];
x[i] = (int) (v.tx+.5);
y[i] = (int) (v.ty+.5);
//voor of achter blikveld?
if(v.tz < 0)
inFront = false;
//verste z voor ordening
if(v.tz > z)
z = v.tz;
}
if(inFront){
//vectorproduct voor heliciteit:
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//heliciteit
double xt1 = a.tx-b.tx, yt1 = a.ty-b.ty;
double xt2 = c.tx-b.tx, yt2 = c.ty-b.ty;
double hel = xt1*yt2 - xt2*yt1;
show[p] = (hel < 0);
}
else
show[p] = false;
}
}
//initialiseerd Polygons met juiste aantal punten.
private void initPolys2D(){
polys2D = new Polygon[nPolys];
for(int i = 0; i < nPolys; i++){
int npoints = polys[i].length;
polys2D[i] = new Polygon(new int[npoints], new int[npoints], npoints);
}
show = new boolean[nPolys];
}
private static Color[] colorArray(Color c, int length){
Color[] array = new Color[length];
for(int i = 0; i < length; i++)
array[i] = c;
return array;
}
private static int[] intArray(int number, int length){
int[] array = new int[length];
for(int i = 0; i < length; i++)
array[i] = number;
return array;
}
}
|
1698_2 | /**
This file is part of a 3D engine,
copyright Arne Vansteenkiste 2006-2010.
Use of this source code is governed by the GNU General Public License version 3,
as published by the Free Software Foundation.
*/
package maxview;
import java.awt.*;
import java.awt.geom.*;
/**
Convex 3D object. Niet-convexe objecten kunnen gemaakt worden met Group.
*/
public final class Mesh extends Brush{
private Vertex[] vertex; //Punten van de 3D-figuur.
private int[][] polys; //Lijsten met nummers van vertices die telkens een zijvlak definieren.
private Color[] fill; //Kleur zijvlakken
private Color[] line; //lijnkleur zijvlakken
private Polygon[] polys2D; //Zijvlakken
private int nPolys; //Aantal zijvlakken
private boolean show[]; //Welke zijvlakken moeten getekend worden op basis van heliciteit.
private double z; //verst verwijderde z coordinaat (na transformatie) voor ordening.
public Mesh(Vertex[] v, int[][] polys, Color[] fill, Color[] line){
vertex = v;
this.polys = polys;
this.fill = fill;
this.line = line;
nPolys = polys.length;
initPolys2D();
}
public Mesh(Vertex[] v, int[][] polys, Color fill, Color line){
this(v, polys,
colorArray(fill, polys.length), colorArray(line, polys.length));
}
public Mesh(Vertex[] v, int[][] polys){
this(v, polys, (Color)null, (Color)null);
}
public Vertex[] getVertices(){
return vertex;
}
public void light(Universe universe){
for(int p = 0; p < nPolys; p++){
//vectorproduct
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//relatieve vectoren:
double x1 = a.x-b.x, y1 = a.y-b.y, z1 = a.z-b.z;
double x2 = c.x-b.x, y2 = c.y-b.y, z2 = c.z-b.z;
//normaalvector op poly:
double nx = y1*z2-y2*z1;
double ny = x2*z1-x1*z2;
double nz = x1*y2-x2*y1;
final Vertex light = universe.getLight();
final Vertex ref = vertex[polys[p][0]];
double lx = light.x - ref.x, ly = light.y - ref.y, lz = light.z - ref.z;
double inprod = lx*nx + ly*ny + lz*nz;
inprod /= Math.sqrt((lx*lx + ly*ly + lz*lz) * (nx*nx + ny*ny + nz*nz));
int red = fill[p].getRed();
int green = fill[p].getGreen();
int blue = fill[p].getBlue();
double d = universe.getContrast();
fill[p] = new Color(light(red, inprod, d), light(green, inprod, d), light(blue, inprod, d), fill[p].getAlpha());
line[p] = fill[p]; // hack
}
}
private static int light(int color, double inprod, double lighting){
double l = (1-inprod)/2; //tussen 0 en 1;
double stay = (1-lighting) * color;
double remain = (lighting) * l * color;
return (int)(stay + remain);
}
public double getZ(){
return z;
}
public void paint(View view){
updatePolys2D();
Graphics2D g = view.getGraphics2D(); //?
for(int i = 0; i < nPolys; i++){
if(show[i]){
if(fill[i] != null){
g.setColor(fill[i]);
g.fill(polys2D[i]);
g.draw(polys2D[i]); // voor de edges
}
if(line[i] != null){
g.setColor(line[i]);
g.draw(polys2D[i]);
}
}
}
}
public void sort(){
return;
}
public Brush copy(){
Vertex[] v = new Vertex[vertex.length];
for(int i = 0; i < vertex.length; i++)
v[i] = vertex[i].copy();
int[][] p = new int[nPolys][];
for(int i = 0; i < nPolys; i++){
p[i] = new int[polys[i].length];
for(int j = 0; j < p[i].length; j++)
p[i][j] = polys[i][j];
}
Color[] f = new Color[fill.length];
for(int i = 0; i < fill.length; i++)
if(fill[i] != null)
f[i] = new Color(fill[i].getRed(), fill[i].getGreen(), fill[i].getBlue(), fill[i].getAlpha());
Color[] l = new Color[line.length];
for(int i = 0; i < line.length; i++)
if(line[i] != null)
l[i] = new Color(line[i].getRed(), line[i].getGreen(), line[i].getBlue(), line[i].getAlpha());
Mesh copy = new Mesh(v, p, f, l);
return copy;
}
/** Zet de kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de zijvlakken niet ingekleurd */
public void setFillColor(Color c){
fill = colorArray(c, nPolys);
}
/** Zet de kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt het overeenkomstig zijvlak niet ingekleurd. */
public void setFillColor(Color[] c){
fill = c;
}
/** Zet de omtrek-kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de omtrekken van de zijvlakken niet getekend. */
public void setLineColor(Color c){
line = colorArray(c, nPolys);
}
/** Zet de omtrek-kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt de overeenkomstige omtrek niet getekend. */
public void setLineColor(Color[] c){
line = c;
}
//berekent nieuwe coordinaten en kleuren van de polygonen.
//moet aangeroepen worden na elke transform door de viewport.
private void updatePolys2D(){
z = Double.NEGATIVE_INFINITY;
for(int p = 0; p < nPolys; p++){
Polygon poly2D = polys2D[p];
int[] x = poly2D.xpoints;
int[] y = poly2D.ypoints;
int[] vertexNum = polys[p];
//dingen achter blikveld worden niet getekend.
boolean inFront = true;
for(int i = 0; i < poly2D.npoints; i++){
Vertex v = vertex[vertexNum[i]];
x[i] = (int) (v.tx+.5);
y[i] = (int) (v.ty+.5);
//voor of achter blikveld?
if(v.tz < 0)
inFront = false;
//verste z voor ordening
if(v.tz > z)
z = v.tz;
}
if(inFront){
//vectorproduct voor heliciteit:
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//heliciteit
double xt1 = a.tx-b.tx, yt1 = a.ty-b.ty;
double xt2 = c.tx-b.tx, yt2 = c.ty-b.ty;
double hel = xt1*yt2 - xt2*yt1;
show[p] = (hel < 0);
}
else
show[p] = false;
}
}
//initialiseerd Polygons met juiste aantal punten.
private void initPolys2D(){
polys2D = new Polygon[nPolys];
for(int i = 0; i < nPolys; i++){
int npoints = polys[i].length;
polys2D[i] = new Polygon(new int[npoints], new int[npoints], npoints);
}
show = new boolean[nPolys];
}
private static Color[] colorArray(Color c, int length){
Color[] array = new Color[length];
for(int i = 0; i < length; i++)
array[i] = c;
return array;
}
private static int[] intArray(int number, int length){
int[] array = new int[length];
for(int i = 0; i < length; i++)
array[i] = number;
return array;
}
}
| mumax/1 | src/java/maxview/Mesh.java | 2,454 | //Punten van de 3D-figuur. | line_comment | nl | /**
This file is part of a 3D engine,
copyright Arne Vansteenkiste 2006-2010.
Use of this source code is governed by the GNU General Public License version 3,
as published by the Free Software Foundation.
*/
package maxview;
import java.awt.*;
import java.awt.geom.*;
/**
Convex 3D object. Niet-convexe objecten kunnen gemaakt worden met Group.
*/
public final class Mesh extends Brush{
private Vertex[] vertex; //Punten van<SUF>
private int[][] polys; //Lijsten met nummers van vertices die telkens een zijvlak definieren.
private Color[] fill; //Kleur zijvlakken
private Color[] line; //lijnkleur zijvlakken
private Polygon[] polys2D; //Zijvlakken
private int nPolys; //Aantal zijvlakken
private boolean show[]; //Welke zijvlakken moeten getekend worden op basis van heliciteit.
private double z; //verst verwijderde z coordinaat (na transformatie) voor ordening.
public Mesh(Vertex[] v, int[][] polys, Color[] fill, Color[] line){
vertex = v;
this.polys = polys;
this.fill = fill;
this.line = line;
nPolys = polys.length;
initPolys2D();
}
public Mesh(Vertex[] v, int[][] polys, Color fill, Color line){
this(v, polys,
colorArray(fill, polys.length), colorArray(line, polys.length));
}
public Mesh(Vertex[] v, int[][] polys){
this(v, polys, (Color)null, (Color)null);
}
public Vertex[] getVertices(){
return vertex;
}
public void light(Universe universe){
for(int p = 0; p < nPolys; p++){
//vectorproduct
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//relatieve vectoren:
double x1 = a.x-b.x, y1 = a.y-b.y, z1 = a.z-b.z;
double x2 = c.x-b.x, y2 = c.y-b.y, z2 = c.z-b.z;
//normaalvector op poly:
double nx = y1*z2-y2*z1;
double ny = x2*z1-x1*z2;
double nz = x1*y2-x2*y1;
final Vertex light = universe.getLight();
final Vertex ref = vertex[polys[p][0]];
double lx = light.x - ref.x, ly = light.y - ref.y, lz = light.z - ref.z;
double inprod = lx*nx + ly*ny + lz*nz;
inprod /= Math.sqrt((lx*lx + ly*ly + lz*lz) * (nx*nx + ny*ny + nz*nz));
int red = fill[p].getRed();
int green = fill[p].getGreen();
int blue = fill[p].getBlue();
double d = universe.getContrast();
fill[p] = new Color(light(red, inprod, d), light(green, inprod, d), light(blue, inprod, d), fill[p].getAlpha());
line[p] = fill[p]; // hack
}
}
private static int light(int color, double inprod, double lighting){
double l = (1-inprod)/2; //tussen 0 en 1;
double stay = (1-lighting) * color;
double remain = (lighting) * l * color;
return (int)(stay + remain);
}
public double getZ(){
return z;
}
public void paint(View view){
updatePolys2D();
Graphics2D g = view.getGraphics2D(); //?
for(int i = 0; i < nPolys; i++){
if(show[i]){
if(fill[i] != null){
g.setColor(fill[i]);
g.fill(polys2D[i]);
g.draw(polys2D[i]); // voor de edges
}
if(line[i] != null){
g.setColor(line[i]);
g.draw(polys2D[i]);
}
}
}
}
public void sort(){
return;
}
public Brush copy(){
Vertex[] v = new Vertex[vertex.length];
for(int i = 0; i < vertex.length; i++)
v[i] = vertex[i].copy();
int[][] p = new int[nPolys][];
for(int i = 0; i < nPolys; i++){
p[i] = new int[polys[i].length];
for(int j = 0; j < p[i].length; j++)
p[i][j] = polys[i][j];
}
Color[] f = new Color[fill.length];
for(int i = 0; i < fill.length; i++)
if(fill[i] != null)
f[i] = new Color(fill[i].getRed(), fill[i].getGreen(), fill[i].getBlue(), fill[i].getAlpha());
Color[] l = new Color[line.length];
for(int i = 0; i < line.length; i++)
if(line[i] != null)
l[i] = new Color(line[i].getRed(), line[i].getGreen(), line[i].getBlue(), line[i].getAlpha());
Mesh copy = new Mesh(v, p, f, l);
return copy;
}
/** Zet de kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de zijvlakken niet ingekleurd */
public void setFillColor(Color c){
fill = colorArray(c, nPolys);
}
/** Zet de kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt het overeenkomstig zijvlak niet ingekleurd. */
public void setFillColor(Color[] c){
fill = c;
}
/** Zet de omtrek-kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de omtrekken van de zijvlakken niet getekend. */
public void setLineColor(Color c){
line = colorArray(c, nPolys);
}
/** Zet de omtrek-kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt de overeenkomstige omtrek niet getekend. */
public void setLineColor(Color[] c){
line = c;
}
//berekent nieuwe coordinaten en kleuren van de polygonen.
//moet aangeroepen worden na elke transform door de viewport.
private void updatePolys2D(){
z = Double.NEGATIVE_INFINITY;
for(int p = 0; p < nPolys; p++){
Polygon poly2D = polys2D[p];
int[] x = poly2D.xpoints;
int[] y = poly2D.ypoints;
int[] vertexNum = polys[p];
//dingen achter blikveld worden niet getekend.
boolean inFront = true;
for(int i = 0; i < poly2D.npoints; i++){
Vertex v = vertex[vertexNum[i]];
x[i] = (int) (v.tx+.5);
y[i] = (int) (v.ty+.5);
//voor of achter blikveld?
if(v.tz < 0)
inFront = false;
//verste z voor ordening
if(v.tz > z)
z = v.tz;
}
if(inFront){
//vectorproduct voor heliciteit:
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//heliciteit
double xt1 = a.tx-b.tx, yt1 = a.ty-b.ty;
double xt2 = c.tx-b.tx, yt2 = c.ty-b.ty;
double hel = xt1*yt2 - xt2*yt1;
show[p] = (hel < 0);
}
else
show[p] = false;
}
}
//initialiseerd Polygons met juiste aantal punten.
private void initPolys2D(){
polys2D = new Polygon[nPolys];
for(int i = 0; i < nPolys; i++){
int npoints = polys[i].length;
polys2D[i] = new Polygon(new int[npoints], new int[npoints], npoints);
}
show = new boolean[nPolys];
}
private static Color[] colorArray(Color c, int length){
Color[] array = new Color[length];
for(int i = 0; i < length; i++)
array[i] = c;
return array;
}
private static int[] intArray(int number, int length){
int[] array = new int[length];
for(int i = 0; i < length; i++)
array[i] = number;
return array;
}
}
|
1698_3 | /**
This file is part of a 3D engine,
copyright Arne Vansteenkiste 2006-2010.
Use of this source code is governed by the GNU General Public License version 3,
as published by the Free Software Foundation.
*/
package maxview;
import java.awt.*;
import java.awt.geom.*;
/**
Convex 3D object. Niet-convexe objecten kunnen gemaakt worden met Group.
*/
public final class Mesh extends Brush{
private Vertex[] vertex; //Punten van de 3D-figuur.
private int[][] polys; //Lijsten met nummers van vertices die telkens een zijvlak definieren.
private Color[] fill; //Kleur zijvlakken
private Color[] line; //lijnkleur zijvlakken
private Polygon[] polys2D; //Zijvlakken
private int nPolys; //Aantal zijvlakken
private boolean show[]; //Welke zijvlakken moeten getekend worden op basis van heliciteit.
private double z; //verst verwijderde z coordinaat (na transformatie) voor ordening.
public Mesh(Vertex[] v, int[][] polys, Color[] fill, Color[] line){
vertex = v;
this.polys = polys;
this.fill = fill;
this.line = line;
nPolys = polys.length;
initPolys2D();
}
public Mesh(Vertex[] v, int[][] polys, Color fill, Color line){
this(v, polys,
colorArray(fill, polys.length), colorArray(line, polys.length));
}
public Mesh(Vertex[] v, int[][] polys){
this(v, polys, (Color)null, (Color)null);
}
public Vertex[] getVertices(){
return vertex;
}
public void light(Universe universe){
for(int p = 0; p < nPolys; p++){
//vectorproduct
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//relatieve vectoren:
double x1 = a.x-b.x, y1 = a.y-b.y, z1 = a.z-b.z;
double x2 = c.x-b.x, y2 = c.y-b.y, z2 = c.z-b.z;
//normaalvector op poly:
double nx = y1*z2-y2*z1;
double ny = x2*z1-x1*z2;
double nz = x1*y2-x2*y1;
final Vertex light = universe.getLight();
final Vertex ref = vertex[polys[p][0]];
double lx = light.x - ref.x, ly = light.y - ref.y, lz = light.z - ref.z;
double inprod = lx*nx + ly*ny + lz*nz;
inprod /= Math.sqrt((lx*lx + ly*ly + lz*lz) * (nx*nx + ny*ny + nz*nz));
int red = fill[p].getRed();
int green = fill[p].getGreen();
int blue = fill[p].getBlue();
double d = universe.getContrast();
fill[p] = new Color(light(red, inprod, d), light(green, inprod, d), light(blue, inprod, d), fill[p].getAlpha());
line[p] = fill[p]; // hack
}
}
private static int light(int color, double inprod, double lighting){
double l = (1-inprod)/2; //tussen 0 en 1;
double stay = (1-lighting) * color;
double remain = (lighting) * l * color;
return (int)(stay + remain);
}
public double getZ(){
return z;
}
public void paint(View view){
updatePolys2D();
Graphics2D g = view.getGraphics2D(); //?
for(int i = 0; i < nPolys; i++){
if(show[i]){
if(fill[i] != null){
g.setColor(fill[i]);
g.fill(polys2D[i]);
g.draw(polys2D[i]); // voor de edges
}
if(line[i] != null){
g.setColor(line[i]);
g.draw(polys2D[i]);
}
}
}
}
public void sort(){
return;
}
public Brush copy(){
Vertex[] v = new Vertex[vertex.length];
for(int i = 0; i < vertex.length; i++)
v[i] = vertex[i].copy();
int[][] p = new int[nPolys][];
for(int i = 0; i < nPolys; i++){
p[i] = new int[polys[i].length];
for(int j = 0; j < p[i].length; j++)
p[i][j] = polys[i][j];
}
Color[] f = new Color[fill.length];
for(int i = 0; i < fill.length; i++)
if(fill[i] != null)
f[i] = new Color(fill[i].getRed(), fill[i].getGreen(), fill[i].getBlue(), fill[i].getAlpha());
Color[] l = new Color[line.length];
for(int i = 0; i < line.length; i++)
if(line[i] != null)
l[i] = new Color(line[i].getRed(), line[i].getGreen(), line[i].getBlue(), line[i].getAlpha());
Mesh copy = new Mesh(v, p, f, l);
return copy;
}
/** Zet de kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de zijvlakken niet ingekleurd */
public void setFillColor(Color c){
fill = colorArray(c, nPolys);
}
/** Zet de kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt het overeenkomstig zijvlak niet ingekleurd. */
public void setFillColor(Color[] c){
fill = c;
}
/** Zet de omtrek-kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de omtrekken van de zijvlakken niet getekend. */
public void setLineColor(Color c){
line = colorArray(c, nPolys);
}
/** Zet de omtrek-kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt de overeenkomstige omtrek niet getekend. */
public void setLineColor(Color[] c){
line = c;
}
//berekent nieuwe coordinaten en kleuren van de polygonen.
//moet aangeroepen worden na elke transform door de viewport.
private void updatePolys2D(){
z = Double.NEGATIVE_INFINITY;
for(int p = 0; p < nPolys; p++){
Polygon poly2D = polys2D[p];
int[] x = poly2D.xpoints;
int[] y = poly2D.ypoints;
int[] vertexNum = polys[p];
//dingen achter blikveld worden niet getekend.
boolean inFront = true;
for(int i = 0; i < poly2D.npoints; i++){
Vertex v = vertex[vertexNum[i]];
x[i] = (int) (v.tx+.5);
y[i] = (int) (v.ty+.5);
//voor of achter blikveld?
if(v.tz < 0)
inFront = false;
//verste z voor ordening
if(v.tz > z)
z = v.tz;
}
if(inFront){
//vectorproduct voor heliciteit:
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//heliciteit
double xt1 = a.tx-b.tx, yt1 = a.ty-b.ty;
double xt2 = c.tx-b.tx, yt2 = c.ty-b.ty;
double hel = xt1*yt2 - xt2*yt1;
show[p] = (hel < 0);
}
else
show[p] = false;
}
}
//initialiseerd Polygons met juiste aantal punten.
private void initPolys2D(){
polys2D = new Polygon[nPolys];
for(int i = 0; i < nPolys; i++){
int npoints = polys[i].length;
polys2D[i] = new Polygon(new int[npoints], new int[npoints], npoints);
}
show = new boolean[nPolys];
}
private static Color[] colorArray(Color c, int length){
Color[] array = new Color[length];
for(int i = 0; i < length; i++)
array[i] = c;
return array;
}
private static int[] intArray(int number, int length){
int[] array = new int[length];
for(int i = 0; i < length; i++)
array[i] = number;
return array;
}
}
| mumax/1 | src/java/maxview/Mesh.java | 2,454 | //Lijsten met nummers van vertices die telkens een zijvlak definieren. | line_comment | nl | /**
This file is part of a 3D engine,
copyright Arne Vansteenkiste 2006-2010.
Use of this source code is governed by the GNU General Public License version 3,
as published by the Free Software Foundation.
*/
package maxview;
import java.awt.*;
import java.awt.geom.*;
/**
Convex 3D object. Niet-convexe objecten kunnen gemaakt worden met Group.
*/
public final class Mesh extends Brush{
private Vertex[] vertex; //Punten van de 3D-figuur.
private int[][] polys; //Lijsten met<SUF>
private Color[] fill; //Kleur zijvlakken
private Color[] line; //lijnkleur zijvlakken
private Polygon[] polys2D; //Zijvlakken
private int nPolys; //Aantal zijvlakken
private boolean show[]; //Welke zijvlakken moeten getekend worden op basis van heliciteit.
private double z; //verst verwijderde z coordinaat (na transformatie) voor ordening.
public Mesh(Vertex[] v, int[][] polys, Color[] fill, Color[] line){
vertex = v;
this.polys = polys;
this.fill = fill;
this.line = line;
nPolys = polys.length;
initPolys2D();
}
public Mesh(Vertex[] v, int[][] polys, Color fill, Color line){
this(v, polys,
colorArray(fill, polys.length), colorArray(line, polys.length));
}
public Mesh(Vertex[] v, int[][] polys){
this(v, polys, (Color)null, (Color)null);
}
public Vertex[] getVertices(){
return vertex;
}
public void light(Universe universe){
for(int p = 0; p < nPolys; p++){
//vectorproduct
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//relatieve vectoren:
double x1 = a.x-b.x, y1 = a.y-b.y, z1 = a.z-b.z;
double x2 = c.x-b.x, y2 = c.y-b.y, z2 = c.z-b.z;
//normaalvector op poly:
double nx = y1*z2-y2*z1;
double ny = x2*z1-x1*z2;
double nz = x1*y2-x2*y1;
final Vertex light = universe.getLight();
final Vertex ref = vertex[polys[p][0]];
double lx = light.x - ref.x, ly = light.y - ref.y, lz = light.z - ref.z;
double inprod = lx*nx + ly*ny + lz*nz;
inprod /= Math.sqrt((lx*lx + ly*ly + lz*lz) * (nx*nx + ny*ny + nz*nz));
int red = fill[p].getRed();
int green = fill[p].getGreen();
int blue = fill[p].getBlue();
double d = universe.getContrast();
fill[p] = new Color(light(red, inprod, d), light(green, inprod, d), light(blue, inprod, d), fill[p].getAlpha());
line[p] = fill[p]; // hack
}
}
private static int light(int color, double inprod, double lighting){
double l = (1-inprod)/2; //tussen 0 en 1;
double stay = (1-lighting) * color;
double remain = (lighting) * l * color;
return (int)(stay + remain);
}
public double getZ(){
return z;
}
public void paint(View view){
updatePolys2D();
Graphics2D g = view.getGraphics2D(); //?
for(int i = 0; i < nPolys; i++){
if(show[i]){
if(fill[i] != null){
g.setColor(fill[i]);
g.fill(polys2D[i]);
g.draw(polys2D[i]); // voor de edges
}
if(line[i] != null){
g.setColor(line[i]);
g.draw(polys2D[i]);
}
}
}
}
public void sort(){
return;
}
public Brush copy(){
Vertex[] v = new Vertex[vertex.length];
for(int i = 0; i < vertex.length; i++)
v[i] = vertex[i].copy();
int[][] p = new int[nPolys][];
for(int i = 0; i < nPolys; i++){
p[i] = new int[polys[i].length];
for(int j = 0; j < p[i].length; j++)
p[i][j] = polys[i][j];
}
Color[] f = new Color[fill.length];
for(int i = 0; i < fill.length; i++)
if(fill[i] != null)
f[i] = new Color(fill[i].getRed(), fill[i].getGreen(), fill[i].getBlue(), fill[i].getAlpha());
Color[] l = new Color[line.length];
for(int i = 0; i < line.length; i++)
if(line[i] != null)
l[i] = new Color(line[i].getRed(), line[i].getGreen(), line[i].getBlue(), line[i].getAlpha());
Mesh copy = new Mesh(v, p, f, l);
return copy;
}
/** Zet de kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de zijvlakken niet ingekleurd */
public void setFillColor(Color c){
fill = colorArray(c, nPolys);
}
/** Zet de kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt het overeenkomstig zijvlak niet ingekleurd. */
public void setFillColor(Color[] c){
fill = c;
}
/** Zet de omtrek-kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de omtrekken van de zijvlakken niet getekend. */
public void setLineColor(Color c){
line = colorArray(c, nPolys);
}
/** Zet de omtrek-kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt de overeenkomstige omtrek niet getekend. */
public void setLineColor(Color[] c){
line = c;
}
//berekent nieuwe coordinaten en kleuren van de polygonen.
//moet aangeroepen worden na elke transform door de viewport.
private void updatePolys2D(){
z = Double.NEGATIVE_INFINITY;
for(int p = 0; p < nPolys; p++){
Polygon poly2D = polys2D[p];
int[] x = poly2D.xpoints;
int[] y = poly2D.ypoints;
int[] vertexNum = polys[p];
//dingen achter blikveld worden niet getekend.
boolean inFront = true;
for(int i = 0; i < poly2D.npoints; i++){
Vertex v = vertex[vertexNum[i]];
x[i] = (int) (v.tx+.5);
y[i] = (int) (v.ty+.5);
//voor of achter blikveld?
if(v.tz < 0)
inFront = false;
//verste z voor ordening
if(v.tz > z)
z = v.tz;
}
if(inFront){
//vectorproduct voor heliciteit:
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//heliciteit
double xt1 = a.tx-b.tx, yt1 = a.ty-b.ty;
double xt2 = c.tx-b.tx, yt2 = c.ty-b.ty;
double hel = xt1*yt2 - xt2*yt1;
show[p] = (hel < 0);
}
else
show[p] = false;
}
}
//initialiseerd Polygons met juiste aantal punten.
private void initPolys2D(){
polys2D = new Polygon[nPolys];
for(int i = 0; i < nPolys; i++){
int npoints = polys[i].length;
polys2D[i] = new Polygon(new int[npoints], new int[npoints], npoints);
}
show = new boolean[nPolys];
}
private static Color[] colorArray(Color c, int length){
Color[] array = new Color[length];
for(int i = 0; i < length; i++)
array[i] = c;
return array;
}
private static int[] intArray(int number, int length){
int[] array = new int[length];
for(int i = 0; i < length; i++)
array[i] = number;
return array;
}
}
|
1698_4 | /**
This file is part of a 3D engine,
copyright Arne Vansteenkiste 2006-2010.
Use of this source code is governed by the GNU General Public License version 3,
as published by the Free Software Foundation.
*/
package maxview;
import java.awt.*;
import java.awt.geom.*;
/**
Convex 3D object. Niet-convexe objecten kunnen gemaakt worden met Group.
*/
public final class Mesh extends Brush{
private Vertex[] vertex; //Punten van de 3D-figuur.
private int[][] polys; //Lijsten met nummers van vertices die telkens een zijvlak definieren.
private Color[] fill; //Kleur zijvlakken
private Color[] line; //lijnkleur zijvlakken
private Polygon[] polys2D; //Zijvlakken
private int nPolys; //Aantal zijvlakken
private boolean show[]; //Welke zijvlakken moeten getekend worden op basis van heliciteit.
private double z; //verst verwijderde z coordinaat (na transformatie) voor ordening.
public Mesh(Vertex[] v, int[][] polys, Color[] fill, Color[] line){
vertex = v;
this.polys = polys;
this.fill = fill;
this.line = line;
nPolys = polys.length;
initPolys2D();
}
public Mesh(Vertex[] v, int[][] polys, Color fill, Color line){
this(v, polys,
colorArray(fill, polys.length), colorArray(line, polys.length));
}
public Mesh(Vertex[] v, int[][] polys){
this(v, polys, (Color)null, (Color)null);
}
public Vertex[] getVertices(){
return vertex;
}
public void light(Universe universe){
for(int p = 0; p < nPolys; p++){
//vectorproduct
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//relatieve vectoren:
double x1 = a.x-b.x, y1 = a.y-b.y, z1 = a.z-b.z;
double x2 = c.x-b.x, y2 = c.y-b.y, z2 = c.z-b.z;
//normaalvector op poly:
double nx = y1*z2-y2*z1;
double ny = x2*z1-x1*z2;
double nz = x1*y2-x2*y1;
final Vertex light = universe.getLight();
final Vertex ref = vertex[polys[p][0]];
double lx = light.x - ref.x, ly = light.y - ref.y, lz = light.z - ref.z;
double inprod = lx*nx + ly*ny + lz*nz;
inprod /= Math.sqrt((lx*lx + ly*ly + lz*lz) * (nx*nx + ny*ny + nz*nz));
int red = fill[p].getRed();
int green = fill[p].getGreen();
int blue = fill[p].getBlue();
double d = universe.getContrast();
fill[p] = new Color(light(red, inprod, d), light(green, inprod, d), light(blue, inprod, d), fill[p].getAlpha());
line[p] = fill[p]; // hack
}
}
private static int light(int color, double inprod, double lighting){
double l = (1-inprod)/2; //tussen 0 en 1;
double stay = (1-lighting) * color;
double remain = (lighting) * l * color;
return (int)(stay + remain);
}
public double getZ(){
return z;
}
public void paint(View view){
updatePolys2D();
Graphics2D g = view.getGraphics2D(); //?
for(int i = 0; i < nPolys; i++){
if(show[i]){
if(fill[i] != null){
g.setColor(fill[i]);
g.fill(polys2D[i]);
g.draw(polys2D[i]); // voor de edges
}
if(line[i] != null){
g.setColor(line[i]);
g.draw(polys2D[i]);
}
}
}
}
public void sort(){
return;
}
public Brush copy(){
Vertex[] v = new Vertex[vertex.length];
for(int i = 0; i < vertex.length; i++)
v[i] = vertex[i].copy();
int[][] p = new int[nPolys][];
for(int i = 0; i < nPolys; i++){
p[i] = new int[polys[i].length];
for(int j = 0; j < p[i].length; j++)
p[i][j] = polys[i][j];
}
Color[] f = new Color[fill.length];
for(int i = 0; i < fill.length; i++)
if(fill[i] != null)
f[i] = new Color(fill[i].getRed(), fill[i].getGreen(), fill[i].getBlue(), fill[i].getAlpha());
Color[] l = new Color[line.length];
for(int i = 0; i < line.length; i++)
if(line[i] != null)
l[i] = new Color(line[i].getRed(), line[i].getGreen(), line[i].getBlue(), line[i].getAlpha());
Mesh copy = new Mesh(v, p, f, l);
return copy;
}
/** Zet de kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de zijvlakken niet ingekleurd */
public void setFillColor(Color c){
fill = colorArray(c, nPolys);
}
/** Zet de kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt het overeenkomstig zijvlak niet ingekleurd. */
public void setFillColor(Color[] c){
fill = c;
}
/** Zet de omtrek-kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de omtrekken van de zijvlakken niet getekend. */
public void setLineColor(Color c){
line = colorArray(c, nPolys);
}
/** Zet de omtrek-kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt de overeenkomstige omtrek niet getekend. */
public void setLineColor(Color[] c){
line = c;
}
//berekent nieuwe coordinaten en kleuren van de polygonen.
//moet aangeroepen worden na elke transform door de viewport.
private void updatePolys2D(){
z = Double.NEGATIVE_INFINITY;
for(int p = 0; p < nPolys; p++){
Polygon poly2D = polys2D[p];
int[] x = poly2D.xpoints;
int[] y = poly2D.ypoints;
int[] vertexNum = polys[p];
//dingen achter blikveld worden niet getekend.
boolean inFront = true;
for(int i = 0; i < poly2D.npoints; i++){
Vertex v = vertex[vertexNum[i]];
x[i] = (int) (v.tx+.5);
y[i] = (int) (v.ty+.5);
//voor of achter blikveld?
if(v.tz < 0)
inFront = false;
//verste z voor ordening
if(v.tz > z)
z = v.tz;
}
if(inFront){
//vectorproduct voor heliciteit:
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//heliciteit
double xt1 = a.tx-b.tx, yt1 = a.ty-b.ty;
double xt2 = c.tx-b.tx, yt2 = c.ty-b.ty;
double hel = xt1*yt2 - xt2*yt1;
show[p] = (hel < 0);
}
else
show[p] = false;
}
}
//initialiseerd Polygons met juiste aantal punten.
private void initPolys2D(){
polys2D = new Polygon[nPolys];
for(int i = 0; i < nPolys; i++){
int npoints = polys[i].length;
polys2D[i] = new Polygon(new int[npoints], new int[npoints], npoints);
}
show = new boolean[nPolys];
}
private static Color[] colorArray(Color c, int length){
Color[] array = new Color[length];
for(int i = 0; i < length; i++)
array[i] = c;
return array;
}
private static int[] intArray(int number, int length){
int[] array = new int[length];
for(int i = 0; i < length; i++)
array[i] = number;
return array;
}
}
| mumax/1 | src/java/maxview/Mesh.java | 2,454 | //Aantal zijvlakken | line_comment | nl | /**
This file is part of a 3D engine,
copyright Arne Vansteenkiste 2006-2010.
Use of this source code is governed by the GNU General Public License version 3,
as published by the Free Software Foundation.
*/
package maxview;
import java.awt.*;
import java.awt.geom.*;
/**
Convex 3D object. Niet-convexe objecten kunnen gemaakt worden met Group.
*/
public final class Mesh extends Brush{
private Vertex[] vertex; //Punten van de 3D-figuur.
private int[][] polys; //Lijsten met nummers van vertices die telkens een zijvlak definieren.
private Color[] fill; //Kleur zijvlakken
private Color[] line; //lijnkleur zijvlakken
private Polygon[] polys2D; //Zijvlakken
private int nPolys; //Aantal zijvlakken<SUF>
private boolean show[]; //Welke zijvlakken moeten getekend worden op basis van heliciteit.
private double z; //verst verwijderde z coordinaat (na transformatie) voor ordening.
public Mesh(Vertex[] v, int[][] polys, Color[] fill, Color[] line){
vertex = v;
this.polys = polys;
this.fill = fill;
this.line = line;
nPolys = polys.length;
initPolys2D();
}
public Mesh(Vertex[] v, int[][] polys, Color fill, Color line){
this(v, polys,
colorArray(fill, polys.length), colorArray(line, polys.length));
}
public Mesh(Vertex[] v, int[][] polys){
this(v, polys, (Color)null, (Color)null);
}
public Vertex[] getVertices(){
return vertex;
}
public void light(Universe universe){
for(int p = 0; p < nPolys; p++){
//vectorproduct
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//relatieve vectoren:
double x1 = a.x-b.x, y1 = a.y-b.y, z1 = a.z-b.z;
double x2 = c.x-b.x, y2 = c.y-b.y, z2 = c.z-b.z;
//normaalvector op poly:
double nx = y1*z2-y2*z1;
double ny = x2*z1-x1*z2;
double nz = x1*y2-x2*y1;
final Vertex light = universe.getLight();
final Vertex ref = vertex[polys[p][0]];
double lx = light.x - ref.x, ly = light.y - ref.y, lz = light.z - ref.z;
double inprod = lx*nx + ly*ny + lz*nz;
inprod /= Math.sqrt((lx*lx + ly*ly + lz*lz) * (nx*nx + ny*ny + nz*nz));
int red = fill[p].getRed();
int green = fill[p].getGreen();
int blue = fill[p].getBlue();
double d = universe.getContrast();
fill[p] = new Color(light(red, inprod, d), light(green, inprod, d), light(blue, inprod, d), fill[p].getAlpha());
line[p] = fill[p]; // hack
}
}
private static int light(int color, double inprod, double lighting){
double l = (1-inprod)/2; //tussen 0 en 1;
double stay = (1-lighting) * color;
double remain = (lighting) * l * color;
return (int)(stay + remain);
}
public double getZ(){
return z;
}
public void paint(View view){
updatePolys2D();
Graphics2D g = view.getGraphics2D(); //?
for(int i = 0; i < nPolys; i++){
if(show[i]){
if(fill[i] != null){
g.setColor(fill[i]);
g.fill(polys2D[i]);
g.draw(polys2D[i]); // voor de edges
}
if(line[i] != null){
g.setColor(line[i]);
g.draw(polys2D[i]);
}
}
}
}
public void sort(){
return;
}
public Brush copy(){
Vertex[] v = new Vertex[vertex.length];
for(int i = 0; i < vertex.length; i++)
v[i] = vertex[i].copy();
int[][] p = new int[nPolys][];
for(int i = 0; i < nPolys; i++){
p[i] = new int[polys[i].length];
for(int j = 0; j < p[i].length; j++)
p[i][j] = polys[i][j];
}
Color[] f = new Color[fill.length];
for(int i = 0; i < fill.length; i++)
if(fill[i] != null)
f[i] = new Color(fill[i].getRed(), fill[i].getGreen(), fill[i].getBlue(), fill[i].getAlpha());
Color[] l = new Color[line.length];
for(int i = 0; i < line.length; i++)
if(line[i] != null)
l[i] = new Color(line[i].getRed(), line[i].getGreen(), line[i].getBlue(), line[i].getAlpha());
Mesh copy = new Mesh(v, p, f, l);
return copy;
}
/** Zet de kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de zijvlakken niet ingekleurd */
public void setFillColor(Color c){
fill = colorArray(c, nPolys);
}
/** Zet de kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt het overeenkomstig zijvlak niet ingekleurd. */
public void setFillColor(Color[] c){
fill = c;
}
/** Zet de omtrek-kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de omtrekken van de zijvlakken niet getekend. */
public void setLineColor(Color c){
line = colorArray(c, nPolys);
}
/** Zet de omtrek-kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt de overeenkomstige omtrek niet getekend. */
public void setLineColor(Color[] c){
line = c;
}
//berekent nieuwe coordinaten en kleuren van de polygonen.
//moet aangeroepen worden na elke transform door de viewport.
private void updatePolys2D(){
z = Double.NEGATIVE_INFINITY;
for(int p = 0; p < nPolys; p++){
Polygon poly2D = polys2D[p];
int[] x = poly2D.xpoints;
int[] y = poly2D.ypoints;
int[] vertexNum = polys[p];
//dingen achter blikveld worden niet getekend.
boolean inFront = true;
for(int i = 0; i < poly2D.npoints; i++){
Vertex v = vertex[vertexNum[i]];
x[i] = (int) (v.tx+.5);
y[i] = (int) (v.ty+.5);
//voor of achter blikveld?
if(v.tz < 0)
inFront = false;
//verste z voor ordening
if(v.tz > z)
z = v.tz;
}
if(inFront){
//vectorproduct voor heliciteit:
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//heliciteit
double xt1 = a.tx-b.tx, yt1 = a.ty-b.ty;
double xt2 = c.tx-b.tx, yt2 = c.ty-b.ty;
double hel = xt1*yt2 - xt2*yt1;
show[p] = (hel < 0);
}
else
show[p] = false;
}
}
//initialiseerd Polygons met juiste aantal punten.
private void initPolys2D(){
polys2D = new Polygon[nPolys];
for(int i = 0; i < nPolys; i++){
int npoints = polys[i].length;
polys2D[i] = new Polygon(new int[npoints], new int[npoints], npoints);
}
show = new boolean[nPolys];
}
private static Color[] colorArray(Color c, int length){
Color[] array = new Color[length];
for(int i = 0; i < length; i++)
array[i] = c;
return array;
}
private static int[] intArray(int number, int length){
int[] array = new int[length];
for(int i = 0; i < length; i++)
array[i] = number;
return array;
}
}
|
1698_5 | /**
This file is part of a 3D engine,
copyright Arne Vansteenkiste 2006-2010.
Use of this source code is governed by the GNU General Public License version 3,
as published by the Free Software Foundation.
*/
package maxview;
import java.awt.*;
import java.awt.geom.*;
/**
Convex 3D object. Niet-convexe objecten kunnen gemaakt worden met Group.
*/
public final class Mesh extends Brush{
private Vertex[] vertex; //Punten van de 3D-figuur.
private int[][] polys; //Lijsten met nummers van vertices die telkens een zijvlak definieren.
private Color[] fill; //Kleur zijvlakken
private Color[] line; //lijnkleur zijvlakken
private Polygon[] polys2D; //Zijvlakken
private int nPolys; //Aantal zijvlakken
private boolean show[]; //Welke zijvlakken moeten getekend worden op basis van heliciteit.
private double z; //verst verwijderde z coordinaat (na transformatie) voor ordening.
public Mesh(Vertex[] v, int[][] polys, Color[] fill, Color[] line){
vertex = v;
this.polys = polys;
this.fill = fill;
this.line = line;
nPolys = polys.length;
initPolys2D();
}
public Mesh(Vertex[] v, int[][] polys, Color fill, Color line){
this(v, polys,
colorArray(fill, polys.length), colorArray(line, polys.length));
}
public Mesh(Vertex[] v, int[][] polys){
this(v, polys, (Color)null, (Color)null);
}
public Vertex[] getVertices(){
return vertex;
}
public void light(Universe universe){
for(int p = 0; p < nPolys; p++){
//vectorproduct
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//relatieve vectoren:
double x1 = a.x-b.x, y1 = a.y-b.y, z1 = a.z-b.z;
double x2 = c.x-b.x, y2 = c.y-b.y, z2 = c.z-b.z;
//normaalvector op poly:
double nx = y1*z2-y2*z1;
double ny = x2*z1-x1*z2;
double nz = x1*y2-x2*y1;
final Vertex light = universe.getLight();
final Vertex ref = vertex[polys[p][0]];
double lx = light.x - ref.x, ly = light.y - ref.y, lz = light.z - ref.z;
double inprod = lx*nx + ly*ny + lz*nz;
inprod /= Math.sqrt((lx*lx + ly*ly + lz*lz) * (nx*nx + ny*ny + nz*nz));
int red = fill[p].getRed();
int green = fill[p].getGreen();
int blue = fill[p].getBlue();
double d = universe.getContrast();
fill[p] = new Color(light(red, inprod, d), light(green, inprod, d), light(blue, inprod, d), fill[p].getAlpha());
line[p] = fill[p]; // hack
}
}
private static int light(int color, double inprod, double lighting){
double l = (1-inprod)/2; //tussen 0 en 1;
double stay = (1-lighting) * color;
double remain = (lighting) * l * color;
return (int)(stay + remain);
}
public double getZ(){
return z;
}
public void paint(View view){
updatePolys2D();
Graphics2D g = view.getGraphics2D(); //?
for(int i = 0; i < nPolys; i++){
if(show[i]){
if(fill[i] != null){
g.setColor(fill[i]);
g.fill(polys2D[i]);
g.draw(polys2D[i]); // voor de edges
}
if(line[i] != null){
g.setColor(line[i]);
g.draw(polys2D[i]);
}
}
}
}
public void sort(){
return;
}
public Brush copy(){
Vertex[] v = new Vertex[vertex.length];
for(int i = 0; i < vertex.length; i++)
v[i] = vertex[i].copy();
int[][] p = new int[nPolys][];
for(int i = 0; i < nPolys; i++){
p[i] = new int[polys[i].length];
for(int j = 0; j < p[i].length; j++)
p[i][j] = polys[i][j];
}
Color[] f = new Color[fill.length];
for(int i = 0; i < fill.length; i++)
if(fill[i] != null)
f[i] = new Color(fill[i].getRed(), fill[i].getGreen(), fill[i].getBlue(), fill[i].getAlpha());
Color[] l = new Color[line.length];
for(int i = 0; i < line.length; i++)
if(line[i] != null)
l[i] = new Color(line[i].getRed(), line[i].getGreen(), line[i].getBlue(), line[i].getAlpha());
Mesh copy = new Mesh(v, p, f, l);
return copy;
}
/** Zet de kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de zijvlakken niet ingekleurd */
public void setFillColor(Color c){
fill = colorArray(c, nPolys);
}
/** Zet de kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt het overeenkomstig zijvlak niet ingekleurd. */
public void setFillColor(Color[] c){
fill = c;
}
/** Zet de omtrek-kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de omtrekken van de zijvlakken niet getekend. */
public void setLineColor(Color c){
line = colorArray(c, nPolys);
}
/** Zet de omtrek-kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt de overeenkomstige omtrek niet getekend. */
public void setLineColor(Color[] c){
line = c;
}
//berekent nieuwe coordinaten en kleuren van de polygonen.
//moet aangeroepen worden na elke transform door de viewport.
private void updatePolys2D(){
z = Double.NEGATIVE_INFINITY;
for(int p = 0; p < nPolys; p++){
Polygon poly2D = polys2D[p];
int[] x = poly2D.xpoints;
int[] y = poly2D.ypoints;
int[] vertexNum = polys[p];
//dingen achter blikveld worden niet getekend.
boolean inFront = true;
for(int i = 0; i < poly2D.npoints; i++){
Vertex v = vertex[vertexNum[i]];
x[i] = (int) (v.tx+.5);
y[i] = (int) (v.ty+.5);
//voor of achter blikveld?
if(v.tz < 0)
inFront = false;
//verste z voor ordening
if(v.tz > z)
z = v.tz;
}
if(inFront){
//vectorproduct voor heliciteit:
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//heliciteit
double xt1 = a.tx-b.tx, yt1 = a.ty-b.ty;
double xt2 = c.tx-b.tx, yt2 = c.ty-b.ty;
double hel = xt1*yt2 - xt2*yt1;
show[p] = (hel < 0);
}
else
show[p] = false;
}
}
//initialiseerd Polygons met juiste aantal punten.
private void initPolys2D(){
polys2D = new Polygon[nPolys];
for(int i = 0; i < nPolys; i++){
int npoints = polys[i].length;
polys2D[i] = new Polygon(new int[npoints], new int[npoints], npoints);
}
show = new boolean[nPolys];
}
private static Color[] colorArray(Color c, int length){
Color[] array = new Color[length];
for(int i = 0; i < length; i++)
array[i] = c;
return array;
}
private static int[] intArray(int number, int length){
int[] array = new int[length];
for(int i = 0; i < length; i++)
array[i] = number;
return array;
}
}
| mumax/1 | src/java/maxview/Mesh.java | 2,454 | //Welke zijvlakken moeten getekend worden op basis van heliciteit. | line_comment | nl | /**
This file is part of a 3D engine,
copyright Arne Vansteenkiste 2006-2010.
Use of this source code is governed by the GNU General Public License version 3,
as published by the Free Software Foundation.
*/
package maxview;
import java.awt.*;
import java.awt.geom.*;
/**
Convex 3D object. Niet-convexe objecten kunnen gemaakt worden met Group.
*/
public final class Mesh extends Brush{
private Vertex[] vertex; //Punten van de 3D-figuur.
private int[][] polys; //Lijsten met nummers van vertices die telkens een zijvlak definieren.
private Color[] fill; //Kleur zijvlakken
private Color[] line; //lijnkleur zijvlakken
private Polygon[] polys2D; //Zijvlakken
private int nPolys; //Aantal zijvlakken
private boolean show[]; //Welke zijvlakken<SUF>
private double z; //verst verwijderde z coordinaat (na transformatie) voor ordening.
public Mesh(Vertex[] v, int[][] polys, Color[] fill, Color[] line){
vertex = v;
this.polys = polys;
this.fill = fill;
this.line = line;
nPolys = polys.length;
initPolys2D();
}
public Mesh(Vertex[] v, int[][] polys, Color fill, Color line){
this(v, polys,
colorArray(fill, polys.length), colorArray(line, polys.length));
}
public Mesh(Vertex[] v, int[][] polys){
this(v, polys, (Color)null, (Color)null);
}
public Vertex[] getVertices(){
return vertex;
}
public void light(Universe universe){
for(int p = 0; p < nPolys; p++){
//vectorproduct
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//relatieve vectoren:
double x1 = a.x-b.x, y1 = a.y-b.y, z1 = a.z-b.z;
double x2 = c.x-b.x, y2 = c.y-b.y, z2 = c.z-b.z;
//normaalvector op poly:
double nx = y1*z2-y2*z1;
double ny = x2*z1-x1*z2;
double nz = x1*y2-x2*y1;
final Vertex light = universe.getLight();
final Vertex ref = vertex[polys[p][0]];
double lx = light.x - ref.x, ly = light.y - ref.y, lz = light.z - ref.z;
double inprod = lx*nx + ly*ny + lz*nz;
inprod /= Math.sqrt((lx*lx + ly*ly + lz*lz) * (nx*nx + ny*ny + nz*nz));
int red = fill[p].getRed();
int green = fill[p].getGreen();
int blue = fill[p].getBlue();
double d = universe.getContrast();
fill[p] = new Color(light(red, inprod, d), light(green, inprod, d), light(blue, inprod, d), fill[p].getAlpha());
line[p] = fill[p]; // hack
}
}
private static int light(int color, double inprod, double lighting){
double l = (1-inprod)/2; //tussen 0 en 1;
double stay = (1-lighting) * color;
double remain = (lighting) * l * color;
return (int)(stay + remain);
}
public double getZ(){
return z;
}
public void paint(View view){
updatePolys2D();
Graphics2D g = view.getGraphics2D(); //?
for(int i = 0; i < nPolys; i++){
if(show[i]){
if(fill[i] != null){
g.setColor(fill[i]);
g.fill(polys2D[i]);
g.draw(polys2D[i]); // voor de edges
}
if(line[i] != null){
g.setColor(line[i]);
g.draw(polys2D[i]);
}
}
}
}
public void sort(){
return;
}
public Brush copy(){
Vertex[] v = new Vertex[vertex.length];
for(int i = 0; i < vertex.length; i++)
v[i] = vertex[i].copy();
int[][] p = new int[nPolys][];
for(int i = 0; i < nPolys; i++){
p[i] = new int[polys[i].length];
for(int j = 0; j < p[i].length; j++)
p[i][j] = polys[i][j];
}
Color[] f = new Color[fill.length];
for(int i = 0; i < fill.length; i++)
if(fill[i] != null)
f[i] = new Color(fill[i].getRed(), fill[i].getGreen(), fill[i].getBlue(), fill[i].getAlpha());
Color[] l = new Color[line.length];
for(int i = 0; i < line.length; i++)
if(line[i] != null)
l[i] = new Color(line[i].getRed(), line[i].getGreen(), line[i].getBlue(), line[i].getAlpha());
Mesh copy = new Mesh(v, p, f, l);
return copy;
}
/** Zet de kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de zijvlakken niet ingekleurd */
public void setFillColor(Color c){
fill = colorArray(c, nPolys);
}
/** Zet de kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt het overeenkomstig zijvlak niet ingekleurd. */
public void setFillColor(Color[] c){
fill = c;
}
/** Zet de omtrek-kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de omtrekken van de zijvlakken niet getekend. */
public void setLineColor(Color c){
line = colorArray(c, nPolys);
}
/** Zet de omtrek-kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt de overeenkomstige omtrek niet getekend. */
public void setLineColor(Color[] c){
line = c;
}
//berekent nieuwe coordinaten en kleuren van de polygonen.
//moet aangeroepen worden na elke transform door de viewport.
private void updatePolys2D(){
z = Double.NEGATIVE_INFINITY;
for(int p = 0; p < nPolys; p++){
Polygon poly2D = polys2D[p];
int[] x = poly2D.xpoints;
int[] y = poly2D.ypoints;
int[] vertexNum = polys[p];
//dingen achter blikveld worden niet getekend.
boolean inFront = true;
for(int i = 0; i < poly2D.npoints; i++){
Vertex v = vertex[vertexNum[i]];
x[i] = (int) (v.tx+.5);
y[i] = (int) (v.ty+.5);
//voor of achter blikveld?
if(v.tz < 0)
inFront = false;
//verste z voor ordening
if(v.tz > z)
z = v.tz;
}
if(inFront){
//vectorproduct voor heliciteit:
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//heliciteit
double xt1 = a.tx-b.tx, yt1 = a.ty-b.ty;
double xt2 = c.tx-b.tx, yt2 = c.ty-b.ty;
double hel = xt1*yt2 - xt2*yt1;
show[p] = (hel < 0);
}
else
show[p] = false;
}
}
//initialiseerd Polygons met juiste aantal punten.
private void initPolys2D(){
polys2D = new Polygon[nPolys];
for(int i = 0; i < nPolys; i++){
int npoints = polys[i].length;
polys2D[i] = new Polygon(new int[npoints], new int[npoints], npoints);
}
show = new boolean[nPolys];
}
private static Color[] colorArray(Color c, int length){
Color[] array = new Color[length];
for(int i = 0; i < length; i++)
array[i] = c;
return array;
}
private static int[] intArray(int number, int length){
int[] array = new int[length];
for(int i = 0; i < length; i++)
array[i] = number;
return array;
}
}
|
1698_6 | /**
This file is part of a 3D engine,
copyright Arne Vansteenkiste 2006-2010.
Use of this source code is governed by the GNU General Public License version 3,
as published by the Free Software Foundation.
*/
package maxview;
import java.awt.*;
import java.awt.geom.*;
/**
Convex 3D object. Niet-convexe objecten kunnen gemaakt worden met Group.
*/
public final class Mesh extends Brush{
private Vertex[] vertex; //Punten van de 3D-figuur.
private int[][] polys; //Lijsten met nummers van vertices die telkens een zijvlak definieren.
private Color[] fill; //Kleur zijvlakken
private Color[] line; //lijnkleur zijvlakken
private Polygon[] polys2D; //Zijvlakken
private int nPolys; //Aantal zijvlakken
private boolean show[]; //Welke zijvlakken moeten getekend worden op basis van heliciteit.
private double z; //verst verwijderde z coordinaat (na transformatie) voor ordening.
public Mesh(Vertex[] v, int[][] polys, Color[] fill, Color[] line){
vertex = v;
this.polys = polys;
this.fill = fill;
this.line = line;
nPolys = polys.length;
initPolys2D();
}
public Mesh(Vertex[] v, int[][] polys, Color fill, Color line){
this(v, polys,
colorArray(fill, polys.length), colorArray(line, polys.length));
}
public Mesh(Vertex[] v, int[][] polys){
this(v, polys, (Color)null, (Color)null);
}
public Vertex[] getVertices(){
return vertex;
}
public void light(Universe universe){
for(int p = 0; p < nPolys; p++){
//vectorproduct
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//relatieve vectoren:
double x1 = a.x-b.x, y1 = a.y-b.y, z1 = a.z-b.z;
double x2 = c.x-b.x, y2 = c.y-b.y, z2 = c.z-b.z;
//normaalvector op poly:
double nx = y1*z2-y2*z1;
double ny = x2*z1-x1*z2;
double nz = x1*y2-x2*y1;
final Vertex light = universe.getLight();
final Vertex ref = vertex[polys[p][0]];
double lx = light.x - ref.x, ly = light.y - ref.y, lz = light.z - ref.z;
double inprod = lx*nx + ly*ny + lz*nz;
inprod /= Math.sqrt((lx*lx + ly*ly + lz*lz) * (nx*nx + ny*ny + nz*nz));
int red = fill[p].getRed();
int green = fill[p].getGreen();
int blue = fill[p].getBlue();
double d = universe.getContrast();
fill[p] = new Color(light(red, inprod, d), light(green, inprod, d), light(blue, inprod, d), fill[p].getAlpha());
line[p] = fill[p]; // hack
}
}
private static int light(int color, double inprod, double lighting){
double l = (1-inprod)/2; //tussen 0 en 1;
double stay = (1-lighting) * color;
double remain = (lighting) * l * color;
return (int)(stay + remain);
}
public double getZ(){
return z;
}
public void paint(View view){
updatePolys2D();
Graphics2D g = view.getGraphics2D(); //?
for(int i = 0; i < nPolys; i++){
if(show[i]){
if(fill[i] != null){
g.setColor(fill[i]);
g.fill(polys2D[i]);
g.draw(polys2D[i]); // voor de edges
}
if(line[i] != null){
g.setColor(line[i]);
g.draw(polys2D[i]);
}
}
}
}
public void sort(){
return;
}
public Brush copy(){
Vertex[] v = new Vertex[vertex.length];
for(int i = 0; i < vertex.length; i++)
v[i] = vertex[i].copy();
int[][] p = new int[nPolys][];
for(int i = 0; i < nPolys; i++){
p[i] = new int[polys[i].length];
for(int j = 0; j < p[i].length; j++)
p[i][j] = polys[i][j];
}
Color[] f = new Color[fill.length];
for(int i = 0; i < fill.length; i++)
if(fill[i] != null)
f[i] = new Color(fill[i].getRed(), fill[i].getGreen(), fill[i].getBlue(), fill[i].getAlpha());
Color[] l = new Color[line.length];
for(int i = 0; i < line.length; i++)
if(line[i] != null)
l[i] = new Color(line[i].getRed(), line[i].getGreen(), line[i].getBlue(), line[i].getAlpha());
Mesh copy = new Mesh(v, p, f, l);
return copy;
}
/** Zet de kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de zijvlakken niet ingekleurd */
public void setFillColor(Color c){
fill = colorArray(c, nPolys);
}
/** Zet de kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt het overeenkomstig zijvlak niet ingekleurd. */
public void setFillColor(Color[] c){
fill = c;
}
/** Zet de omtrek-kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de omtrekken van de zijvlakken niet getekend. */
public void setLineColor(Color c){
line = colorArray(c, nPolys);
}
/** Zet de omtrek-kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt de overeenkomstige omtrek niet getekend. */
public void setLineColor(Color[] c){
line = c;
}
//berekent nieuwe coordinaten en kleuren van de polygonen.
//moet aangeroepen worden na elke transform door de viewport.
private void updatePolys2D(){
z = Double.NEGATIVE_INFINITY;
for(int p = 0; p < nPolys; p++){
Polygon poly2D = polys2D[p];
int[] x = poly2D.xpoints;
int[] y = poly2D.ypoints;
int[] vertexNum = polys[p];
//dingen achter blikveld worden niet getekend.
boolean inFront = true;
for(int i = 0; i < poly2D.npoints; i++){
Vertex v = vertex[vertexNum[i]];
x[i] = (int) (v.tx+.5);
y[i] = (int) (v.ty+.5);
//voor of achter blikveld?
if(v.tz < 0)
inFront = false;
//verste z voor ordening
if(v.tz > z)
z = v.tz;
}
if(inFront){
//vectorproduct voor heliciteit:
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//heliciteit
double xt1 = a.tx-b.tx, yt1 = a.ty-b.ty;
double xt2 = c.tx-b.tx, yt2 = c.ty-b.ty;
double hel = xt1*yt2 - xt2*yt1;
show[p] = (hel < 0);
}
else
show[p] = false;
}
}
//initialiseerd Polygons met juiste aantal punten.
private void initPolys2D(){
polys2D = new Polygon[nPolys];
for(int i = 0; i < nPolys; i++){
int npoints = polys[i].length;
polys2D[i] = new Polygon(new int[npoints], new int[npoints], npoints);
}
show = new boolean[nPolys];
}
private static Color[] colorArray(Color c, int length){
Color[] array = new Color[length];
for(int i = 0; i < length; i++)
array[i] = c;
return array;
}
private static int[] intArray(int number, int length){
int[] array = new int[length];
for(int i = 0; i < length; i++)
array[i] = number;
return array;
}
}
| mumax/1 | src/java/maxview/Mesh.java | 2,454 | //verst verwijderde z coordinaat (na transformatie) voor ordening. | line_comment | nl | /**
This file is part of a 3D engine,
copyright Arne Vansteenkiste 2006-2010.
Use of this source code is governed by the GNU General Public License version 3,
as published by the Free Software Foundation.
*/
package maxview;
import java.awt.*;
import java.awt.geom.*;
/**
Convex 3D object. Niet-convexe objecten kunnen gemaakt worden met Group.
*/
public final class Mesh extends Brush{
private Vertex[] vertex; //Punten van de 3D-figuur.
private int[][] polys; //Lijsten met nummers van vertices die telkens een zijvlak definieren.
private Color[] fill; //Kleur zijvlakken
private Color[] line; //lijnkleur zijvlakken
private Polygon[] polys2D; //Zijvlakken
private int nPolys; //Aantal zijvlakken
private boolean show[]; //Welke zijvlakken moeten getekend worden op basis van heliciteit.
private double z; //verst verwijderde<SUF>
public Mesh(Vertex[] v, int[][] polys, Color[] fill, Color[] line){
vertex = v;
this.polys = polys;
this.fill = fill;
this.line = line;
nPolys = polys.length;
initPolys2D();
}
public Mesh(Vertex[] v, int[][] polys, Color fill, Color line){
this(v, polys,
colorArray(fill, polys.length), colorArray(line, polys.length));
}
public Mesh(Vertex[] v, int[][] polys){
this(v, polys, (Color)null, (Color)null);
}
public Vertex[] getVertices(){
return vertex;
}
public void light(Universe universe){
for(int p = 0; p < nPolys; p++){
//vectorproduct
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//relatieve vectoren:
double x1 = a.x-b.x, y1 = a.y-b.y, z1 = a.z-b.z;
double x2 = c.x-b.x, y2 = c.y-b.y, z2 = c.z-b.z;
//normaalvector op poly:
double nx = y1*z2-y2*z1;
double ny = x2*z1-x1*z2;
double nz = x1*y2-x2*y1;
final Vertex light = universe.getLight();
final Vertex ref = vertex[polys[p][0]];
double lx = light.x - ref.x, ly = light.y - ref.y, lz = light.z - ref.z;
double inprod = lx*nx + ly*ny + lz*nz;
inprod /= Math.sqrt((lx*lx + ly*ly + lz*lz) * (nx*nx + ny*ny + nz*nz));
int red = fill[p].getRed();
int green = fill[p].getGreen();
int blue = fill[p].getBlue();
double d = universe.getContrast();
fill[p] = new Color(light(red, inprod, d), light(green, inprod, d), light(blue, inprod, d), fill[p].getAlpha());
line[p] = fill[p]; // hack
}
}
private static int light(int color, double inprod, double lighting){
double l = (1-inprod)/2; //tussen 0 en 1;
double stay = (1-lighting) * color;
double remain = (lighting) * l * color;
return (int)(stay + remain);
}
public double getZ(){
return z;
}
public void paint(View view){
updatePolys2D();
Graphics2D g = view.getGraphics2D(); //?
for(int i = 0; i < nPolys; i++){
if(show[i]){
if(fill[i] != null){
g.setColor(fill[i]);
g.fill(polys2D[i]);
g.draw(polys2D[i]); // voor de edges
}
if(line[i] != null){
g.setColor(line[i]);
g.draw(polys2D[i]);
}
}
}
}
public void sort(){
return;
}
public Brush copy(){
Vertex[] v = new Vertex[vertex.length];
for(int i = 0; i < vertex.length; i++)
v[i] = vertex[i].copy();
int[][] p = new int[nPolys][];
for(int i = 0; i < nPolys; i++){
p[i] = new int[polys[i].length];
for(int j = 0; j < p[i].length; j++)
p[i][j] = polys[i][j];
}
Color[] f = new Color[fill.length];
for(int i = 0; i < fill.length; i++)
if(fill[i] != null)
f[i] = new Color(fill[i].getRed(), fill[i].getGreen(), fill[i].getBlue(), fill[i].getAlpha());
Color[] l = new Color[line.length];
for(int i = 0; i < line.length; i++)
if(line[i] != null)
l[i] = new Color(line[i].getRed(), line[i].getGreen(), line[i].getBlue(), line[i].getAlpha());
Mesh copy = new Mesh(v, p, f, l);
return copy;
}
/** Zet de kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de zijvlakken niet ingekleurd */
public void setFillColor(Color c){
fill = colorArray(c, nPolys);
}
/** Zet de kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt het overeenkomstig zijvlak niet ingekleurd. */
public void setFillColor(Color[] c){
fill = c;
}
/** Zet de omtrek-kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de omtrekken van de zijvlakken niet getekend. */
public void setLineColor(Color c){
line = colorArray(c, nPolys);
}
/** Zet de omtrek-kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt de overeenkomstige omtrek niet getekend. */
public void setLineColor(Color[] c){
line = c;
}
//berekent nieuwe coordinaten en kleuren van de polygonen.
//moet aangeroepen worden na elke transform door de viewport.
private void updatePolys2D(){
z = Double.NEGATIVE_INFINITY;
for(int p = 0; p < nPolys; p++){
Polygon poly2D = polys2D[p];
int[] x = poly2D.xpoints;
int[] y = poly2D.ypoints;
int[] vertexNum = polys[p];
//dingen achter blikveld worden niet getekend.
boolean inFront = true;
for(int i = 0; i < poly2D.npoints; i++){
Vertex v = vertex[vertexNum[i]];
x[i] = (int) (v.tx+.5);
y[i] = (int) (v.ty+.5);
//voor of achter blikveld?
if(v.tz < 0)
inFront = false;
//verste z voor ordening
if(v.tz > z)
z = v.tz;
}
if(inFront){
//vectorproduct voor heliciteit:
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//heliciteit
double xt1 = a.tx-b.tx, yt1 = a.ty-b.ty;
double xt2 = c.tx-b.tx, yt2 = c.ty-b.ty;
double hel = xt1*yt2 - xt2*yt1;
show[p] = (hel < 0);
}
else
show[p] = false;
}
}
//initialiseerd Polygons met juiste aantal punten.
private void initPolys2D(){
polys2D = new Polygon[nPolys];
for(int i = 0; i < nPolys; i++){
int npoints = polys[i].length;
polys2D[i] = new Polygon(new int[npoints], new int[npoints], npoints);
}
show = new boolean[nPolys];
}
private static Color[] colorArray(Color c, int length){
Color[] array = new Color[length];
for(int i = 0; i < length; i++)
array[i] = c;
return array;
}
private static int[] intArray(int number, int length){
int[] array = new int[length];
for(int i = 0; i < length; i++)
array[i] = number;
return array;
}
}
|
1698_8 | /**
This file is part of a 3D engine,
copyright Arne Vansteenkiste 2006-2010.
Use of this source code is governed by the GNU General Public License version 3,
as published by the Free Software Foundation.
*/
package maxview;
import java.awt.*;
import java.awt.geom.*;
/**
Convex 3D object. Niet-convexe objecten kunnen gemaakt worden met Group.
*/
public final class Mesh extends Brush{
private Vertex[] vertex; //Punten van de 3D-figuur.
private int[][] polys; //Lijsten met nummers van vertices die telkens een zijvlak definieren.
private Color[] fill; //Kleur zijvlakken
private Color[] line; //lijnkleur zijvlakken
private Polygon[] polys2D; //Zijvlakken
private int nPolys; //Aantal zijvlakken
private boolean show[]; //Welke zijvlakken moeten getekend worden op basis van heliciteit.
private double z; //verst verwijderde z coordinaat (na transformatie) voor ordening.
public Mesh(Vertex[] v, int[][] polys, Color[] fill, Color[] line){
vertex = v;
this.polys = polys;
this.fill = fill;
this.line = line;
nPolys = polys.length;
initPolys2D();
}
public Mesh(Vertex[] v, int[][] polys, Color fill, Color line){
this(v, polys,
colorArray(fill, polys.length), colorArray(line, polys.length));
}
public Mesh(Vertex[] v, int[][] polys){
this(v, polys, (Color)null, (Color)null);
}
public Vertex[] getVertices(){
return vertex;
}
public void light(Universe universe){
for(int p = 0; p < nPolys; p++){
//vectorproduct
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//relatieve vectoren:
double x1 = a.x-b.x, y1 = a.y-b.y, z1 = a.z-b.z;
double x2 = c.x-b.x, y2 = c.y-b.y, z2 = c.z-b.z;
//normaalvector op poly:
double nx = y1*z2-y2*z1;
double ny = x2*z1-x1*z2;
double nz = x1*y2-x2*y1;
final Vertex light = universe.getLight();
final Vertex ref = vertex[polys[p][0]];
double lx = light.x - ref.x, ly = light.y - ref.y, lz = light.z - ref.z;
double inprod = lx*nx + ly*ny + lz*nz;
inprod /= Math.sqrt((lx*lx + ly*ly + lz*lz) * (nx*nx + ny*ny + nz*nz));
int red = fill[p].getRed();
int green = fill[p].getGreen();
int blue = fill[p].getBlue();
double d = universe.getContrast();
fill[p] = new Color(light(red, inprod, d), light(green, inprod, d), light(blue, inprod, d), fill[p].getAlpha());
line[p] = fill[p]; // hack
}
}
private static int light(int color, double inprod, double lighting){
double l = (1-inprod)/2; //tussen 0 en 1;
double stay = (1-lighting) * color;
double remain = (lighting) * l * color;
return (int)(stay + remain);
}
public double getZ(){
return z;
}
public void paint(View view){
updatePolys2D();
Graphics2D g = view.getGraphics2D(); //?
for(int i = 0; i < nPolys; i++){
if(show[i]){
if(fill[i] != null){
g.setColor(fill[i]);
g.fill(polys2D[i]);
g.draw(polys2D[i]); // voor de edges
}
if(line[i] != null){
g.setColor(line[i]);
g.draw(polys2D[i]);
}
}
}
}
public void sort(){
return;
}
public Brush copy(){
Vertex[] v = new Vertex[vertex.length];
for(int i = 0; i < vertex.length; i++)
v[i] = vertex[i].copy();
int[][] p = new int[nPolys][];
for(int i = 0; i < nPolys; i++){
p[i] = new int[polys[i].length];
for(int j = 0; j < p[i].length; j++)
p[i][j] = polys[i][j];
}
Color[] f = new Color[fill.length];
for(int i = 0; i < fill.length; i++)
if(fill[i] != null)
f[i] = new Color(fill[i].getRed(), fill[i].getGreen(), fill[i].getBlue(), fill[i].getAlpha());
Color[] l = new Color[line.length];
for(int i = 0; i < line.length; i++)
if(line[i] != null)
l[i] = new Color(line[i].getRed(), line[i].getGreen(), line[i].getBlue(), line[i].getAlpha());
Mesh copy = new Mesh(v, p, f, l);
return copy;
}
/** Zet de kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de zijvlakken niet ingekleurd */
public void setFillColor(Color c){
fill = colorArray(c, nPolys);
}
/** Zet de kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt het overeenkomstig zijvlak niet ingekleurd. */
public void setFillColor(Color[] c){
fill = c;
}
/** Zet de omtrek-kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de omtrekken van de zijvlakken niet getekend. */
public void setLineColor(Color c){
line = colorArray(c, nPolys);
}
/** Zet de omtrek-kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt de overeenkomstige omtrek niet getekend. */
public void setLineColor(Color[] c){
line = c;
}
//berekent nieuwe coordinaten en kleuren van de polygonen.
//moet aangeroepen worden na elke transform door de viewport.
private void updatePolys2D(){
z = Double.NEGATIVE_INFINITY;
for(int p = 0; p < nPolys; p++){
Polygon poly2D = polys2D[p];
int[] x = poly2D.xpoints;
int[] y = poly2D.ypoints;
int[] vertexNum = polys[p];
//dingen achter blikveld worden niet getekend.
boolean inFront = true;
for(int i = 0; i < poly2D.npoints; i++){
Vertex v = vertex[vertexNum[i]];
x[i] = (int) (v.tx+.5);
y[i] = (int) (v.ty+.5);
//voor of achter blikveld?
if(v.tz < 0)
inFront = false;
//verste z voor ordening
if(v.tz > z)
z = v.tz;
}
if(inFront){
//vectorproduct voor heliciteit:
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//heliciteit
double xt1 = a.tx-b.tx, yt1 = a.ty-b.ty;
double xt2 = c.tx-b.tx, yt2 = c.ty-b.ty;
double hel = xt1*yt2 - xt2*yt1;
show[p] = (hel < 0);
}
else
show[p] = false;
}
}
//initialiseerd Polygons met juiste aantal punten.
private void initPolys2D(){
polys2D = new Polygon[nPolys];
for(int i = 0; i < nPolys; i++){
int npoints = polys[i].length;
polys2D[i] = new Polygon(new int[npoints], new int[npoints], npoints);
}
show = new boolean[nPolys];
}
private static Color[] colorArray(Color c, int length){
Color[] array = new Color[length];
for(int i = 0; i < length; i++)
array[i] = c;
return array;
}
private static int[] intArray(int number, int length){
int[] array = new int[length];
for(int i = 0; i < length; i++)
array[i] = number;
return array;
}
}
| mumax/1 | src/java/maxview/Mesh.java | 2,454 | //tussen 0 en 1; | line_comment | nl | /**
This file is part of a 3D engine,
copyright Arne Vansteenkiste 2006-2010.
Use of this source code is governed by the GNU General Public License version 3,
as published by the Free Software Foundation.
*/
package maxview;
import java.awt.*;
import java.awt.geom.*;
/**
Convex 3D object. Niet-convexe objecten kunnen gemaakt worden met Group.
*/
public final class Mesh extends Brush{
private Vertex[] vertex; //Punten van de 3D-figuur.
private int[][] polys; //Lijsten met nummers van vertices die telkens een zijvlak definieren.
private Color[] fill; //Kleur zijvlakken
private Color[] line; //lijnkleur zijvlakken
private Polygon[] polys2D; //Zijvlakken
private int nPolys; //Aantal zijvlakken
private boolean show[]; //Welke zijvlakken moeten getekend worden op basis van heliciteit.
private double z; //verst verwijderde z coordinaat (na transformatie) voor ordening.
public Mesh(Vertex[] v, int[][] polys, Color[] fill, Color[] line){
vertex = v;
this.polys = polys;
this.fill = fill;
this.line = line;
nPolys = polys.length;
initPolys2D();
}
public Mesh(Vertex[] v, int[][] polys, Color fill, Color line){
this(v, polys,
colorArray(fill, polys.length), colorArray(line, polys.length));
}
public Mesh(Vertex[] v, int[][] polys){
this(v, polys, (Color)null, (Color)null);
}
public Vertex[] getVertices(){
return vertex;
}
public void light(Universe universe){
for(int p = 0; p < nPolys; p++){
//vectorproduct
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//relatieve vectoren:
double x1 = a.x-b.x, y1 = a.y-b.y, z1 = a.z-b.z;
double x2 = c.x-b.x, y2 = c.y-b.y, z2 = c.z-b.z;
//normaalvector op poly:
double nx = y1*z2-y2*z1;
double ny = x2*z1-x1*z2;
double nz = x1*y2-x2*y1;
final Vertex light = universe.getLight();
final Vertex ref = vertex[polys[p][0]];
double lx = light.x - ref.x, ly = light.y - ref.y, lz = light.z - ref.z;
double inprod = lx*nx + ly*ny + lz*nz;
inprod /= Math.sqrt((lx*lx + ly*ly + lz*lz) * (nx*nx + ny*ny + nz*nz));
int red = fill[p].getRed();
int green = fill[p].getGreen();
int blue = fill[p].getBlue();
double d = universe.getContrast();
fill[p] = new Color(light(red, inprod, d), light(green, inprod, d), light(blue, inprod, d), fill[p].getAlpha());
line[p] = fill[p]; // hack
}
}
private static int light(int color, double inprod, double lighting){
double l = (1-inprod)/2; //tussen 0<SUF>
double stay = (1-lighting) * color;
double remain = (lighting) * l * color;
return (int)(stay + remain);
}
public double getZ(){
return z;
}
public void paint(View view){
updatePolys2D();
Graphics2D g = view.getGraphics2D(); //?
for(int i = 0; i < nPolys; i++){
if(show[i]){
if(fill[i] != null){
g.setColor(fill[i]);
g.fill(polys2D[i]);
g.draw(polys2D[i]); // voor de edges
}
if(line[i] != null){
g.setColor(line[i]);
g.draw(polys2D[i]);
}
}
}
}
public void sort(){
return;
}
public Brush copy(){
Vertex[] v = new Vertex[vertex.length];
for(int i = 0; i < vertex.length; i++)
v[i] = vertex[i].copy();
int[][] p = new int[nPolys][];
for(int i = 0; i < nPolys; i++){
p[i] = new int[polys[i].length];
for(int j = 0; j < p[i].length; j++)
p[i][j] = polys[i][j];
}
Color[] f = new Color[fill.length];
for(int i = 0; i < fill.length; i++)
if(fill[i] != null)
f[i] = new Color(fill[i].getRed(), fill[i].getGreen(), fill[i].getBlue(), fill[i].getAlpha());
Color[] l = new Color[line.length];
for(int i = 0; i < line.length; i++)
if(line[i] != null)
l[i] = new Color(line[i].getRed(), line[i].getGreen(), line[i].getBlue(), line[i].getAlpha());
Mesh copy = new Mesh(v, p, f, l);
return copy;
}
/** Zet de kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de zijvlakken niet ingekleurd */
public void setFillColor(Color c){
fill = colorArray(c, nPolys);
}
/** Zet de kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt het overeenkomstig zijvlak niet ingekleurd. */
public void setFillColor(Color[] c){
fill = c;
}
/** Zet de omtrek-kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de omtrekken van de zijvlakken niet getekend. */
public void setLineColor(Color c){
line = colorArray(c, nPolys);
}
/** Zet de omtrek-kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt de overeenkomstige omtrek niet getekend. */
public void setLineColor(Color[] c){
line = c;
}
//berekent nieuwe coordinaten en kleuren van de polygonen.
//moet aangeroepen worden na elke transform door de viewport.
private void updatePolys2D(){
z = Double.NEGATIVE_INFINITY;
for(int p = 0; p < nPolys; p++){
Polygon poly2D = polys2D[p];
int[] x = poly2D.xpoints;
int[] y = poly2D.ypoints;
int[] vertexNum = polys[p];
//dingen achter blikveld worden niet getekend.
boolean inFront = true;
for(int i = 0; i < poly2D.npoints; i++){
Vertex v = vertex[vertexNum[i]];
x[i] = (int) (v.tx+.5);
y[i] = (int) (v.ty+.5);
//voor of achter blikveld?
if(v.tz < 0)
inFront = false;
//verste z voor ordening
if(v.tz > z)
z = v.tz;
}
if(inFront){
//vectorproduct voor heliciteit:
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//heliciteit
double xt1 = a.tx-b.tx, yt1 = a.ty-b.ty;
double xt2 = c.tx-b.tx, yt2 = c.ty-b.ty;
double hel = xt1*yt2 - xt2*yt1;
show[p] = (hel < 0);
}
else
show[p] = false;
}
}
//initialiseerd Polygons met juiste aantal punten.
private void initPolys2D(){
polys2D = new Polygon[nPolys];
for(int i = 0; i < nPolys; i++){
int npoints = polys[i].length;
polys2D[i] = new Polygon(new int[npoints], new int[npoints], npoints);
}
show = new boolean[nPolys];
}
private static Color[] colorArray(Color c, int length){
Color[] array = new Color[length];
for(int i = 0; i < length; i++)
array[i] = c;
return array;
}
private static int[] intArray(int number, int length){
int[] array = new int[length];
for(int i = 0; i < length; i++)
array[i] = number;
return array;
}
}
|
1698_9 | /**
This file is part of a 3D engine,
copyright Arne Vansteenkiste 2006-2010.
Use of this source code is governed by the GNU General Public License version 3,
as published by the Free Software Foundation.
*/
package maxview;
import java.awt.*;
import java.awt.geom.*;
/**
Convex 3D object. Niet-convexe objecten kunnen gemaakt worden met Group.
*/
public final class Mesh extends Brush{
private Vertex[] vertex; //Punten van de 3D-figuur.
private int[][] polys; //Lijsten met nummers van vertices die telkens een zijvlak definieren.
private Color[] fill; //Kleur zijvlakken
private Color[] line; //lijnkleur zijvlakken
private Polygon[] polys2D; //Zijvlakken
private int nPolys; //Aantal zijvlakken
private boolean show[]; //Welke zijvlakken moeten getekend worden op basis van heliciteit.
private double z; //verst verwijderde z coordinaat (na transformatie) voor ordening.
public Mesh(Vertex[] v, int[][] polys, Color[] fill, Color[] line){
vertex = v;
this.polys = polys;
this.fill = fill;
this.line = line;
nPolys = polys.length;
initPolys2D();
}
public Mesh(Vertex[] v, int[][] polys, Color fill, Color line){
this(v, polys,
colorArray(fill, polys.length), colorArray(line, polys.length));
}
public Mesh(Vertex[] v, int[][] polys){
this(v, polys, (Color)null, (Color)null);
}
public Vertex[] getVertices(){
return vertex;
}
public void light(Universe universe){
for(int p = 0; p < nPolys; p++){
//vectorproduct
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//relatieve vectoren:
double x1 = a.x-b.x, y1 = a.y-b.y, z1 = a.z-b.z;
double x2 = c.x-b.x, y2 = c.y-b.y, z2 = c.z-b.z;
//normaalvector op poly:
double nx = y1*z2-y2*z1;
double ny = x2*z1-x1*z2;
double nz = x1*y2-x2*y1;
final Vertex light = universe.getLight();
final Vertex ref = vertex[polys[p][0]];
double lx = light.x - ref.x, ly = light.y - ref.y, lz = light.z - ref.z;
double inprod = lx*nx + ly*ny + lz*nz;
inprod /= Math.sqrt((lx*lx + ly*ly + lz*lz) * (nx*nx + ny*ny + nz*nz));
int red = fill[p].getRed();
int green = fill[p].getGreen();
int blue = fill[p].getBlue();
double d = universe.getContrast();
fill[p] = new Color(light(red, inprod, d), light(green, inprod, d), light(blue, inprod, d), fill[p].getAlpha());
line[p] = fill[p]; // hack
}
}
private static int light(int color, double inprod, double lighting){
double l = (1-inprod)/2; //tussen 0 en 1;
double stay = (1-lighting) * color;
double remain = (lighting) * l * color;
return (int)(stay + remain);
}
public double getZ(){
return z;
}
public void paint(View view){
updatePolys2D();
Graphics2D g = view.getGraphics2D(); //?
for(int i = 0; i < nPolys; i++){
if(show[i]){
if(fill[i] != null){
g.setColor(fill[i]);
g.fill(polys2D[i]);
g.draw(polys2D[i]); // voor de edges
}
if(line[i] != null){
g.setColor(line[i]);
g.draw(polys2D[i]);
}
}
}
}
public void sort(){
return;
}
public Brush copy(){
Vertex[] v = new Vertex[vertex.length];
for(int i = 0; i < vertex.length; i++)
v[i] = vertex[i].copy();
int[][] p = new int[nPolys][];
for(int i = 0; i < nPolys; i++){
p[i] = new int[polys[i].length];
for(int j = 0; j < p[i].length; j++)
p[i][j] = polys[i][j];
}
Color[] f = new Color[fill.length];
for(int i = 0; i < fill.length; i++)
if(fill[i] != null)
f[i] = new Color(fill[i].getRed(), fill[i].getGreen(), fill[i].getBlue(), fill[i].getAlpha());
Color[] l = new Color[line.length];
for(int i = 0; i < line.length; i++)
if(line[i] != null)
l[i] = new Color(line[i].getRed(), line[i].getGreen(), line[i].getBlue(), line[i].getAlpha());
Mesh copy = new Mesh(v, p, f, l);
return copy;
}
/** Zet de kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de zijvlakken niet ingekleurd */
public void setFillColor(Color c){
fill = colorArray(c, nPolys);
}
/** Zet de kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt het overeenkomstig zijvlak niet ingekleurd. */
public void setFillColor(Color[] c){
fill = c;
}
/** Zet de omtrek-kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de omtrekken van de zijvlakken niet getekend. */
public void setLineColor(Color c){
line = colorArray(c, nPolys);
}
/** Zet de omtrek-kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt de overeenkomstige omtrek niet getekend. */
public void setLineColor(Color[] c){
line = c;
}
//berekent nieuwe coordinaten en kleuren van de polygonen.
//moet aangeroepen worden na elke transform door de viewport.
private void updatePolys2D(){
z = Double.NEGATIVE_INFINITY;
for(int p = 0; p < nPolys; p++){
Polygon poly2D = polys2D[p];
int[] x = poly2D.xpoints;
int[] y = poly2D.ypoints;
int[] vertexNum = polys[p];
//dingen achter blikveld worden niet getekend.
boolean inFront = true;
for(int i = 0; i < poly2D.npoints; i++){
Vertex v = vertex[vertexNum[i]];
x[i] = (int) (v.tx+.5);
y[i] = (int) (v.ty+.5);
//voor of achter blikveld?
if(v.tz < 0)
inFront = false;
//verste z voor ordening
if(v.tz > z)
z = v.tz;
}
if(inFront){
//vectorproduct voor heliciteit:
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//heliciteit
double xt1 = a.tx-b.tx, yt1 = a.ty-b.ty;
double xt2 = c.tx-b.tx, yt2 = c.ty-b.ty;
double hel = xt1*yt2 - xt2*yt1;
show[p] = (hel < 0);
}
else
show[p] = false;
}
}
//initialiseerd Polygons met juiste aantal punten.
private void initPolys2D(){
polys2D = new Polygon[nPolys];
for(int i = 0; i < nPolys; i++){
int npoints = polys[i].length;
polys2D[i] = new Polygon(new int[npoints], new int[npoints], npoints);
}
show = new boolean[nPolys];
}
private static Color[] colorArray(Color c, int length){
Color[] array = new Color[length];
for(int i = 0; i < length; i++)
array[i] = c;
return array;
}
private static int[] intArray(int number, int length){
int[] array = new int[length];
for(int i = 0; i < length; i++)
array[i] = number;
return array;
}
}
| mumax/1 | src/java/maxview/Mesh.java | 2,454 | // voor de edges | line_comment | nl | /**
This file is part of a 3D engine,
copyright Arne Vansteenkiste 2006-2010.
Use of this source code is governed by the GNU General Public License version 3,
as published by the Free Software Foundation.
*/
package maxview;
import java.awt.*;
import java.awt.geom.*;
/**
Convex 3D object. Niet-convexe objecten kunnen gemaakt worden met Group.
*/
public final class Mesh extends Brush{
private Vertex[] vertex; //Punten van de 3D-figuur.
private int[][] polys; //Lijsten met nummers van vertices die telkens een zijvlak definieren.
private Color[] fill; //Kleur zijvlakken
private Color[] line; //lijnkleur zijvlakken
private Polygon[] polys2D; //Zijvlakken
private int nPolys; //Aantal zijvlakken
private boolean show[]; //Welke zijvlakken moeten getekend worden op basis van heliciteit.
private double z; //verst verwijderde z coordinaat (na transformatie) voor ordening.
public Mesh(Vertex[] v, int[][] polys, Color[] fill, Color[] line){
vertex = v;
this.polys = polys;
this.fill = fill;
this.line = line;
nPolys = polys.length;
initPolys2D();
}
public Mesh(Vertex[] v, int[][] polys, Color fill, Color line){
this(v, polys,
colorArray(fill, polys.length), colorArray(line, polys.length));
}
public Mesh(Vertex[] v, int[][] polys){
this(v, polys, (Color)null, (Color)null);
}
public Vertex[] getVertices(){
return vertex;
}
public void light(Universe universe){
for(int p = 0; p < nPolys; p++){
//vectorproduct
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//relatieve vectoren:
double x1 = a.x-b.x, y1 = a.y-b.y, z1 = a.z-b.z;
double x2 = c.x-b.x, y2 = c.y-b.y, z2 = c.z-b.z;
//normaalvector op poly:
double nx = y1*z2-y2*z1;
double ny = x2*z1-x1*z2;
double nz = x1*y2-x2*y1;
final Vertex light = universe.getLight();
final Vertex ref = vertex[polys[p][0]];
double lx = light.x - ref.x, ly = light.y - ref.y, lz = light.z - ref.z;
double inprod = lx*nx + ly*ny + lz*nz;
inprod /= Math.sqrt((lx*lx + ly*ly + lz*lz) * (nx*nx + ny*ny + nz*nz));
int red = fill[p].getRed();
int green = fill[p].getGreen();
int blue = fill[p].getBlue();
double d = universe.getContrast();
fill[p] = new Color(light(red, inprod, d), light(green, inprod, d), light(blue, inprod, d), fill[p].getAlpha());
line[p] = fill[p]; // hack
}
}
private static int light(int color, double inprod, double lighting){
double l = (1-inprod)/2; //tussen 0 en 1;
double stay = (1-lighting) * color;
double remain = (lighting) * l * color;
return (int)(stay + remain);
}
public double getZ(){
return z;
}
public void paint(View view){
updatePolys2D();
Graphics2D g = view.getGraphics2D(); //?
for(int i = 0; i < nPolys; i++){
if(show[i]){
if(fill[i] != null){
g.setColor(fill[i]);
g.fill(polys2D[i]);
g.draw(polys2D[i]); // voor de<SUF>
}
if(line[i] != null){
g.setColor(line[i]);
g.draw(polys2D[i]);
}
}
}
}
public void sort(){
return;
}
public Brush copy(){
Vertex[] v = new Vertex[vertex.length];
for(int i = 0; i < vertex.length; i++)
v[i] = vertex[i].copy();
int[][] p = new int[nPolys][];
for(int i = 0; i < nPolys; i++){
p[i] = new int[polys[i].length];
for(int j = 0; j < p[i].length; j++)
p[i][j] = polys[i][j];
}
Color[] f = new Color[fill.length];
for(int i = 0; i < fill.length; i++)
if(fill[i] != null)
f[i] = new Color(fill[i].getRed(), fill[i].getGreen(), fill[i].getBlue(), fill[i].getAlpha());
Color[] l = new Color[line.length];
for(int i = 0; i < line.length; i++)
if(line[i] != null)
l[i] = new Color(line[i].getRed(), line[i].getGreen(), line[i].getBlue(), line[i].getAlpha());
Mesh copy = new Mesh(v, p, f, l);
return copy;
}
/** Zet de kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de zijvlakken niet ingekleurd */
public void setFillColor(Color c){
fill = colorArray(c, nPolys);
}
/** Zet de kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt het overeenkomstig zijvlak niet ingekleurd. */
public void setFillColor(Color[] c){
fill = c;
}
/** Zet de omtrek-kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de omtrekken van de zijvlakken niet getekend. */
public void setLineColor(Color c){
line = colorArray(c, nPolys);
}
/** Zet de omtrek-kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt de overeenkomstige omtrek niet getekend. */
public void setLineColor(Color[] c){
line = c;
}
//berekent nieuwe coordinaten en kleuren van de polygonen.
//moet aangeroepen worden na elke transform door de viewport.
private void updatePolys2D(){
z = Double.NEGATIVE_INFINITY;
for(int p = 0; p < nPolys; p++){
Polygon poly2D = polys2D[p];
int[] x = poly2D.xpoints;
int[] y = poly2D.ypoints;
int[] vertexNum = polys[p];
//dingen achter blikveld worden niet getekend.
boolean inFront = true;
for(int i = 0; i < poly2D.npoints; i++){
Vertex v = vertex[vertexNum[i]];
x[i] = (int) (v.tx+.5);
y[i] = (int) (v.ty+.5);
//voor of achter blikveld?
if(v.tz < 0)
inFront = false;
//verste z voor ordening
if(v.tz > z)
z = v.tz;
}
if(inFront){
//vectorproduct voor heliciteit:
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//heliciteit
double xt1 = a.tx-b.tx, yt1 = a.ty-b.ty;
double xt2 = c.tx-b.tx, yt2 = c.ty-b.ty;
double hel = xt1*yt2 - xt2*yt1;
show[p] = (hel < 0);
}
else
show[p] = false;
}
}
//initialiseerd Polygons met juiste aantal punten.
private void initPolys2D(){
polys2D = new Polygon[nPolys];
for(int i = 0; i < nPolys; i++){
int npoints = polys[i].length;
polys2D[i] = new Polygon(new int[npoints], new int[npoints], npoints);
}
show = new boolean[nPolys];
}
private static Color[] colorArray(Color c, int length){
Color[] array = new Color[length];
for(int i = 0; i < length; i++)
array[i] = c;
return array;
}
private static int[] intArray(int number, int length){
int[] array = new int[length];
for(int i = 0; i < length; i++)
array[i] = number;
return array;
}
}
|
1698_10 | /**
This file is part of a 3D engine,
copyright Arne Vansteenkiste 2006-2010.
Use of this source code is governed by the GNU General Public License version 3,
as published by the Free Software Foundation.
*/
package maxview;
import java.awt.*;
import java.awt.geom.*;
/**
Convex 3D object. Niet-convexe objecten kunnen gemaakt worden met Group.
*/
public final class Mesh extends Brush{
private Vertex[] vertex; //Punten van de 3D-figuur.
private int[][] polys; //Lijsten met nummers van vertices die telkens een zijvlak definieren.
private Color[] fill; //Kleur zijvlakken
private Color[] line; //lijnkleur zijvlakken
private Polygon[] polys2D; //Zijvlakken
private int nPolys; //Aantal zijvlakken
private boolean show[]; //Welke zijvlakken moeten getekend worden op basis van heliciteit.
private double z; //verst verwijderde z coordinaat (na transformatie) voor ordening.
public Mesh(Vertex[] v, int[][] polys, Color[] fill, Color[] line){
vertex = v;
this.polys = polys;
this.fill = fill;
this.line = line;
nPolys = polys.length;
initPolys2D();
}
public Mesh(Vertex[] v, int[][] polys, Color fill, Color line){
this(v, polys,
colorArray(fill, polys.length), colorArray(line, polys.length));
}
public Mesh(Vertex[] v, int[][] polys){
this(v, polys, (Color)null, (Color)null);
}
public Vertex[] getVertices(){
return vertex;
}
public void light(Universe universe){
for(int p = 0; p < nPolys; p++){
//vectorproduct
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//relatieve vectoren:
double x1 = a.x-b.x, y1 = a.y-b.y, z1 = a.z-b.z;
double x2 = c.x-b.x, y2 = c.y-b.y, z2 = c.z-b.z;
//normaalvector op poly:
double nx = y1*z2-y2*z1;
double ny = x2*z1-x1*z2;
double nz = x1*y2-x2*y1;
final Vertex light = universe.getLight();
final Vertex ref = vertex[polys[p][0]];
double lx = light.x - ref.x, ly = light.y - ref.y, lz = light.z - ref.z;
double inprod = lx*nx + ly*ny + lz*nz;
inprod /= Math.sqrt((lx*lx + ly*ly + lz*lz) * (nx*nx + ny*ny + nz*nz));
int red = fill[p].getRed();
int green = fill[p].getGreen();
int blue = fill[p].getBlue();
double d = universe.getContrast();
fill[p] = new Color(light(red, inprod, d), light(green, inprod, d), light(blue, inprod, d), fill[p].getAlpha());
line[p] = fill[p]; // hack
}
}
private static int light(int color, double inprod, double lighting){
double l = (1-inprod)/2; //tussen 0 en 1;
double stay = (1-lighting) * color;
double remain = (lighting) * l * color;
return (int)(stay + remain);
}
public double getZ(){
return z;
}
public void paint(View view){
updatePolys2D();
Graphics2D g = view.getGraphics2D(); //?
for(int i = 0; i < nPolys; i++){
if(show[i]){
if(fill[i] != null){
g.setColor(fill[i]);
g.fill(polys2D[i]);
g.draw(polys2D[i]); // voor de edges
}
if(line[i] != null){
g.setColor(line[i]);
g.draw(polys2D[i]);
}
}
}
}
public void sort(){
return;
}
public Brush copy(){
Vertex[] v = new Vertex[vertex.length];
for(int i = 0; i < vertex.length; i++)
v[i] = vertex[i].copy();
int[][] p = new int[nPolys][];
for(int i = 0; i < nPolys; i++){
p[i] = new int[polys[i].length];
for(int j = 0; j < p[i].length; j++)
p[i][j] = polys[i][j];
}
Color[] f = new Color[fill.length];
for(int i = 0; i < fill.length; i++)
if(fill[i] != null)
f[i] = new Color(fill[i].getRed(), fill[i].getGreen(), fill[i].getBlue(), fill[i].getAlpha());
Color[] l = new Color[line.length];
for(int i = 0; i < line.length; i++)
if(line[i] != null)
l[i] = new Color(line[i].getRed(), line[i].getGreen(), line[i].getBlue(), line[i].getAlpha());
Mesh copy = new Mesh(v, p, f, l);
return copy;
}
/** Zet de kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de zijvlakken niet ingekleurd */
public void setFillColor(Color c){
fill = colorArray(c, nPolys);
}
/** Zet de kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt het overeenkomstig zijvlak niet ingekleurd. */
public void setFillColor(Color[] c){
fill = c;
}
/** Zet de omtrek-kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de omtrekken van de zijvlakken niet getekend. */
public void setLineColor(Color c){
line = colorArray(c, nPolys);
}
/** Zet de omtrek-kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt de overeenkomstige omtrek niet getekend. */
public void setLineColor(Color[] c){
line = c;
}
//berekent nieuwe coordinaten en kleuren van de polygonen.
//moet aangeroepen worden na elke transform door de viewport.
private void updatePolys2D(){
z = Double.NEGATIVE_INFINITY;
for(int p = 0; p < nPolys; p++){
Polygon poly2D = polys2D[p];
int[] x = poly2D.xpoints;
int[] y = poly2D.ypoints;
int[] vertexNum = polys[p];
//dingen achter blikveld worden niet getekend.
boolean inFront = true;
for(int i = 0; i < poly2D.npoints; i++){
Vertex v = vertex[vertexNum[i]];
x[i] = (int) (v.tx+.5);
y[i] = (int) (v.ty+.5);
//voor of achter blikveld?
if(v.tz < 0)
inFront = false;
//verste z voor ordening
if(v.tz > z)
z = v.tz;
}
if(inFront){
//vectorproduct voor heliciteit:
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//heliciteit
double xt1 = a.tx-b.tx, yt1 = a.ty-b.ty;
double xt2 = c.tx-b.tx, yt2 = c.ty-b.ty;
double hel = xt1*yt2 - xt2*yt1;
show[p] = (hel < 0);
}
else
show[p] = false;
}
}
//initialiseerd Polygons met juiste aantal punten.
private void initPolys2D(){
polys2D = new Polygon[nPolys];
for(int i = 0; i < nPolys; i++){
int npoints = polys[i].length;
polys2D[i] = new Polygon(new int[npoints], new int[npoints], npoints);
}
show = new boolean[nPolys];
}
private static Color[] colorArray(Color c, int length){
Color[] array = new Color[length];
for(int i = 0; i < length; i++)
array[i] = c;
return array;
}
private static int[] intArray(int number, int length){
int[] array = new int[length];
for(int i = 0; i < length; i++)
array[i] = number;
return array;
}
}
| mumax/1 | src/java/maxview/Mesh.java | 2,454 | /** Zet de kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de zijvlakken niet ingekleurd */ | block_comment | nl | /**
This file is part of a 3D engine,
copyright Arne Vansteenkiste 2006-2010.
Use of this source code is governed by the GNU General Public License version 3,
as published by the Free Software Foundation.
*/
package maxview;
import java.awt.*;
import java.awt.geom.*;
/**
Convex 3D object. Niet-convexe objecten kunnen gemaakt worden met Group.
*/
public final class Mesh extends Brush{
private Vertex[] vertex; //Punten van de 3D-figuur.
private int[][] polys; //Lijsten met nummers van vertices die telkens een zijvlak definieren.
private Color[] fill; //Kleur zijvlakken
private Color[] line; //lijnkleur zijvlakken
private Polygon[] polys2D; //Zijvlakken
private int nPolys; //Aantal zijvlakken
private boolean show[]; //Welke zijvlakken moeten getekend worden op basis van heliciteit.
private double z; //verst verwijderde z coordinaat (na transformatie) voor ordening.
public Mesh(Vertex[] v, int[][] polys, Color[] fill, Color[] line){
vertex = v;
this.polys = polys;
this.fill = fill;
this.line = line;
nPolys = polys.length;
initPolys2D();
}
public Mesh(Vertex[] v, int[][] polys, Color fill, Color line){
this(v, polys,
colorArray(fill, polys.length), colorArray(line, polys.length));
}
public Mesh(Vertex[] v, int[][] polys){
this(v, polys, (Color)null, (Color)null);
}
public Vertex[] getVertices(){
return vertex;
}
public void light(Universe universe){
for(int p = 0; p < nPolys; p++){
//vectorproduct
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//relatieve vectoren:
double x1 = a.x-b.x, y1 = a.y-b.y, z1 = a.z-b.z;
double x2 = c.x-b.x, y2 = c.y-b.y, z2 = c.z-b.z;
//normaalvector op poly:
double nx = y1*z2-y2*z1;
double ny = x2*z1-x1*z2;
double nz = x1*y2-x2*y1;
final Vertex light = universe.getLight();
final Vertex ref = vertex[polys[p][0]];
double lx = light.x - ref.x, ly = light.y - ref.y, lz = light.z - ref.z;
double inprod = lx*nx + ly*ny + lz*nz;
inprod /= Math.sqrt((lx*lx + ly*ly + lz*lz) * (nx*nx + ny*ny + nz*nz));
int red = fill[p].getRed();
int green = fill[p].getGreen();
int blue = fill[p].getBlue();
double d = universe.getContrast();
fill[p] = new Color(light(red, inprod, d), light(green, inprod, d), light(blue, inprod, d), fill[p].getAlpha());
line[p] = fill[p]; // hack
}
}
private static int light(int color, double inprod, double lighting){
double l = (1-inprod)/2; //tussen 0 en 1;
double stay = (1-lighting) * color;
double remain = (lighting) * l * color;
return (int)(stay + remain);
}
public double getZ(){
return z;
}
public void paint(View view){
updatePolys2D();
Graphics2D g = view.getGraphics2D(); //?
for(int i = 0; i < nPolys; i++){
if(show[i]){
if(fill[i] != null){
g.setColor(fill[i]);
g.fill(polys2D[i]);
g.draw(polys2D[i]); // voor de edges
}
if(line[i] != null){
g.setColor(line[i]);
g.draw(polys2D[i]);
}
}
}
}
public void sort(){
return;
}
public Brush copy(){
Vertex[] v = new Vertex[vertex.length];
for(int i = 0; i < vertex.length; i++)
v[i] = vertex[i].copy();
int[][] p = new int[nPolys][];
for(int i = 0; i < nPolys; i++){
p[i] = new int[polys[i].length];
for(int j = 0; j < p[i].length; j++)
p[i][j] = polys[i][j];
}
Color[] f = new Color[fill.length];
for(int i = 0; i < fill.length; i++)
if(fill[i] != null)
f[i] = new Color(fill[i].getRed(), fill[i].getGreen(), fill[i].getBlue(), fill[i].getAlpha());
Color[] l = new Color[line.length];
for(int i = 0; i < line.length; i++)
if(line[i] != null)
l[i] = new Color(line[i].getRed(), line[i].getGreen(), line[i].getBlue(), line[i].getAlpha());
Mesh copy = new Mesh(v, p, f, l);
return copy;
}
/** Zet de kleur<SUF>*/
public void setFillColor(Color c){
fill = colorArray(c, nPolys);
}
/** Zet de kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt het overeenkomstig zijvlak niet ingekleurd. */
public void setFillColor(Color[] c){
fill = c;
}
/** Zet de omtrek-kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de omtrekken van de zijvlakken niet getekend. */
public void setLineColor(Color c){
line = colorArray(c, nPolys);
}
/** Zet de omtrek-kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt de overeenkomstige omtrek niet getekend. */
public void setLineColor(Color[] c){
line = c;
}
//berekent nieuwe coordinaten en kleuren van de polygonen.
//moet aangeroepen worden na elke transform door de viewport.
private void updatePolys2D(){
z = Double.NEGATIVE_INFINITY;
for(int p = 0; p < nPolys; p++){
Polygon poly2D = polys2D[p];
int[] x = poly2D.xpoints;
int[] y = poly2D.ypoints;
int[] vertexNum = polys[p];
//dingen achter blikveld worden niet getekend.
boolean inFront = true;
for(int i = 0; i < poly2D.npoints; i++){
Vertex v = vertex[vertexNum[i]];
x[i] = (int) (v.tx+.5);
y[i] = (int) (v.ty+.5);
//voor of achter blikveld?
if(v.tz < 0)
inFront = false;
//verste z voor ordening
if(v.tz > z)
z = v.tz;
}
if(inFront){
//vectorproduct voor heliciteit:
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//heliciteit
double xt1 = a.tx-b.tx, yt1 = a.ty-b.ty;
double xt2 = c.tx-b.tx, yt2 = c.ty-b.ty;
double hel = xt1*yt2 - xt2*yt1;
show[p] = (hel < 0);
}
else
show[p] = false;
}
}
//initialiseerd Polygons met juiste aantal punten.
private void initPolys2D(){
polys2D = new Polygon[nPolys];
for(int i = 0; i < nPolys; i++){
int npoints = polys[i].length;
polys2D[i] = new Polygon(new int[npoints], new int[npoints], npoints);
}
show = new boolean[nPolys];
}
private static Color[] colorArray(Color c, int length){
Color[] array = new Color[length];
for(int i = 0; i < length; i++)
array[i] = c;
return array;
}
private static int[] intArray(int number, int length){
int[] array = new int[length];
for(int i = 0; i < length; i++)
array[i] = number;
return array;
}
}
|
1698_11 | /**
This file is part of a 3D engine,
copyright Arne Vansteenkiste 2006-2010.
Use of this source code is governed by the GNU General Public License version 3,
as published by the Free Software Foundation.
*/
package maxview;
import java.awt.*;
import java.awt.geom.*;
/**
Convex 3D object. Niet-convexe objecten kunnen gemaakt worden met Group.
*/
public final class Mesh extends Brush{
private Vertex[] vertex; //Punten van de 3D-figuur.
private int[][] polys; //Lijsten met nummers van vertices die telkens een zijvlak definieren.
private Color[] fill; //Kleur zijvlakken
private Color[] line; //lijnkleur zijvlakken
private Polygon[] polys2D; //Zijvlakken
private int nPolys; //Aantal zijvlakken
private boolean show[]; //Welke zijvlakken moeten getekend worden op basis van heliciteit.
private double z; //verst verwijderde z coordinaat (na transformatie) voor ordening.
public Mesh(Vertex[] v, int[][] polys, Color[] fill, Color[] line){
vertex = v;
this.polys = polys;
this.fill = fill;
this.line = line;
nPolys = polys.length;
initPolys2D();
}
public Mesh(Vertex[] v, int[][] polys, Color fill, Color line){
this(v, polys,
colorArray(fill, polys.length), colorArray(line, polys.length));
}
public Mesh(Vertex[] v, int[][] polys){
this(v, polys, (Color)null, (Color)null);
}
public Vertex[] getVertices(){
return vertex;
}
public void light(Universe universe){
for(int p = 0; p < nPolys; p++){
//vectorproduct
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//relatieve vectoren:
double x1 = a.x-b.x, y1 = a.y-b.y, z1 = a.z-b.z;
double x2 = c.x-b.x, y2 = c.y-b.y, z2 = c.z-b.z;
//normaalvector op poly:
double nx = y1*z2-y2*z1;
double ny = x2*z1-x1*z2;
double nz = x1*y2-x2*y1;
final Vertex light = universe.getLight();
final Vertex ref = vertex[polys[p][0]];
double lx = light.x - ref.x, ly = light.y - ref.y, lz = light.z - ref.z;
double inprod = lx*nx + ly*ny + lz*nz;
inprod /= Math.sqrt((lx*lx + ly*ly + lz*lz) * (nx*nx + ny*ny + nz*nz));
int red = fill[p].getRed();
int green = fill[p].getGreen();
int blue = fill[p].getBlue();
double d = universe.getContrast();
fill[p] = new Color(light(red, inprod, d), light(green, inprod, d), light(blue, inprod, d), fill[p].getAlpha());
line[p] = fill[p]; // hack
}
}
private static int light(int color, double inprod, double lighting){
double l = (1-inprod)/2; //tussen 0 en 1;
double stay = (1-lighting) * color;
double remain = (lighting) * l * color;
return (int)(stay + remain);
}
public double getZ(){
return z;
}
public void paint(View view){
updatePolys2D();
Graphics2D g = view.getGraphics2D(); //?
for(int i = 0; i < nPolys; i++){
if(show[i]){
if(fill[i] != null){
g.setColor(fill[i]);
g.fill(polys2D[i]);
g.draw(polys2D[i]); // voor de edges
}
if(line[i] != null){
g.setColor(line[i]);
g.draw(polys2D[i]);
}
}
}
}
public void sort(){
return;
}
public Brush copy(){
Vertex[] v = new Vertex[vertex.length];
for(int i = 0; i < vertex.length; i++)
v[i] = vertex[i].copy();
int[][] p = new int[nPolys][];
for(int i = 0; i < nPolys; i++){
p[i] = new int[polys[i].length];
for(int j = 0; j < p[i].length; j++)
p[i][j] = polys[i][j];
}
Color[] f = new Color[fill.length];
for(int i = 0; i < fill.length; i++)
if(fill[i] != null)
f[i] = new Color(fill[i].getRed(), fill[i].getGreen(), fill[i].getBlue(), fill[i].getAlpha());
Color[] l = new Color[line.length];
for(int i = 0; i < line.length; i++)
if(line[i] != null)
l[i] = new Color(line[i].getRed(), line[i].getGreen(), line[i].getBlue(), line[i].getAlpha());
Mesh copy = new Mesh(v, p, f, l);
return copy;
}
/** Zet de kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de zijvlakken niet ingekleurd */
public void setFillColor(Color c){
fill = colorArray(c, nPolys);
}
/** Zet de kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt het overeenkomstig zijvlak niet ingekleurd. */
public void setFillColor(Color[] c){
fill = c;
}
/** Zet de omtrek-kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de omtrekken van de zijvlakken niet getekend. */
public void setLineColor(Color c){
line = colorArray(c, nPolys);
}
/** Zet de omtrek-kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt de overeenkomstige omtrek niet getekend. */
public void setLineColor(Color[] c){
line = c;
}
//berekent nieuwe coordinaten en kleuren van de polygonen.
//moet aangeroepen worden na elke transform door de viewport.
private void updatePolys2D(){
z = Double.NEGATIVE_INFINITY;
for(int p = 0; p < nPolys; p++){
Polygon poly2D = polys2D[p];
int[] x = poly2D.xpoints;
int[] y = poly2D.ypoints;
int[] vertexNum = polys[p];
//dingen achter blikveld worden niet getekend.
boolean inFront = true;
for(int i = 0; i < poly2D.npoints; i++){
Vertex v = vertex[vertexNum[i]];
x[i] = (int) (v.tx+.5);
y[i] = (int) (v.ty+.5);
//voor of achter blikveld?
if(v.tz < 0)
inFront = false;
//verste z voor ordening
if(v.tz > z)
z = v.tz;
}
if(inFront){
//vectorproduct voor heliciteit:
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//heliciteit
double xt1 = a.tx-b.tx, yt1 = a.ty-b.ty;
double xt2 = c.tx-b.tx, yt2 = c.ty-b.ty;
double hel = xt1*yt2 - xt2*yt1;
show[p] = (hel < 0);
}
else
show[p] = false;
}
}
//initialiseerd Polygons met juiste aantal punten.
private void initPolys2D(){
polys2D = new Polygon[nPolys];
for(int i = 0; i < nPolys; i++){
int npoints = polys[i].length;
polys2D[i] = new Polygon(new int[npoints], new int[npoints], npoints);
}
show = new boolean[nPolys];
}
private static Color[] colorArray(Color c, int length){
Color[] array = new Color[length];
for(int i = 0; i < length; i++)
array[i] = c;
return array;
}
private static int[] intArray(int number, int length){
int[] array = new int[length];
for(int i = 0; i < length; i++)
array[i] = number;
return array;
}
}
| mumax/1 | src/java/maxview/Mesh.java | 2,454 | /** Zet de kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt het overeenkomstig zijvlak niet ingekleurd. */ | block_comment | nl | /**
This file is part of a 3D engine,
copyright Arne Vansteenkiste 2006-2010.
Use of this source code is governed by the GNU General Public License version 3,
as published by the Free Software Foundation.
*/
package maxview;
import java.awt.*;
import java.awt.geom.*;
/**
Convex 3D object. Niet-convexe objecten kunnen gemaakt worden met Group.
*/
public final class Mesh extends Brush{
private Vertex[] vertex; //Punten van de 3D-figuur.
private int[][] polys; //Lijsten met nummers van vertices die telkens een zijvlak definieren.
private Color[] fill; //Kleur zijvlakken
private Color[] line; //lijnkleur zijvlakken
private Polygon[] polys2D; //Zijvlakken
private int nPolys; //Aantal zijvlakken
private boolean show[]; //Welke zijvlakken moeten getekend worden op basis van heliciteit.
private double z; //verst verwijderde z coordinaat (na transformatie) voor ordening.
public Mesh(Vertex[] v, int[][] polys, Color[] fill, Color[] line){
vertex = v;
this.polys = polys;
this.fill = fill;
this.line = line;
nPolys = polys.length;
initPolys2D();
}
public Mesh(Vertex[] v, int[][] polys, Color fill, Color line){
this(v, polys,
colorArray(fill, polys.length), colorArray(line, polys.length));
}
public Mesh(Vertex[] v, int[][] polys){
this(v, polys, (Color)null, (Color)null);
}
public Vertex[] getVertices(){
return vertex;
}
public void light(Universe universe){
for(int p = 0; p < nPolys; p++){
//vectorproduct
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//relatieve vectoren:
double x1 = a.x-b.x, y1 = a.y-b.y, z1 = a.z-b.z;
double x2 = c.x-b.x, y2 = c.y-b.y, z2 = c.z-b.z;
//normaalvector op poly:
double nx = y1*z2-y2*z1;
double ny = x2*z1-x1*z2;
double nz = x1*y2-x2*y1;
final Vertex light = universe.getLight();
final Vertex ref = vertex[polys[p][0]];
double lx = light.x - ref.x, ly = light.y - ref.y, lz = light.z - ref.z;
double inprod = lx*nx + ly*ny + lz*nz;
inprod /= Math.sqrt((lx*lx + ly*ly + lz*lz) * (nx*nx + ny*ny + nz*nz));
int red = fill[p].getRed();
int green = fill[p].getGreen();
int blue = fill[p].getBlue();
double d = universe.getContrast();
fill[p] = new Color(light(red, inprod, d), light(green, inprod, d), light(blue, inprod, d), fill[p].getAlpha());
line[p] = fill[p]; // hack
}
}
private static int light(int color, double inprod, double lighting){
double l = (1-inprod)/2; //tussen 0 en 1;
double stay = (1-lighting) * color;
double remain = (lighting) * l * color;
return (int)(stay + remain);
}
public double getZ(){
return z;
}
public void paint(View view){
updatePolys2D();
Graphics2D g = view.getGraphics2D(); //?
for(int i = 0; i < nPolys; i++){
if(show[i]){
if(fill[i] != null){
g.setColor(fill[i]);
g.fill(polys2D[i]);
g.draw(polys2D[i]); // voor de edges
}
if(line[i] != null){
g.setColor(line[i]);
g.draw(polys2D[i]);
}
}
}
}
public void sort(){
return;
}
public Brush copy(){
Vertex[] v = new Vertex[vertex.length];
for(int i = 0; i < vertex.length; i++)
v[i] = vertex[i].copy();
int[][] p = new int[nPolys][];
for(int i = 0; i < nPolys; i++){
p[i] = new int[polys[i].length];
for(int j = 0; j < p[i].length; j++)
p[i][j] = polys[i][j];
}
Color[] f = new Color[fill.length];
for(int i = 0; i < fill.length; i++)
if(fill[i] != null)
f[i] = new Color(fill[i].getRed(), fill[i].getGreen(), fill[i].getBlue(), fill[i].getAlpha());
Color[] l = new Color[line.length];
for(int i = 0; i < line.length; i++)
if(line[i] != null)
l[i] = new Color(line[i].getRed(), line[i].getGreen(), line[i].getBlue(), line[i].getAlpha());
Mesh copy = new Mesh(v, p, f, l);
return copy;
}
/** Zet de kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de zijvlakken niet ingekleurd */
public void setFillColor(Color c){
fill = colorArray(c, nPolys);
}
/** Zet de kleur<SUF>*/
public void setFillColor(Color[] c){
fill = c;
}
/** Zet de omtrek-kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de omtrekken van de zijvlakken niet getekend. */
public void setLineColor(Color c){
line = colorArray(c, nPolys);
}
/** Zet de omtrek-kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt de overeenkomstige omtrek niet getekend. */
public void setLineColor(Color[] c){
line = c;
}
//berekent nieuwe coordinaten en kleuren van de polygonen.
//moet aangeroepen worden na elke transform door de viewport.
private void updatePolys2D(){
z = Double.NEGATIVE_INFINITY;
for(int p = 0; p < nPolys; p++){
Polygon poly2D = polys2D[p];
int[] x = poly2D.xpoints;
int[] y = poly2D.ypoints;
int[] vertexNum = polys[p];
//dingen achter blikveld worden niet getekend.
boolean inFront = true;
for(int i = 0; i < poly2D.npoints; i++){
Vertex v = vertex[vertexNum[i]];
x[i] = (int) (v.tx+.5);
y[i] = (int) (v.ty+.5);
//voor of achter blikveld?
if(v.tz < 0)
inFront = false;
//verste z voor ordening
if(v.tz > z)
z = v.tz;
}
if(inFront){
//vectorproduct voor heliciteit:
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//heliciteit
double xt1 = a.tx-b.tx, yt1 = a.ty-b.ty;
double xt2 = c.tx-b.tx, yt2 = c.ty-b.ty;
double hel = xt1*yt2 - xt2*yt1;
show[p] = (hel < 0);
}
else
show[p] = false;
}
}
//initialiseerd Polygons met juiste aantal punten.
private void initPolys2D(){
polys2D = new Polygon[nPolys];
for(int i = 0; i < nPolys; i++){
int npoints = polys[i].length;
polys2D[i] = new Polygon(new int[npoints], new int[npoints], npoints);
}
show = new boolean[nPolys];
}
private static Color[] colorArray(Color c, int length){
Color[] array = new Color[length];
for(int i = 0; i < length; i++)
array[i] = c;
return array;
}
private static int[] intArray(int number, int length){
int[] array = new int[length];
for(int i = 0; i < length; i++)
array[i] = number;
return array;
}
}
|
1698_12 | /**
This file is part of a 3D engine,
copyright Arne Vansteenkiste 2006-2010.
Use of this source code is governed by the GNU General Public License version 3,
as published by the Free Software Foundation.
*/
package maxview;
import java.awt.*;
import java.awt.geom.*;
/**
Convex 3D object. Niet-convexe objecten kunnen gemaakt worden met Group.
*/
public final class Mesh extends Brush{
private Vertex[] vertex; //Punten van de 3D-figuur.
private int[][] polys; //Lijsten met nummers van vertices die telkens een zijvlak definieren.
private Color[] fill; //Kleur zijvlakken
private Color[] line; //lijnkleur zijvlakken
private Polygon[] polys2D; //Zijvlakken
private int nPolys; //Aantal zijvlakken
private boolean show[]; //Welke zijvlakken moeten getekend worden op basis van heliciteit.
private double z; //verst verwijderde z coordinaat (na transformatie) voor ordening.
public Mesh(Vertex[] v, int[][] polys, Color[] fill, Color[] line){
vertex = v;
this.polys = polys;
this.fill = fill;
this.line = line;
nPolys = polys.length;
initPolys2D();
}
public Mesh(Vertex[] v, int[][] polys, Color fill, Color line){
this(v, polys,
colorArray(fill, polys.length), colorArray(line, polys.length));
}
public Mesh(Vertex[] v, int[][] polys){
this(v, polys, (Color)null, (Color)null);
}
public Vertex[] getVertices(){
return vertex;
}
public void light(Universe universe){
for(int p = 0; p < nPolys; p++){
//vectorproduct
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//relatieve vectoren:
double x1 = a.x-b.x, y1 = a.y-b.y, z1 = a.z-b.z;
double x2 = c.x-b.x, y2 = c.y-b.y, z2 = c.z-b.z;
//normaalvector op poly:
double nx = y1*z2-y2*z1;
double ny = x2*z1-x1*z2;
double nz = x1*y2-x2*y1;
final Vertex light = universe.getLight();
final Vertex ref = vertex[polys[p][0]];
double lx = light.x - ref.x, ly = light.y - ref.y, lz = light.z - ref.z;
double inprod = lx*nx + ly*ny + lz*nz;
inprod /= Math.sqrt((lx*lx + ly*ly + lz*lz) * (nx*nx + ny*ny + nz*nz));
int red = fill[p].getRed();
int green = fill[p].getGreen();
int blue = fill[p].getBlue();
double d = universe.getContrast();
fill[p] = new Color(light(red, inprod, d), light(green, inprod, d), light(blue, inprod, d), fill[p].getAlpha());
line[p] = fill[p]; // hack
}
}
private static int light(int color, double inprod, double lighting){
double l = (1-inprod)/2; //tussen 0 en 1;
double stay = (1-lighting) * color;
double remain = (lighting) * l * color;
return (int)(stay + remain);
}
public double getZ(){
return z;
}
public void paint(View view){
updatePolys2D();
Graphics2D g = view.getGraphics2D(); //?
for(int i = 0; i < nPolys; i++){
if(show[i]){
if(fill[i] != null){
g.setColor(fill[i]);
g.fill(polys2D[i]);
g.draw(polys2D[i]); // voor de edges
}
if(line[i] != null){
g.setColor(line[i]);
g.draw(polys2D[i]);
}
}
}
}
public void sort(){
return;
}
public Brush copy(){
Vertex[] v = new Vertex[vertex.length];
for(int i = 0; i < vertex.length; i++)
v[i] = vertex[i].copy();
int[][] p = new int[nPolys][];
for(int i = 0; i < nPolys; i++){
p[i] = new int[polys[i].length];
for(int j = 0; j < p[i].length; j++)
p[i][j] = polys[i][j];
}
Color[] f = new Color[fill.length];
for(int i = 0; i < fill.length; i++)
if(fill[i] != null)
f[i] = new Color(fill[i].getRed(), fill[i].getGreen(), fill[i].getBlue(), fill[i].getAlpha());
Color[] l = new Color[line.length];
for(int i = 0; i < line.length; i++)
if(line[i] != null)
l[i] = new Color(line[i].getRed(), line[i].getGreen(), line[i].getBlue(), line[i].getAlpha());
Mesh copy = new Mesh(v, p, f, l);
return copy;
}
/** Zet de kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de zijvlakken niet ingekleurd */
public void setFillColor(Color c){
fill = colorArray(c, nPolys);
}
/** Zet de kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt het overeenkomstig zijvlak niet ingekleurd. */
public void setFillColor(Color[] c){
fill = c;
}
/** Zet de omtrek-kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de omtrekken van de zijvlakken niet getekend. */
public void setLineColor(Color c){
line = colorArray(c, nPolys);
}
/** Zet de omtrek-kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt de overeenkomstige omtrek niet getekend. */
public void setLineColor(Color[] c){
line = c;
}
//berekent nieuwe coordinaten en kleuren van de polygonen.
//moet aangeroepen worden na elke transform door de viewport.
private void updatePolys2D(){
z = Double.NEGATIVE_INFINITY;
for(int p = 0; p < nPolys; p++){
Polygon poly2D = polys2D[p];
int[] x = poly2D.xpoints;
int[] y = poly2D.ypoints;
int[] vertexNum = polys[p];
//dingen achter blikveld worden niet getekend.
boolean inFront = true;
for(int i = 0; i < poly2D.npoints; i++){
Vertex v = vertex[vertexNum[i]];
x[i] = (int) (v.tx+.5);
y[i] = (int) (v.ty+.5);
//voor of achter blikveld?
if(v.tz < 0)
inFront = false;
//verste z voor ordening
if(v.tz > z)
z = v.tz;
}
if(inFront){
//vectorproduct voor heliciteit:
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//heliciteit
double xt1 = a.tx-b.tx, yt1 = a.ty-b.ty;
double xt2 = c.tx-b.tx, yt2 = c.ty-b.ty;
double hel = xt1*yt2 - xt2*yt1;
show[p] = (hel < 0);
}
else
show[p] = false;
}
}
//initialiseerd Polygons met juiste aantal punten.
private void initPolys2D(){
polys2D = new Polygon[nPolys];
for(int i = 0; i < nPolys; i++){
int npoints = polys[i].length;
polys2D[i] = new Polygon(new int[npoints], new int[npoints], npoints);
}
show = new boolean[nPolys];
}
private static Color[] colorArray(Color c, int length){
Color[] array = new Color[length];
for(int i = 0; i < length; i++)
array[i] = c;
return array;
}
private static int[] intArray(int number, int length){
int[] array = new int[length];
for(int i = 0; i < length; i++)
array[i] = number;
return array;
}
}
| mumax/1 | src/java/maxview/Mesh.java | 2,454 | /** Zet de omtrek-kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de omtrekken van de zijvlakken niet getekend. */ | block_comment | nl | /**
This file is part of a 3D engine,
copyright Arne Vansteenkiste 2006-2010.
Use of this source code is governed by the GNU General Public License version 3,
as published by the Free Software Foundation.
*/
package maxview;
import java.awt.*;
import java.awt.geom.*;
/**
Convex 3D object. Niet-convexe objecten kunnen gemaakt worden met Group.
*/
public final class Mesh extends Brush{
private Vertex[] vertex; //Punten van de 3D-figuur.
private int[][] polys; //Lijsten met nummers van vertices die telkens een zijvlak definieren.
private Color[] fill; //Kleur zijvlakken
private Color[] line; //lijnkleur zijvlakken
private Polygon[] polys2D; //Zijvlakken
private int nPolys; //Aantal zijvlakken
private boolean show[]; //Welke zijvlakken moeten getekend worden op basis van heliciteit.
private double z; //verst verwijderde z coordinaat (na transformatie) voor ordening.
public Mesh(Vertex[] v, int[][] polys, Color[] fill, Color[] line){
vertex = v;
this.polys = polys;
this.fill = fill;
this.line = line;
nPolys = polys.length;
initPolys2D();
}
public Mesh(Vertex[] v, int[][] polys, Color fill, Color line){
this(v, polys,
colorArray(fill, polys.length), colorArray(line, polys.length));
}
public Mesh(Vertex[] v, int[][] polys){
this(v, polys, (Color)null, (Color)null);
}
public Vertex[] getVertices(){
return vertex;
}
public void light(Universe universe){
for(int p = 0; p < nPolys; p++){
//vectorproduct
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//relatieve vectoren:
double x1 = a.x-b.x, y1 = a.y-b.y, z1 = a.z-b.z;
double x2 = c.x-b.x, y2 = c.y-b.y, z2 = c.z-b.z;
//normaalvector op poly:
double nx = y1*z2-y2*z1;
double ny = x2*z1-x1*z2;
double nz = x1*y2-x2*y1;
final Vertex light = universe.getLight();
final Vertex ref = vertex[polys[p][0]];
double lx = light.x - ref.x, ly = light.y - ref.y, lz = light.z - ref.z;
double inprod = lx*nx + ly*ny + lz*nz;
inprod /= Math.sqrt((lx*lx + ly*ly + lz*lz) * (nx*nx + ny*ny + nz*nz));
int red = fill[p].getRed();
int green = fill[p].getGreen();
int blue = fill[p].getBlue();
double d = universe.getContrast();
fill[p] = new Color(light(red, inprod, d), light(green, inprod, d), light(blue, inprod, d), fill[p].getAlpha());
line[p] = fill[p]; // hack
}
}
private static int light(int color, double inprod, double lighting){
double l = (1-inprod)/2; //tussen 0 en 1;
double stay = (1-lighting) * color;
double remain = (lighting) * l * color;
return (int)(stay + remain);
}
public double getZ(){
return z;
}
public void paint(View view){
updatePolys2D();
Graphics2D g = view.getGraphics2D(); //?
for(int i = 0; i < nPolys; i++){
if(show[i]){
if(fill[i] != null){
g.setColor(fill[i]);
g.fill(polys2D[i]);
g.draw(polys2D[i]); // voor de edges
}
if(line[i] != null){
g.setColor(line[i]);
g.draw(polys2D[i]);
}
}
}
}
public void sort(){
return;
}
public Brush copy(){
Vertex[] v = new Vertex[vertex.length];
for(int i = 0; i < vertex.length; i++)
v[i] = vertex[i].copy();
int[][] p = new int[nPolys][];
for(int i = 0; i < nPolys; i++){
p[i] = new int[polys[i].length];
for(int j = 0; j < p[i].length; j++)
p[i][j] = polys[i][j];
}
Color[] f = new Color[fill.length];
for(int i = 0; i < fill.length; i++)
if(fill[i] != null)
f[i] = new Color(fill[i].getRed(), fill[i].getGreen(), fill[i].getBlue(), fill[i].getAlpha());
Color[] l = new Color[line.length];
for(int i = 0; i < line.length; i++)
if(line[i] != null)
l[i] = new Color(line[i].getRed(), line[i].getGreen(), line[i].getBlue(), line[i].getAlpha());
Mesh copy = new Mesh(v, p, f, l);
return copy;
}
/** Zet de kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de zijvlakken niet ingekleurd */
public void setFillColor(Color c){
fill = colorArray(c, nPolys);
}
/** Zet de kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt het overeenkomstig zijvlak niet ingekleurd. */
public void setFillColor(Color[] c){
fill = c;
}
/** Zet de omtrek-kleur<SUF>*/
public void setLineColor(Color c){
line = colorArray(c, nPolys);
}
/** Zet de omtrek-kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt de overeenkomstige omtrek niet getekend. */
public void setLineColor(Color[] c){
line = c;
}
//berekent nieuwe coordinaten en kleuren van de polygonen.
//moet aangeroepen worden na elke transform door de viewport.
private void updatePolys2D(){
z = Double.NEGATIVE_INFINITY;
for(int p = 0; p < nPolys; p++){
Polygon poly2D = polys2D[p];
int[] x = poly2D.xpoints;
int[] y = poly2D.ypoints;
int[] vertexNum = polys[p];
//dingen achter blikveld worden niet getekend.
boolean inFront = true;
for(int i = 0; i < poly2D.npoints; i++){
Vertex v = vertex[vertexNum[i]];
x[i] = (int) (v.tx+.5);
y[i] = (int) (v.ty+.5);
//voor of achter blikveld?
if(v.tz < 0)
inFront = false;
//verste z voor ordening
if(v.tz > z)
z = v.tz;
}
if(inFront){
//vectorproduct voor heliciteit:
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//heliciteit
double xt1 = a.tx-b.tx, yt1 = a.ty-b.ty;
double xt2 = c.tx-b.tx, yt2 = c.ty-b.ty;
double hel = xt1*yt2 - xt2*yt1;
show[p] = (hel < 0);
}
else
show[p] = false;
}
}
//initialiseerd Polygons met juiste aantal punten.
private void initPolys2D(){
polys2D = new Polygon[nPolys];
for(int i = 0; i < nPolys; i++){
int npoints = polys[i].length;
polys2D[i] = new Polygon(new int[npoints], new int[npoints], npoints);
}
show = new boolean[nPolys];
}
private static Color[] colorArray(Color c, int length){
Color[] array = new Color[length];
for(int i = 0; i < length; i++)
array[i] = c;
return array;
}
private static int[] intArray(int number, int length){
int[] array = new int[length];
for(int i = 0; i < length; i++)
array[i] = number;
return array;
}
}
|
1698_13 | /**
This file is part of a 3D engine,
copyright Arne Vansteenkiste 2006-2010.
Use of this source code is governed by the GNU General Public License version 3,
as published by the Free Software Foundation.
*/
package maxview;
import java.awt.*;
import java.awt.geom.*;
/**
Convex 3D object. Niet-convexe objecten kunnen gemaakt worden met Group.
*/
public final class Mesh extends Brush{
private Vertex[] vertex; //Punten van de 3D-figuur.
private int[][] polys; //Lijsten met nummers van vertices die telkens een zijvlak definieren.
private Color[] fill; //Kleur zijvlakken
private Color[] line; //lijnkleur zijvlakken
private Polygon[] polys2D; //Zijvlakken
private int nPolys; //Aantal zijvlakken
private boolean show[]; //Welke zijvlakken moeten getekend worden op basis van heliciteit.
private double z; //verst verwijderde z coordinaat (na transformatie) voor ordening.
public Mesh(Vertex[] v, int[][] polys, Color[] fill, Color[] line){
vertex = v;
this.polys = polys;
this.fill = fill;
this.line = line;
nPolys = polys.length;
initPolys2D();
}
public Mesh(Vertex[] v, int[][] polys, Color fill, Color line){
this(v, polys,
colorArray(fill, polys.length), colorArray(line, polys.length));
}
public Mesh(Vertex[] v, int[][] polys){
this(v, polys, (Color)null, (Color)null);
}
public Vertex[] getVertices(){
return vertex;
}
public void light(Universe universe){
for(int p = 0; p < nPolys; p++){
//vectorproduct
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//relatieve vectoren:
double x1 = a.x-b.x, y1 = a.y-b.y, z1 = a.z-b.z;
double x2 = c.x-b.x, y2 = c.y-b.y, z2 = c.z-b.z;
//normaalvector op poly:
double nx = y1*z2-y2*z1;
double ny = x2*z1-x1*z2;
double nz = x1*y2-x2*y1;
final Vertex light = universe.getLight();
final Vertex ref = vertex[polys[p][0]];
double lx = light.x - ref.x, ly = light.y - ref.y, lz = light.z - ref.z;
double inprod = lx*nx + ly*ny + lz*nz;
inprod /= Math.sqrt((lx*lx + ly*ly + lz*lz) * (nx*nx + ny*ny + nz*nz));
int red = fill[p].getRed();
int green = fill[p].getGreen();
int blue = fill[p].getBlue();
double d = universe.getContrast();
fill[p] = new Color(light(red, inprod, d), light(green, inprod, d), light(blue, inprod, d), fill[p].getAlpha());
line[p] = fill[p]; // hack
}
}
private static int light(int color, double inprod, double lighting){
double l = (1-inprod)/2; //tussen 0 en 1;
double stay = (1-lighting) * color;
double remain = (lighting) * l * color;
return (int)(stay + remain);
}
public double getZ(){
return z;
}
public void paint(View view){
updatePolys2D();
Graphics2D g = view.getGraphics2D(); //?
for(int i = 0; i < nPolys; i++){
if(show[i]){
if(fill[i] != null){
g.setColor(fill[i]);
g.fill(polys2D[i]);
g.draw(polys2D[i]); // voor de edges
}
if(line[i] != null){
g.setColor(line[i]);
g.draw(polys2D[i]);
}
}
}
}
public void sort(){
return;
}
public Brush copy(){
Vertex[] v = new Vertex[vertex.length];
for(int i = 0; i < vertex.length; i++)
v[i] = vertex[i].copy();
int[][] p = new int[nPolys][];
for(int i = 0; i < nPolys; i++){
p[i] = new int[polys[i].length];
for(int j = 0; j < p[i].length; j++)
p[i][j] = polys[i][j];
}
Color[] f = new Color[fill.length];
for(int i = 0; i < fill.length; i++)
if(fill[i] != null)
f[i] = new Color(fill[i].getRed(), fill[i].getGreen(), fill[i].getBlue(), fill[i].getAlpha());
Color[] l = new Color[line.length];
for(int i = 0; i < line.length; i++)
if(line[i] != null)
l[i] = new Color(line[i].getRed(), line[i].getGreen(), line[i].getBlue(), line[i].getAlpha());
Mesh copy = new Mesh(v, p, f, l);
return copy;
}
/** Zet de kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de zijvlakken niet ingekleurd */
public void setFillColor(Color c){
fill = colorArray(c, nPolys);
}
/** Zet de kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt het overeenkomstig zijvlak niet ingekleurd. */
public void setFillColor(Color[] c){
fill = c;
}
/** Zet de omtrek-kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de omtrekken van de zijvlakken niet getekend. */
public void setLineColor(Color c){
line = colorArray(c, nPolys);
}
/** Zet de omtrek-kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt de overeenkomstige omtrek niet getekend. */
public void setLineColor(Color[] c){
line = c;
}
//berekent nieuwe coordinaten en kleuren van de polygonen.
//moet aangeroepen worden na elke transform door de viewport.
private void updatePolys2D(){
z = Double.NEGATIVE_INFINITY;
for(int p = 0; p < nPolys; p++){
Polygon poly2D = polys2D[p];
int[] x = poly2D.xpoints;
int[] y = poly2D.ypoints;
int[] vertexNum = polys[p];
//dingen achter blikveld worden niet getekend.
boolean inFront = true;
for(int i = 0; i < poly2D.npoints; i++){
Vertex v = vertex[vertexNum[i]];
x[i] = (int) (v.tx+.5);
y[i] = (int) (v.ty+.5);
//voor of achter blikveld?
if(v.tz < 0)
inFront = false;
//verste z voor ordening
if(v.tz > z)
z = v.tz;
}
if(inFront){
//vectorproduct voor heliciteit:
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//heliciteit
double xt1 = a.tx-b.tx, yt1 = a.ty-b.ty;
double xt2 = c.tx-b.tx, yt2 = c.ty-b.ty;
double hel = xt1*yt2 - xt2*yt1;
show[p] = (hel < 0);
}
else
show[p] = false;
}
}
//initialiseerd Polygons met juiste aantal punten.
private void initPolys2D(){
polys2D = new Polygon[nPolys];
for(int i = 0; i < nPolys; i++){
int npoints = polys[i].length;
polys2D[i] = new Polygon(new int[npoints], new int[npoints], npoints);
}
show = new boolean[nPolys];
}
private static Color[] colorArray(Color c, int length){
Color[] array = new Color[length];
for(int i = 0; i < length; i++)
array[i] = c;
return array;
}
private static int[] intArray(int number, int length){
int[] array = new int[length];
for(int i = 0; i < length; i++)
array[i] = number;
return array;
}
}
| mumax/1 | src/java/maxview/Mesh.java | 2,454 | /** Zet de omtrek-kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt de overeenkomstige omtrek niet getekend. */ | block_comment | nl | /**
This file is part of a 3D engine,
copyright Arne Vansteenkiste 2006-2010.
Use of this source code is governed by the GNU General Public License version 3,
as published by the Free Software Foundation.
*/
package maxview;
import java.awt.*;
import java.awt.geom.*;
/**
Convex 3D object. Niet-convexe objecten kunnen gemaakt worden met Group.
*/
public final class Mesh extends Brush{
private Vertex[] vertex; //Punten van de 3D-figuur.
private int[][] polys; //Lijsten met nummers van vertices die telkens een zijvlak definieren.
private Color[] fill; //Kleur zijvlakken
private Color[] line; //lijnkleur zijvlakken
private Polygon[] polys2D; //Zijvlakken
private int nPolys; //Aantal zijvlakken
private boolean show[]; //Welke zijvlakken moeten getekend worden op basis van heliciteit.
private double z; //verst verwijderde z coordinaat (na transformatie) voor ordening.
public Mesh(Vertex[] v, int[][] polys, Color[] fill, Color[] line){
vertex = v;
this.polys = polys;
this.fill = fill;
this.line = line;
nPolys = polys.length;
initPolys2D();
}
public Mesh(Vertex[] v, int[][] polys, Color fill, Color line){
this(v, polys,
colorArray(fill, polys.length), colorArray(line, polys.length));
}
public Mesh(Vertex[] v, int[][] polys){
this(v, polys, (Color)null, (Color)null);
}
public Vertex[] getVertices(){
return vertex;
}
public void light(Universe universe){
for(int p = 0; p < nPolys; p++){
//vectorproduct
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//relatieve vectoren:
double x1 = a.x-b.x, y1 = a.y-b.y, z1 = a.z-b.z;
double x2 = c.x-b.x, y2 = c.y-b.y, z2 = c.z-b.z;
//normaalvector op poly:
double nx = y1*z2-y2*z1;
double ny = x2*z1-x1*z2;
double nz = x1*y2-x2*y1;
final Vertex light = universe.getLight();
final Vertex ref = vertex[polys[p][0]];
double lx = light.x - ref.x, ly = light.y - ref.y, lz = light.z - ref.z;
double inprod = lx*nx + ly*ny + lz*nz;
inprod /= Math.sqrt((lx*lx + ly*ly + lz*lz) * (nx*nx + ny*ny + nz*nz));
int red = fill[p].getRed();
int green = fill[p].getGreen();
int blue = fill[p].getBlue();
double d = universe.getContrast();
fill[p] = new Color(light(red, inprod, d), light(green, inprod, d), light(blue, inprod, d), fill[p].getAlpha());
line[p] = fill[p]; // hack
}
}
private static int light(int color, double inprod, double lighting){
double l = (1-inprod)/2; //tussen 0 en 1;
double stay = (1-lighting) * color;
double remain = (lighting) * l * color;
return (int)(stay + remain);
}
public double getZ(){
return z;
}
public void paint(View view){
updatePolys2D();
Graphics2D g = view.getGraphics2D(); //?
for(int i = 0; i < nPolys; i++){
if(show[i]){
if(fill[i] != null){
g.setColor(fill[i]);
g.fill(polys2D[i]);
g.draw(polys2D[i]); // voor de edges
}
if(line[i] != null){
g.setColor(line[i]);
g.draw(polys2D[i]);
}
}
}
}
public void sort(){
return;
}
public Brush copy(){
Vertex[] v = new Vertex[vertex.length];
for(int i = 0; i < vertex.length; i++)
v[i] = vertex[i].copy();
int[][] p = new int[nPolys][];
for(int i = 0; i < nPolys; i++){
p[i] = new int[polys[i].length];
for(int j = 0; j < p[i].length; j++)
p[i][j] = polys[i][j];
}
Color[] f = new Color[fill.length];
for(int i = 0; i < fill.length; i++)
if(fill[i] != null)
f[i] = new Color(fill[i].getRed(), fill[i].getGreen(), fill[i].getBlue(), fill[i].getAlpha());
Color[] l = new Color[line.length];
for(int i = 0; i < line.length; i++)
if(line[i] != null)
l[i] = new Color(line[i].getRed(), line[i].getGreen(), line[i].getBlue(), line[i].getAlpha());
Mesh copy = new Mesh(v, p, f, l);
return copy;
}
/** Zet de kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de zijvlakken niet ingekleurd */
public void setFillColor(Color c){
fill = colorArray(c, nPolys);
}
/** Zet de kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt het overeenkomstig zijvlak niet ingekleurd. */
public void setFillColor(Color[] c){
fill = c;
}
/** Zet de omtrek-kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de omtrekken van de zijvlakken niet getekend. */
public void setLineColor(Color c){
line = colorArray(c, nPolys);
}
/** Zet de omtrek-kleur<SUF>*/
public void setLineColor(Color[] c){
line = c;
}
//berekent nieuwe coordinaten en kleuren van de polygonen.
//moet aangeroepen worden na elke transform door de viewport.
private void updatePolys2D(){
z = Double.NEGATIVE_INFINITY;
for(int p = 0; p < nPolys; p++){
Polygon poly2D = polys2D[p];
int[] x = poly2D.xpoints;
int[] y = poly2D.ypoints;
int[] vertexNum = polys[p];
//dingen achter blikveld worden niet getekend.
boolean inFront = true;
for(int i = 0; i < poly2D.npoints; i++){
Vertex v = vertex[vertexNum[i]];
x[i] = (int) (v.tx+.5);
y[i] = (int) (v.ty+.5);
//voor of achter blikveld?
if(v.tz < 0)
inFront = false;
//verste z voor ordening
if(v.tz > z)
z = v.tz;
}
if(inFront){
//vectorproduct voor heliciteit:
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//heliciteit
double xt1 = a.tx-b.tx, yt1 = a.ty-b.ty;
double xt2 = c.tx-b.tx, yt2 = c.ty-b.ty;
double hel = xt1*yt2 - xt2*yt1;
show[p] = (hel < 0);
}
else
show[p] = false;
}
}
//initialiseerd Polygons met juiste aantal punten.
private void initPolys2D(){
polys2D = new Polygon[nPolys];
for(int i = 0; i < nPolys; i++){
int npoints = polys[i].length;
polys2D[i] = new Polygon(new int[npoints], new int[npoints], npoints);
}
show = new boolean[nPolys];
}
private static Color[] colorArray(Color c, int length){
Color[] array = new Color[length];
for(int i = 0; i < length; i++)
array[i] = c;
return array;
}
private static int[] intArray(int number, int length){
int[] array = new int[length];
for(int i = 0; i < length; i++)
array[i] = number;
return array;
}
}
|
1698_14 | /**
This file is part of a 3D engine,
copyright Arne Vansteenkiste 2006-2010.
Use of this source code is governed by the GNU General Public License version 3,
as published by the Free Software Foundation.
*/
package maxview;
import java.awt.*;
import java.awt.geom.*;
/**
Convex 3D object. Niet-convexe objecten kunnen gemaakt worden met Group.
*/
public final class Mesh extends Brush{
private Vertex[] vertex; //Punten van de 3D-figuur.
private int[][] polys; //Lijsten met nummers van vertices die telkens een zijvlak definieren.
private Color[] fill; //Kleur zijvlakken
private Color[] line; //lijnkleur zijvlakken
private Polygon[] polys2D; //Zijvlakken
private int nPolys; //Aantal zijvlakken
private boolean show[]; //Welke zijvlakken moeten getekend worden op basis van heliciteit.
private double z; //verst verwijderde z coordinaat (na transformatie) voor ordening.
public Mesh(Vertex[] v, int[][] polys, Color[] fill, Color[] line){
vertex = v;
this.polys = polys;
this.fill = fill;
this.line = line;
nPolys = polys.length;
initPolys2D();
}
public Mesh(Vertex[] v, int[][] polys, Color fill, Color line){
this(v, polys,
colorArray(fill, polys.length), colorArray(line, polys.length));
}
public Mesh(Vertex[] v, int[][] polys){
this(v, polys, (Color)null, (Color)null);
}
public Vertex[] getVertices(){
return vertex;
}
public void light(Universe universe){
for(int p = 0; p < nPolys; p++){
//vectorproduct
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//relatieve vectoren:
double x1 = a.x-b.x, y1 = a.y-b.y, z1 = a.z-b.z;
double x2 = c.x-b.x, y2 = c.y-b.y, z2 = c.z-b.z;
//normaalvector op poly:
double nx = y1*z2-y2*z1;
double ny = x2*z1-x1*z2;
double nz = x1*y2-x2*y1;
final Vertex light = universe.getLight();
final Vertex ref = vertex[polys[p][0]];
double lx = light.x - ref.x, ly = light.y - ref.y, lz = light.z - ref.z;
double inprod = lx*nx + ly*ny + lz*nz;
inprod /= Math.sqrt((lx*lx + ly*ly + lz*lz) * (nx*nx + ny*ny + nz*nz));
int red = fill[p].getRed();
int green = fill[p].getGreen();
int blue = fill[p].getBlue();
double d = universe.getContrast();
fill[p] = new Color(light(red, inprod, d), light(green, inprod, d), light(blue, inprod, d), fill[p].getAlpha());
line[p] = fill[p]; // hack
}
}
private static int light(int color, double inprod, double lighting){
double l = (1-inprod)/2; //tussen 0 en 1;
double stay = (1-lighting) * color;
double remain = (lighting) * l * color;
return (int)(stay + remain);
}
public double getZ(){
return z;
}
public void paint(View view){
updatePolys2D();
Graphics2D g = view.getGraphics2D(); //?
for(int i = 0; i < nPolys; i++){
if(show[i]){
if(fill[i] != null){
g.setColor(fill[i]);
g.fill(polys2D[i]);
g.draw(polys2D[i]); // voor de edges
}
if(line[i] != null){
g.setColor(line[i]);
g.draw(polys2D[i]);
}
}
}
}
public void sort(){
return;
}
public Brush copy(){
Vertex[] v = new Vertex[vertex.length];
for(int i = 0; i < vertex.length; i++)
v[i] = vertex[i].copy();
int[][] p = new int[nPolys][];
for(int i = 0; i < nPolys; i++){
p[i] = new int[polys[i].length];
for(int j = 0; j < p[i].length; j++)
p[i][j] = polys[i][j];
}
Color[] f = new Color[fill.length];
for(int i = 0; i < fill.length; i++)
if(fill[i] != null)
f[i] = new Color(fill[i].getRed(), fill[i].getGreen(), fill[i].getBlue(), fill[i].getAlpha());
Color[] l = new Color[line.length];
for(int i = 0; i < line.length; i++)
if(line[i] != null)
l[i] = new Color(line[i].getRed(), line[i].getGreen(), line[i].getBlue(), line[i].getAlpha());
Mesh copy = new Mesh(v, p, f, l);
return copy;
}
/** Zet de kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de zijvlakken niet ingekleurd */
public void setFillColor(Color c){
fill = colorArray(c, nPolys);
}
/** Zet de kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt het overeenkomstig zijvlak niet ingekleurd. */
public void setFillColor(Color[] c){
fill = c;
}
/** Zet de omtrek-kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de omtrekken van de zijvlakken niet getekend. */
public void setLineColor(Color c){
line = colorArray(c, nPolys);
}
/** Zet de omtrek-kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt de overeenkomstige omtrek niet getekend. */
public void setLineColor(Color[] c){
line = c;
}
//berekent nieuwe coordinaten en kleuren van de polygonen.
//moet aangeroepen worden na elke transform door de viewport.
private void updatePolys2D(){
z = Double.NEGATIVE_INFINITY;
for(int p = 0; p < nPolys; p++){
Polygon poly2D = polys2D[p];
int[] x = poly2D.xpoints;
int[] y = poly2D.ypoints;
int[] vertexNum = polys[p];
//dingen achter blikveld worden niet getekend.
boolean inFront = true;
for(int i = 0; i < poly2D.npoints; i++){
Vertex v = vertex[vertexNum[i]];
x[i] = (int) (v.tx+.5);
y[i] = (int) (v.ty+.5);
//voor of achter blikveld?
if(v.tz < 0)
inFront = false;
//verste z voor ordening
if(v.tz > z)
z = v.tz;
}
if(inFront){
//vectorproduct voor heliciteit:
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//heliciteit
double xt1 = a.tx-b.tx, yt1 = a.ty-b.ty;
double xt2 = c.tx-b.tx, yt2 = c.ty-b.ty;
double hel = xt1*yt2 - xt2*yt1;
show[p] = (hel < 0);
}
else
show[p] = false;
}
}
//initialiseerd Polygons met juiste aantal punten.
private void initPolys2D(){
polys2D = new Polygon[nPolys];
for(int i = 0; i < nPolys; i++){
int npoints = polys[i].length;
polys2D[i] = new Polygon(new int[npoints], new int[npoints], npoints);
}
show = new boolean[nPolys];
}
private static Color[] colorArray(Color c, int length){
Color[] array = new Color[length];
for(int i = 0; i < length; i++)
array[i] = c;
return array;
}
private static int[] intArray(int number, int length){
int[] array = new int[length];
for(int i = 0; i < length; i++)
array[i] = number;
return array;
}
}
| mumax/1 | src/java/maxview/Mesh.java | 2,454 | //berekent nieuwe coordinaten en kleuren van de polygonen. | line_comment | nl | /**
This file is part of a 3D engine,
copyright Arne Vansteenkiste 2006-2010.
Use of this source code is governed by the GNU General Public License version 3,
as published by the Free Software Foundation.
*/
package maxview;
import java.awt.*;
import java.awt.geom.*;
/**
Convex 3D object. Niet-convexe objecten kunnen gemaakt worden met Group.
*/
public final class Mesh extends Brush{
private Vertex[] vertex; //Punten van de 3D-figuur.
private int[][] polys; //Lijsten met nummers van vertices die telkens een zijvlak definieren.
private Color[] fill; //Kleur zijvlakken
private Color[] line; //lijnkleur zijvlakken
private Polygon[] polys2D; //Zijvlakken
private int nPolys; //Aantal zijvlakken
private boolean show[]; //Welke zijvlakken moeten getekend worden op basis van heliciteit.
private double z; //verst verwijderde z coordinaat (na transformatie) voor ordening.
public Mesh(Vertex[] v, int[][] polys, Color[] fill, Color[] line){
vertex = v;
this.polys = polys;
this.fill = fill;
this.line = line;
nPolys = polys.length;
initPolys2D();
}
public Mesh(Vertex[] v, int[][] polys, Color fill, Color line){
this(v, polys,
colorArray(fill, polys.length), colorArray(line, polys.length));
}
public Mesh(Vertex[] v, int[][] polys){
this(v, polys, (Color)null, (Color)null);
}
public Vertex[] getVertices(){
return vertex;
}
public void light(Universe universe){
for(int p = 0; p < nPolys; p++){
//vectorproduct
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//relatieve vectoren:
double x1 = a.x-b.x, y1 = a.y-b.y, z1 = a.z-b.z;
double x2 = c.x-b.x, y2 = c.y-b.y, z2 = c.z-b.z;
//normaalvector op poly:
double nx = y1*z2-y2*z1;
double ny = x2*z1-x1*z2;
double nz = x1*y2-x2*y1;
final Vertex light = universe.getLight();
final Vertex ref = vertex[polys[p][0]];
double lx = light.x - ref.x, ly = light.y - ref.y, lz = light.z - ref.z;
double inprod = lx*nx + ly*ny + lz*nz;
inprod /= Math.sqrt((lx*lx + ly*ly + lz*lz) * (nx*nx + ny*ny + nz*nz));
int red = fill[p].getRed();
int green = fill[p].getGreen();
int blue = fill[p].getBlue();
double d = universe.getContrast();
fill[p] = new Color(light(red, inprod, d), light(green, inprod, d), light(blue, inprod, d), fill[p].getAlpha());
line[p] = fill[p]; // hack
}
}
private static int light(int color, double inprod, double lighting){
double l = (1-inprod)/2; //tussen 0 en 1;
double stay = (1-lighting) * color;
double remain = (lighting) * l * color;
return (int)(stay + remain);
}
public double getZ(){
return z;
}
public void paint(View view){
updatePolys2D();
Graphics2D g = view.getGraphics2D(); //?
for(int i = 0; i < nPolys; i++){
if(show[i]){
if(fill[i] != null){
g.setColor(fill[i]);
g.fill(polys2D[i]);
g.draw(polys2D[i]); // voor de edges
}
if(line[i] != null){
g.setColor(line[i]);
g.draw(polys2D[i]);
}
}
}
}
public void sort(){
return;
}
public Brush copy(){
Vertex[] v = new Vertex[vertex.length];
for(int i = 0; i < vertex.length; i++)
v[i] = vertex[i].copy();
int[][] p = new int[nPolys][];
for(int i = 0; i < nPolys; i++){
p[i] = new int[polys[i].length];
for(int j = 0; j < p[i].length; j++)
p[i][j] = polys[i][j];
}
Color[] f = new Color[fill.length];
for(int i = 0; i < fill.length; i++)
if(fill[i] != null)
f[i] = new Color(fill[i].getRed(), fill[i].getGreen(), fill[i].getBlue(), fill[i].getAlpha());
Color[] l = new Color[line.length];
for(int i = 0; i < line.length; i++)
if(line[i] != null)
l[i] = new Color(line[i].getRed(), line[i].getGreen(), line[i].getBlue(), line[i].getAlpha());
Mesh copy = new Mesh(v, p, f, l);
return copy;
}
/** Zet de kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de zijvlakken niet ingekleurd */
public void setFillColor(Color c){
fill = colorArray(c, nPolys);
}
/** Zet de kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt het overeenkomstig zijvlak niet ingekleurd. */
public void setFillColor(Color[] c){
fill = c;
}
/** Zet de omtrek-kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de omtrekken van de zijvlakken niet getekend. */
public void setLineColor(Color c){
line = colorArray(c, nPolys);
}
/** Zet de omtrek-kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt de overeenkomstige omtrek niet getekend. */
public void setLineColor(Color[] c){
line = c;
}
//berekent nieuwe<SUF>
//moet aangeroepen worden na elke transform door de viewport.
private void updatePolys2D(){
z = Double.NEGATIVE_INFINITY;
for(int p = 0; p < nPolys; p++){
Polygon poly2D = polys2D[p];
int[] x = poly2D.xpoints;
int[] y = poly2D.ypoints;
int[] vertexNum = polys[p];
//dingen achter blikveld worden niet getekend.
boolean inFront = true;
for(int i = 0; i < poly2D.npoints; i++){
Vertex v = vertex[vertexNum[i]];
x[i] = (int) (v.tx+.5);
y[i] = (int) (v.ty+.5);
//voor of achter blikveld?
if(v.tz < 0)
inFront = false;
//verste z voor ordening
if(v.tz > z)
z = v.tz;
}
if(inFront){
//vectorproduct voor heliciteit:
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//heliciteit
double xt1 = a.tx-b.tx, yt1 = a.ty-b.ty;
double xt2 = c.tx-b.tx, yt2 = c.ty-b.ty;
double hel = xt1*yt2 - xt2*yt1;
show[p] = (hel < 0);
}
else
show[p] = false;
}
}
//initialiseerd Polygons met juiste aantal punten.
private void initPolys2D(){
polys2D = new Polygon[nPolys];
for(int i = 0; i < nPolys; i++){
int npoints = polys[i].length;
polys2D[i] = new Polygon(new int[npoints], new int[npoints], npoints);
}
show = new boolean[nPolys];
}
private static Color[] colorArray(Color c, int length){
Color[] array = new Color[length];
for(int i = 0; i < length; i++)
array[i] = c;
return array;
}
private static int[] intArray(int number, int length){
int[] array = new int[length];
for(int i = 0; i < length; i++)
array[i] = number;
return array;
}
}
|
1698_16 | /**
This file is part of a 3D engine,
copyright Arne Vansteenkiste 2006-2010.
Use of this source code is governed by the GNU General Public License version 3,
as published by the Free Software Foundation.
*/
package maxview;
import java.awt.*;
import java.awt.geom.*;
/**
Convex 3D object. Niet-convexe objecten kunnen gemaakt worden met Group.
*/
public final class Mesh extends Brush{
private Vertex[] vertex; //Punten van de 3D-figuur.
private int[][] polys; //Lijsten met nummers van vertices die telkens een zijvlak definieren.
private Color[] fill; //Kleur zijvlakken
private Color[] line; //lijnkleur zijvlakken
private Polygon[] polys2D; //Zijvlakken
private int nPolys; //Aantal zijvlakken
private boolean show[]; //Welke zijvlakken moeten getekend worden op basis van heliciteit.
private double z; //verst verwijderde z coordinaat (na transformatie) voor ordening.
public Mesh(Vertex[] v, int[][] polys, Color[] fill, Color[] line){
vertex = v;
this.polys = polys;
this.fill = fill;
this.line = line;
nPolys = polys.length;
initPolys2D();
}
public Mesh(Vertex[] v, int[][] polys, Color fill, Color line){
this(v, polys,
colorArray(fill, polys.length), colorArray(line, polys.length));
}
public Mesh(Vertex[] v, int[][] polys){
this(v, polys, (Color)null, (Color)null);
}
public Vertex[] getVertices(){
return vertex;
}
public void light(Universe universe){
for(int p = 0; p < nPolys; p++){
//vectorproduct
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//relatieve vectoren:
double x1 = a.x-b.x, y1 = a.y-b.y, z1 = a.z-b.z;
double x2 = c.x-b.x, y2 = c.y-b.y, z2 = c.z-b.z;
//normaalvector op poly:
double nx = y1*z2-y2*z1;
double ny = x2*z1-x1*z2;
double nz = x1*y2-x2*y1;
final Vertex light = universe.getLight();
final Vertex ref = vertex[polys[p][0]];
double lx = light.x - ref.x, ly = light.y - ref.y, lz = light.z - ref.z;
double inprod = lx*nx + ly*ny + lz*nz;
inprod /= Math.sqrt((lx*lx + ly*ly + lz*lz) * (nx*nx + ny*ny + nz*nz));
int red = fill[p].getRed();
int green = fill[p].getGreen();
int blue = fill[p].getBlue();
double d = universe.getContrast();
fill[p] = new Color(light(red, inprod, d), light(green, inprod, d), light(blue, inprod, d), fill[p].getAlpha());
line[p] = fill[p]; // hack
}
}
private static int light(int color, double inprod, double lighting){
double l = (1-inprod)/2; //tussen 0 en 1;
double stay = (1-lighting) * color;
double remain = (lighting) * l * color;
return (int)(stay + remain);
}
public double getZ(){
return z;
}
public void paint(View view){
updatePolys2D();
Graphics2D g = view.getGraphics2D(); //?
for(int i = 0; i < nPolys; i++){
if(show[i]){
if(fill[i] != null){
g.setColor(fill[i]);
g.fill(polys2D[i]);
g.draw(polys2D[i]); // voor de edges
}
if(line[i] != null){
g.setColor(line[i]);
g.draw(polys2D[i]);
}
}
}
}
public void sort(){
return;
}
public Brush copy(){
Vertex[] v = new Vertex[vertex.length];
for(int i = 0; i < vertex.length; i++)
v[i] = vertex[i].copy();
int[][] p = new int[nPolys][];
for(int i = 0; i < nPolys; i++){
p[i] = new int[polys[i].length];
for(int j = 0; j < p[i].length; j++)
p[i][j] = polys[i][j];
}
Color[] f = new Color[fill.length];
for(int i = 0; i < fill.length; i++)
if(fill[i] != null)
f[i] = new Color(fill[i].getRed(), fill[i].getGreen(), fill[i].getBlue(), fill[i].getAlpha());
Color[] l = new Color[line.length];
for(int i = 0; i < line.length; i++)
if(line[i] != null)
l[i] = new Color(line[i].getRed(), line[i].getGreen(), line[i].getBlue(), line[i].getAlpha());
Mesh copy = new Mesh(v, p, f, l);
return copy;
}
/** Zet de kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de zijvlakken niet ingekleurd */
public void setFillColor(Color c){
fill = colorArray(c, nPolys);
}
/** Zet de kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt het overeenkomstig zijvlak niet ingekleurd. */
public void setFillColor(Color[] c){
fill = c;
}
/** Zet de omtrek-kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de omtrekken van de zijvlakken niet getekend. */
public void setLineColor(Color c){
line = colorArray(c, nPolys);
}
/** Zet de omtrek-kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt de overeenkomstige omtrek niet getekend. */
public void setLineColor(Color[] c){
line = c;
}
//berekent nieuwe coordinaten en kleuren van de polygonen.
//moet aangeroepen worden na elke transform door de viewport.
private void updatePolys2D(){
z = Double.NEGATIVE_INFINITY;
for(int p = 0; p < nPolys; p++){
Polygon poly2D = polys2D[p];
int[] x = poly2D.xpoints;
int[] y = poly2D.ypoints;
int[] vertexNum = polys[p];
//dingen achter blikveld worden niet getekend.
boolean inFront = true;
for(int i = 0; i < poly2D.npoints; i++){
Vertex v = vertex[vertexNum[i]];
x[i] = (int) (v.tx+.5);
y[i] = (int) (v.ty+.5);
//voor of achter blikveld?
if(v.tz < 0)
inFront = false;
//verste z voor ordening
if(v.tz > z)
z = v.tz;
}
if(inFront){
//vectorproduct voor heliciteit:
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//heliciteit
double xt1 = a.tx-b.tx, yt1 = a.ty-b.ty;
double xt2 = c.tx-b.tx, yt2 = c.ty-b.ty;
double hel = xt1*yt2 - xt2*yt1;
show[p] = (hel < 0);
}
else
show[p] = false;
}
}
//initialiseerd Polygons met juiste aantal punten.
private void initPolys2D(){
polys2D = new Polygon[nPolys];
for(int i = 0; i < nPolys; i++){
int npoints = polys[i].length;
polys2D[i] = new Polygon(new int[npoints], new int[npoints], npoints);
}
show = new boolean[nPolys];
}
private static Color[] colorArray(Color c, int length){
Color[] array = new Color[length];
for(int i = 0; i < length; i++)
array[i] = c;
return array;
}
private static int[] intArray(int number, int length){
int[] array = new int[length];
for(int i = 0; i < length; i++)
array[i] = number;
return array;
}
}
| mumax/1 | src/java/maxview/Mesh.java | 2,454 | //dingen achter blikveld worden niet getekend. | line_comment | nl | /**
This file is part of a 3D engine,
copyright Arne Vansteenkiste 2006-2010.
Use of this source code is governed by the GNU General Public License version 3,
as published by the Free Software Foundation.
*/
package maxview;
import java.awt.*;
import java.awt.geom.*;
/**
Convex 3D object. Niet-convexe objecten kunnen gemaakt worden met Group.
*/
public final class Mesh extends Brush{
private Vertex[] vertex; //Punten van de 3D-figuur.
private int[][] polys; //Lijsten met nummers van vertices die telkens een zijvlak definieren.
private Color[] fill; //Kleur zijvlakken
private Color[] line; //lijnkleur zijvlakken
private Polygon[] polys2D; //Zijvlakken
private int nPolys; //Aantal zijvlakken
private boolean show[]; //Welke zijvlakken moeten getekend worden op basis van heliciteit.
private double z; //verst verwijderde z coordinaat (na transformatie) voor ordening.
public Mesh(Vertex[] v, int[][] polys, Color[] fill, Color[] line){
vertex = v;
this.polys = polys;
this.fill = fill;
this.line = line;
nPolys = polys.length;
initPolys2D();
}
public Mesh(Vertex[] v, int[][] polys, Color fill, Color line){
this(v, polys,
colorArray(fill, polys.length), colorArray(line, polys.length));
}
public Mesh(Vertex[] v, int[][] polys){
this(v, polys, (Color)null, (Color)null);
}
public Vertex[] getVertices(){
return vertex;
}
public void light(Universe universe){
for(int p = 0; p < nPolys; p++){
//vectorproduct
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//relatieve vectoren:
double x1 = a.x-b.x, y1 = a.y-b.y, z1 = a.z-b.z;
double x2 = c.x-b.x, y2 = c.y-b.y, z2 = c.z-b.z;
//normaalvector op poly:
double nx = y1*z2-y2*z1;
double ny = x2*z1-x1*z2;
double nz = x1*y2-x2*y1;
final Vertex light = universe.getLight();
final Vertex ref = vertex[polys[p][0]];
double lx = light.x - ref.x, ly = light.y - ref.y, lz = light.z - ref.z;
double inprod = lx*nx + ly*ny + lz*nz;
inprod /= Math.sqrt((lx*lx + ly*ly + lz*lz) * (nx*nx + ny*ny + nz*nz));
int red = fill[p].getRed();
int green = fill[p].getGreen();
int blue = fill[p].getBlue();
double d = universe.getContrast();
fill[p] = new Color(light(red, inprod, d), light(green, inprod, d), light(blue, inprod, d), fill[p].getAlpha());
line[p] = fill[p]; // hack
}
}
private static int light(int color, double inprod, double lighting){
double l = (1-inprod)/2; //tussen 0 en 1;
double stay = (1-lighting) * color;
double remain = (lighting) * l * color;
return (int)(stay + remain);
}
public double getZ(){
return z;
}
public void paint(View view){
updatePolys2D();
Graphics2D g = view.getGraphics2D(); //?
for(int i = 0; i < nPolys; i++){
if(show[i]){
if(fill[i] != null){
g.setColor(fill[i]);
g.fill(polys2D[i]);
g.draw(polys2D[i]); // voor de edges
}
if(line[i] != null){
g.setColor(line[i]);
g.draw(polys2D[i]);
}
}
}
}
public void sort(){
return;
}
public Brush copy(){
Vertex[] v = new Vertex[vertex.length];
for(int i = 0; i < vertex.length; i++)
v[i] = vertex[i].copy();
int[][] p = new int[nPolys][];
for(int i = 0; i < nPolys; i++){
p[i] = new int[polys[i].length];
for(int j = 0; j < p[i].length; j++)
p[i][j] = polys[i][j];
}
Color[] f = new Color[fill.length];
for(int i = 0; i < fill.length; i++)
if(fill[i] != null)
f[i] = new Color(fill[i].getRed(), fill[i].getGreen(), fill[i].getBlue(), fill[i].getAlpha());
Color[] l = new Color[line.length];
for(int i = 0; i < line.length; i++)
if(line[i] != null)
l[i] = new Color(line[i].getRed(), line[i].getGreen(), line[i].getBlue(), line[i].getAlpha());
Mesh copy = new Mesh(v, p, f, l);
return copy;
}
/** Zet de kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de zijvlakken niet ingekleurd */
public void setFillColor(Color c){
fill = colorArray(c, nPolys);
}
/** Zet de kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt het overeenkomstig zijvlak niet ingekleurd. */
public void setFillColor(Color[] c){
fill = c;
}
/** Zet de omtrek-kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de omtrekken van de zijvlakken niet getekend. */
public void setLineColor(Color c){
line = colorArray(c, nPolys);
}
/** Zet de omtrek-kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt de overeenkomstige omtrek niet getekend. */
public void setLineColor(Color[] c){
line = c;
}
//berekent nieuwe coordinaten en kleuren van de polygonen.
//moet aangeroepen worden na elke transform door de viewport.
private void updatePolys2D(){
z = Double.NEGATIVE_INFINITY;
for(int p = 0; p < nPolys; p++){
Polygon poly2D = polys2D[p];
int[] x = poly2D.xpoints;
int[] y = poly2D.ypoints;
int[] vertexNum = polys[p];
//dingen achter<SUF>
boolean inFront = true;
for(int i = 0; i < poly2D.npoints; i++){
Vertex v = vertex[vertexNum[i]];
x[i] = (int) (v.tx+.5);
y[i] = (int) (v.ty+.5);
//voor of achter blikveld?
if(v.tz < 0)
inFront = false;
//verste z voor ordening
if(v.tz > z)
z = v.tz;
}
if(inFront){
//vectorproduct voor heliciteit:
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//heliciteit
double xt1 = a.tx-b.tx, yt1 = a.ty-b.ty;
double xt2 = c.tx-b.tx, yt2 = c.ty-b.ty;
double hel = xt1*yt2 - xt2*yt1;
show[p] = (hel < 0);
}
else
show[p] = false;
}
}
//initialiseerd Polygons met juiste aantal punten.
private void initPolys2D(){
polys2D = new Polygon[nPolys];
for(int i = 0; i < nPolys; i++){
int npoints = polys[i].length;
polys2D[i] = new Polygon(new int[npoints], new int[npoints], npoints);
}
show = new boolean[nPolys];
}
private static Color[] colorArray(Color c, int length){
Color[] array = new Color[length];
for(int i = 0; i < length; i++)
array[i] = c;
return array;
}
private static int[] intArray(int number, int length){
int[] array = new int[length];
for(int i = 0; i < length; i++)
array[i] = number;
return array;
}
}
|
1698_17 | /**
This file is part of a 3D engine,
copyright Arne Vansteenkiste 2006-2010.
Use of this source code is governed by the GNU General Public License version 3,
as published by the Free Software Foundation.
*/
package maxview;
import java.awt.*;
import java.awt.geom.*;
/**
Convex 3D object. Niet-convexe objecten kunnen gemaakt worden met Group.
*/
public final class Mesh extends Brush{
private Vertex[] vertex; //Punten van de 3D-figuur.
private int[][] polys; //Lijsten met nummers van vertices die telkens een zijvlak definieren.
private Color[] fill; //Kleur zijvlakken
private Color[] line; //lijnkleur zijvlakken
private Polygon[] polys2D; //Zijvlakken
private int nPolys; //Aantal zijvlakken
private boolean show[]; //Welke zijvlakken moeten getekend worden op basis van heliciteit.
private double z; //verst verwijderde z coordinaat (na transformatie) voor ordening.
public Mesh(Vertex[] v, int[][] polys, Color[] fill, Color[] line){
vertex = v;
this.polys = polys;
this.fill = fill;
this.line = line;
nPolys = polys.length;
initPolys2D();
}
public Mesh(Vertex[] v, int[][] polys, Color fill, Color line){
this(v, polys,
colorArray(fill, polys.length), colorArray(line, polys.length));
}
public Mesh(Vertex[] v, int[][] polys){
this(v, polys, (Color)null, (Color)null);
}
public Vertex[] getVertices(){
return vertex;
}
public void light(Universe universe){
for(int p = 0; p < nPolys; p++){
//vectorproduct
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//relatieve vectoren:
double x1 = a.x-b.x, y1 = a.y-b.y, z1 = a.z-b.z;
double x2 = c.x-b.x, y2 = c.y-b.y, z2 = c.z-b.z;
//normaalvector op poly:
double nx = y1*z2-y2*z1;
double ny = x2*z1-x1*z2;
double nz = x1*y2-x2*y1;
final Vertex light = universe.getLight();
final Vertex ref = vertex[polys[p][0]];
double lx = light.x - ref.x, ly = light.y - ref.y, lz = light.z - ref.z;
double inprod = lx*nx + ly*ny + lz*nz;
inprod /= Math.sqrt((lx*lx + ly*ly + lz*lz) * (nx*nx + ny*ny + nz*nz));
int red = fill[p].getRed();
int green = fill[p].getGreen();
int blue = fill[p].getBlue();
double d = universe.getContrast();
fill[p] = new Color(light(red, inprod, d), light(green, inprod, d), light(blue, inprod, d), fill[p].getAlpha());
line[p] = fill[p]; // hack
}
}
private static int light(int color, double inprod, double lighting){
double l = (1-inprod)/2; //tussen 0 en 1;
double stay = (1-lighting) * color;
double remain = (lighting) * l * color;
return (int)(stay + remain);
}
public double getZ(){
return z;
}
public void paint(View view){
updatePolys2D();
Graphics2D g = view.getGraphics2D(); //?
for(int i = 0; i < nPolys; i++){
if(show[i]){
if(fill[i] != null){
g.setColor(fill[i]);
g.fill(polys2D[i]);
g.draw(polys2D[i]); // voor de edges
}
if(line[i] != null){
g.setColor(line[i]);
g.draw(polys2D[i]);
}
}
}
}
public void sort(){
return;
}
public Brush copy(){
Vertex[] v = new Vertex[vertex.length];
for(int i = 0; i < vertex.length; i++)
v[i] = vertex[i].copy();
int[][] p = new int[nPolys][];
for(int i = 0; i < nPolys; i++){
p[i] = new int[polys[i].length];
for(int j = 0; j < p[i].length; j++)
p[i][j] = polys[i][j];
}
Color[] f = new Color[fill.length];
for(int i = 0; i < fill.length; i++)
if(fill[i] != null)
f[i] = new Color(fill[i].getRed(), fill[i].getGreen(), fill[i].getBlue(), fill[i].getAlpha());
Color[] l = new Color[line.length];
for(int i = 0; i < line.length; i++)
if(line[i] != null)
l[i] = new Color(line[i].getRed(), line[i].getGreen(), line[i].getBlue(), line[i].getAlpha());
Mesh copy = new Mesh(v, p, f, l);
return copy;
}
/** Zet de kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de zijvlakken niet ingekleurd */
public void setFillColor(Color c){
fill = colorArray(c, nPolys);
}
/** Zet de kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt het overeenkomstig zijvlak niet ingekleurd. */
public void setFillColor(Color[] c){
fill = c;
}
/** Zet de omtrek-kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de omtrekken van de zijvlakken niet getekend. */
public void setLineColor(Color c){
line = colorArray(c, nPolys);
}
/** Zet de omtrek-kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt de overeenkomstige omtrek niet getekend. */
public void setLineColor(Color[] c){
line = c;
}
//berekent nieuwe coordinaten en kleuren van de polygonen.
//moet aangeroepen worden na elke transform door de viewport.
private void updatePolys2D(){
z = Double.NEGATIVE_INFINITY;
for(int p = 0; p < nPolys; p++){
Polygon poly2D = polys2D[p];
int[] x = poly2D.xpoints;
int[] y = poly2D.ypoints;
int[] vertexNum = polys[p];
//dingen achter blikveld worden niet getekend.
boolean inFront = true;
for(int i = 0; i < poly2D.npoints; i++){
Vertex v = vertex[vertexNum[i]];
x[i] = (int) (v.tx+.5);
y[i] = (int) (v.ty+.5);
//voor of achter blikveld?
if(v.tz < 0)
inFront = false;
//verste z voor ordening
if(v.tz > z)
z = v.tz;
}
if(inFront){
//vectorproduct voor heliciteit:
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//heliciteit
double xt1 = a.tx-b.tx, yt1 = a.ty-b.ty;
double xt2 = c.tx-b.tx, yt2 = c.ty-b.ty;
double hel = xt1*yt2 - xt2*yt1;
show[p] = (hel < 0);
}
else
show[p] = false;
}
}
//initialiseerd Polygons met juiste aantal punten.
private void initPolys2D(){
polys2D = new Polygon[nPolys];
for(int i = 0; i < nPolys; i++){
int npoints = polys[i].length;
polys2D[i] = new Polygon(new int[npoints], new int[npoints], npoints);
}
show = new boolean[nPolys];
}
private static Color[] colorArray(Color c, int length){
Color[] array = new Color[length];
for(int i = 0; i < length; i++)
array[i] = c;
return array;
}
private static int[] intArray(int number, int length){
int[] array = new int[length];
for(int i = 0; i < length; i++)
array[i] = number;
return array;
}
}
| mumax/1 | src/java/maxview/Mesh.java | 2,454 | //voor of achter blikveld? | line_comment | nl | /**
This file is part of a 3D engine,
copyright Arne Vansteenkiste 2006-2010.
Use of this source code is governed by the GNU General Public License version 3,
as published by the Free Software Foundation.
*/
package maxview;
import java.awt.*;
import java.awt.geom.*;
/**
Convex 3D object. Niet-convexe objecten kunnen gemaakt worden met Group.
*/
public final class Mesh extends Brush{
private Vertex[] vertex; //Punten van de 3D-figuur.
private int[][] polys; //Lijsten met nummers van vertices die telkens een zijvlak definieren.
private Color[] fill; //Kleur zijvlakken
private Color[] line; //lijnkleur zijvlakken
private Polygon[] polys2D; //Zijvlakken
private int nPolys; //Aantal zijvlakken
private boolean show[]; //Welke zijvlakken moeten getekend worden op basis van heliciteit.
private double z; //verst verwijderde z coordinaat (na transformatie) voor ordening.
public Mesh(Vertex[] v, int[][] polys, Color[] fill, Color[] line){
vertex = v;
this.polys = polys;
this.fill = fill;
this.line = line;
nPolys = polys.length;
initPolys2D();
}
public Mesh(Vertex[] v, int[][] polys, Color fill, Color line){
this(v, polys,
colorArray(fill, polys.length), colorArray(line, polys.length));
}
public Mesh(Vertex[] v, int[][] polys){
this(v, polys, (Color)null, (Color)null);
}
public Vertex[] getVertices(){
return vertex;
}
public void light(Universe universe){
for(int p = 0; p < nPolys; p++){
//vectorproduct
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//relatieve vectoren:
double x1 = a.x-b.x, y1 = a.y-b.y, z1 = a.z-b.z;
double x2 = c.x-b.x, y2 = c.y-b.y, z2 = c.z-b.z;
//normaalvector op poly:
double nx = y1*z2-y2*z1;
double ny = x2*z1-x1*z2;
double nz = x1*y2-x2*y1;
final Vertex light = universe.getLight();
final Vertex ref = vertex[polys[p][0]];
double lx = light.x - ref.x, ly = light.y - ref.y, lz = light.z - ref.z;
double inprod = lx*nx + ly*ny + lz*nz;
inprod /= Math.sqrt((lx*lx + ly*ly + lz*lz) * (nx*nx + ny*ny + nz*nz));
int red = fill[p].getRed();
int green = fill[p].getGreen();
int blue = fill[p].getBlue();
double d = universe.getContrast();
fill[p] = new Color(light(red, inprod, d), light(green, inprod, d), light(blue, inprod, d), fill[p].getAlpha());
line[p] = fill[p]; // hack
}
}
private static int light(int color, double inprod, double lighting){
double l = (1-inprod)/2; //tussen 0 en 1;
double stay = (1-lighting) * color;
double remain = (lighting) * l * color;
return (int)(stay + remain);
}
public double getZ(){
return z;
}
public void paint(View view){
updatePolys2D();
Graphics2D g = view.getGraphics2D(); //?
for(int i = 0; i < nPolys; i++){
if(show[i]){
if(fill[i] != null){
g.setColor(fill[i]);
g.fill(polys2D[i]);
g.draw(polys2D[i]); // voor de edges
}
if(line[i] != null){
g.setColor(line[i]);
g.draw(polys2D[i]);
}
}
}
}
public void sort(){
return;
}
public Brush copy(){
Vertex[] v = new Vertex[vertex.length];
for(int i = 0; i < vertex.length; i++)
v[i] = vertex[i].copy();
int[][] p = new int[nPolys][];
for(int i = 0; i < nPolys; i++){
p[i] = new int[polys[i].length];
for(int j = 0; j < p[i].length; j++)
p[i][j] = polys[i][j];
}
Color[] f = new Color[fill.length];
for(int i = 0; i < fill.length; i++)
if(fill[i] != null)
f[i] = new Color(fill[i].getRed(), fill[i].getGreen(), fill[i].getBlue(), fill[i].getAlpha());
Color[] l = new Color[line.length];
for(int i = 0; i < line.length; i++)
if(line[i] != null)
l[i] = new Color(line[i].getRed(), line[i].getGreen(), line[i].getBlue(), line[i].getAlpha());
Mesh copy = new Mesh(v, p, f, l);
return copy;
}
/** Zet de kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de zijvlakken niet ingekleurd */
public void setFillColor(Color c){
fill = colorArray(c, nPolys);
}
/** Zet de kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt het overeenkomstig zijvlak niet ingekleurd. */
public void setFillColor(Color[] c){
fill = c;
}
/** Zet de omtrek-kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de omtrekken van de zijvlakken niet getekend. */
public void setLineColor(Color c){
line = colorArray(c, nPolys);
}
/** Zet de omtrek-kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt de overeenkomstige omtrek niet getekend. */
public void setLineColor(Color[] c){
line = c;
}
//berekent nieuwe coordinaten en kleuren van de polygonen.
//moet aangeroepen worden na elke transform door de viewport.
private void updatePolys2D(){
z = Double.NEGATIVE_INFINITY;
for(int p = 0; p < nPolys; p++){
Polygon poly2D = polys2D[p];
int[] x = poly2D.xpoints;
int[] y = poly2D.ypoints;
int[] vertexNum = polys[p];
//dingen achter blikveld worden niet getekend.
boolean inFront = true;
for(int i = 0; i < poly2D.npoints; i++){
Vertex v = vertex[vertexNum[i]];
x[i] = (int) (v.tx+.5);
y[i] = (int) (v.ty+.5);
//voor of<SUF>
if(v.tz < 0)
inFront = false;
//verste z voor ordening
if(v.tz > z)
z = v.tz;
}
if(inFront){
//vectorproduct voor heliciteit:
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//heliciteit
double xt1 = a.tx-b.tx, yt1 = a.ty-b.ty;
double xt2 = c.tx-b.tx, yt2 = c.ty-b.ty;
double hel = xt1*yt2 - xt2*yt1;
show[p] = (hel < 0);
}
else
show[p] = false;
}
}
//initialiseerd Polygons met juiste aantal punten.
private void initPolys2D(){
polys2D = new Polygon[nPolys];
for(int i = 0; i < nPolys; i++){
int npoints = polys[i].length;
polys2D[i] = new Polygon(new int[npoints], new int[npoints], npoints);
}
show = new boolean[nPolys];
}
private static Color[] colorArray(Color c, int length){
Color[] array = new Color[length];
for(int i = 0; i < length; i++)
array[i] = c;
return array;
}
private static int[] intArray(int number, int length){
int[] array = new int[length];
for(int i = 0; i < length; i++)
array[i] = number;
return array;
}
}
|
1698_18 | /**
This file is part of a 3D engine,
copyright Arne Vansteenkiste 2006-2010.
Use of this source code is governed by the GNU General Public License version 3,
as published by the Free Software Foundation.
*/
package maxview;
import java.awt.*;
import java.awt.geom.*;
/**
Convex 3D object. Niet-convexe objecten kunnen gemaakt worden met Group.
*/
public final class Mesh extends Brush{
private Vertex[] vertex; //Punten van de 3D-figuur.
private int[][] polys; //Lijsten met nummers van vertices die telkens een zijvlak definieren.
private Color[] fill; //Kleur zijvlakken
private Color[] line; //lijnkleur zijvlakken
private Polygon[] polys2D; //Zijvlakken
private int nPolys; //Aantal zijvlakken
private boolean show[]; //Welke zijvlakken moeten getekend worden op basis van heliciteit.
private double z; //verst verwijderde z coordinaat (na transformatie) voor ordening.
public Mesh(Vertex[] v, int[][] polys, Color[] fill, Color[] line){
vertex = v;
this.polys = polys;
this.fill = fill;
this.line = line;
nPolys = polys.length;
initPolys2D();
}
public Mesh(Vertex[] v, int[][] polys, Color fill, Color line){
this(v, polys,
colorArray(fill, polys.length), colorArray(line, polys.length));
}
public Mesh(Vertex[] v, int[][] polys){
this(v, polys, (Color)null, (Color)null);
}
public Vertex[] getVertices(){
return vertex;
}
public void light(Universe universe){
for(int p = 0; p < nPolys; p++){
//vectorproduct
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//relatieve vectoren:
double x1 = a.x-b.x, y1 = a.y-b.y, z1 = a.z-b.z;
double x2 = c.x-b.x, y2 = c.y-b.y, z2 = c.z-b.z;
//normaalvector op poly:
double nx = y1*z2-y2*z1;
double ny = x2*z1-x1*z2;
double nz = x1*y2-x2*y1;
final Vertex light = universe.getLight();
final Vertex ref = vertex[polys[p][0]];
double lx = light.x - ref.x, ly = light.y - ref.y, lz = light.z - ref.z;
double inprod = lx*nx + ly*ny + lz*nz;
inprod /= Math.sqrt((lx*lx + ly*ly + lz*lz) * (nx*nx + ny*ny + nz*nz));
int red = fill[p].getRed();
int green = fill[p].getGreen();
int blue = fill[p].getBlue();
double d = universe.getContrast();
fill[p] = new Color(light(red, inprod, d), light(green, inprod, d), light(blue, inprod, d), fill[p].getAlpha());
line[p] = fill[p]; // hack
}
}
private static int light(int color, double inprod, double lighting){
double l = (1-inprod)/2; //tussen 0 en 1;
double stay = (1-lighting) * color;
double remain = (lighting) * l * color;
return (int)(stay + remain);
}
public double getZ(){
return z;
}
public void paint(View view){
updatePolys2D();
Graphics2D g = view.getGraphics2D(); //?
for(int i = 0; i < nPolys; i++){
if(show[i]){
if(fill[i] != null){
g.setColor(fill[i]);
g.fill(polys2D[i]);
g.draw(polys2D[i]); // voor de edges
}
if(line[i] != null){
g.setColor(line[i]);
g.draw(polys2D[i]);
}
}
}
}
public void sort(){
return;
}
public Brush copy(){
Vertex[] v = new Vertex[vertex.length];
for(int i = 0; i < vertex.length; i++)
v[i] = vertex[i].copy();
int[][] p = new int[nPolys][];
for(int i = 0; i < nPolys; i++){
p[i] = new int[polys[i].length];
for(int j = 0; j < p[i].length; j++)
p[i][j] = polys[i][j];
}
Color[] f = new Color[fill.length];
for(int i = 0; i < fill.length; i++)
if(fill[i] != null)
f[i] = new Color(fill[i].getRed(), fill[i].getGreen(), fill[i].getBlue(), fill[i].getAlpha());
Color[] l = new Color[line.length];
for(int i = 0; i < line.length; i++)
if(line[i] != null)
l[i] = new Color(line[i].getRed(), line[i].getGreen(), line[i].getBlue(), line[i].getAlpha());
Mesh copy = new Mesh(v, p, f, l);
return copy;
}
/** Zet de kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de zijvlakken niet ingekleurd */
public void setFillColor(Color c){
fill = colorArray(c, nPolys);
}
/** Zet de kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt het overeenkomstig zijvlak niet ingekleurd. */
public void setFillColor(Color[] c){
fill = c;
}
/** Zet de omtrek-kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de omtrekken van de zijvlakken niet getekend. */
public void setLineColor(Color c){
line = colorArray(c, nPolys);
}
/** Zet de omtrek-kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt de overeenkomstige omtrek niet getekend. */
public void setLineColor(Color[] c){
line = c;
}
//berekent nieuwe coordinaten en kleuren van de polygonen.
//moet aangeroepen worden na elke transform door de viewport.
private void updatePolys2D(){
z = Double.NEGATIVE_INFINITY;
for(int p = 0; p < nPolys; p++){
Polygon poly2D = polys2D[p];
int[] x = poly2D.xpoints;
int[] y = poly2D.ypoints;
int[] vertexNum = polys[p];
//dingen achter blikveld worden niet getekend.
boolean inFront = true;
for(int i = 0; i < poly2D.npoints; i++){
Vertex v = vertex[vertexNum[i]];
x[i] = (int) (v.tx+.5);
y[i] = (int) (v.ty+.5);
//voor of achter blikveld?
if(v.tz < 0)
inFront = false;
//verste z voor ordening
if(v.tz > z)
z = v.tz;
}
if(inFront){
//vectorproduct voor heliciteit:
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//heliciteit
double xt1 = a.tx-b.tx, yt1 = a.ty-b.ty;
double xt2 = c.tx-b.tx, yt2 = c.ty-b.ty;
double hel = xt1*yt2 - xt2*yt1;
show[p] = (hel < 0);
}
else
show[p] = false;
}
}
//initialiseerd Polygons met juiste aantal punten.
private void initPolys2D(){
polys2D = new Polygon[nPolys];
for(int i = 0; i < nPolys; i++){
int npoints = polys[i].length;
polys2D[i] = new Polygon(new int[npoints], new int[npoints], npoints);
}
show = new boolean[nPolys];
}
private static Color[] colorArray(Color c, int length){
Color[] array = new Color[length];
for(int i = 0; i < length; i++)
array[i] = c;
return array;
}
private static int[] intArray(int number, int length){
int[] array = new int[length];
for(int i = 0; i < length; i++)
array[i] = number;
return array;
}
}
| mumax/1 | src/java/maxview/Mesh.java | 2,454 | //verste z voor ordening | line_comment | nl | /**
This file is part of a 3D engine,
copyright Arne Vansteenkiste 2006-2010.
Use of this source code is governed by the GNU General Public License version 3,
as published by the Free Software Foundation.
*/
package maxview;
import java.awt.*;
import java.awt.geom.*;
/**
Convex 3D object. Niet-convexe objecten kunnen gemaakt worden met Group.
*/
public final class Mesh extends Brush{
private Vertex[] vertex; //Punten van de 3D-figuur.
private int[][] polys; //Lijsten met nummers van vertices die telkens een zijvlak definieren.
private Color[] fill; //Kleur zijvlakken
private Color[] line; //lijnkleur zijvlakken
private Polygon[] polys2D; //Zijvlakken
private int nPolys; //Aantal zijvlakken
private boolean show[]; //Welke zijvlakken moeten getekend worden op basis van heliciteit.
private double z; //verst verwijderde z coordinaat (na transformatie) voor ordening.
public Mesh(Vertex[] v, int[][] polys, Color[] fill, Color[] line){
vertex = v;
this.polys = polys;
this.fill = fill;
this.line = line;
nPolys = polys.length;
initPolys2D();
}
public Mesh(Vertex[] v, int[][] polys, Color fill, Color line){
this(v, polys,
colorArray(fill, polys.length), colorArray(line, polys.length));
}
public Mesh(Vertex[] v, int[][] polys){
this(v, polys, (Color)null, (Color)null);
}
public Vertex[] getVertices(){
return vertex;
}
public void light(Universe universe){
for(int p = 0; p < nPolys; p++){
//vectorproduct
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//relatieve vectoren:
double x1 = a.x-b.x, y1 = a.y-b.y, z1 = a.z-b.z;
double x2 = c.x-b.x, y2 = c.y-b.y, z2 = c.z-b.z;
//normaalvector op poly:
double nx = y1*z2-y2*z1;
double ny = x2*z1-x1*z2;
double nz = x1*y2-x2*y1;
final Vertex light = universe.getLight();
final Vertex ref = vertex[polys[p][0]];
double lx = light.x - ref.x, ly = light.y - ref.y, lz = light.z - ref.z;
double inprod = lx*nx + ly*ny + lz*nz;
inprod /= Math.sqrt((lx*lx + ly*ly + lz*lz) * (nx*nx + ny*ny + nz*nz));
int red = fill[p].getRed();
int green = fill[p].getGreen();
int blue = fill[p].getBlue();
double d = universe.getContrast();
fill[p] = new Color(light(red, inprod, d), light(green, inprod, d), light(blue, inprod, d), fill[p].getAlpha());
line[p] = fill[p]; // hack
}
}
private static int light(int color, double inprod, double lighting){
double l = (1-inprod)/2; //tussen 0 en 1;
double stay = (1-lighting) * color;
double remain = (lighting) * l * color;
return (int)(stay + remain);
}
public double getZ(){
return z;
}
public void paint(View view){
updatePolys2D();
Graphics2D g = view.getGraphics2D(); //?
for(int i = 0; i < nPolys; i++){
if(show[i]){
if(fill[i] != null){
g.setColor(fill[i]);
g.fill(polys2D[i]);
g.draw(polys2D[i]); // voor de edges
}
if(line[i] != null){
g.setColor(line[i]);
g.draw(polys2D[i]);
}
}
}
}
public void sort(){
return;
}
public Brush copy(){
Vertex[] v = new Vertex[vertex.length];
for(int i = 0; i < vertex.length; i++)
v[i] = vertex[i].copy();
int[][] p = new int[nPolys][];
for(int i = 0; i < nPolys; i++){
p[i] = new int[polys[i].length];
for(int j = 0; j < p[i].length; j++)
p[i][j] = polys[i][j];
}
Color[] f = new Color[fill.length];
for(int i = 0; i < fill.length; i++)
if(fill[i] != null)
f[i] = new Color(fill[i].getRed(), fill[i].getGreen(), fill[i].getBlue(), fill[i].getAlpha());
Color[] l = new Color[line.length];
for(int i = 0; i < line.length; i++)
if(line[i] != null)
l[i] = new Color(line[i].getRed(), line[i].getGreen(), line[i].getBlue(), line[i].getAlpha());
Mesh copy = new Mesh(v, p, f, l);
return copy;
}
/** Zet de kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de zijvlakken niet ingekleurd */
public void setFillColor(Color c){
fill = colorArray(c, nPolys);
}
/** Zet de kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt het overeenkomstig zijvlak niet ingekleurd. */
public void setFillColor(Color[] c){
fill = c;
}
/** Zet de omtrek-kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de omtrekken van de zijvlakken niet getekend. */
public void setLineColor(Color c){
line = colorArray(c, nPolys);
}
/** Zet de omtrek-kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt de overeenkomstige omtrek niet getekend. */
public void setLineColor(Color[] c){
line = c;
}
//berekent nieuwe coordinaten en kleuren van de polygonen.
//moet aangeroepen worden na elke transform door de viewport.
private void updatePolys2D(){
z = Double.NEGATIVE_INFINITY;
for(int p = 0; p < nPolys; p++){
Polygon poly2D = polys2D[p];
int[] x = poly2D.xpoints;
int[] y = poly2D.ypoints;
int[] vertexNum = polys[p];
//dingen achter blikveld worden niet getekend.
boolean inFront = true;
for(int i = 0; i < poly2D.npoints; i++){
Vertex v = vertex[vertexNum[i]];
x[i] = (int) (v.tx+.5);
y[i] = (int) (v.ty+.5);
//voor of achter blikveld?
if(v.tz < 0)
inFront = false;
//verste z<SUF>
if(v.tz > z)
z = v.tz;
}
if(inFront){
//vectorproduct voor heliciteit:
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//heliciteit
double xt1 = a.tx-b.tx, yt1 = a.ty-b.ty;
double xt2 = c.tx-b.tx, yt2 = c.ty-b.ty;
double hel = xt1*yt2 - xt2*yt1;
show[p] = (hel < 0);
}
else
show[p] = false;
}
}
//initialiseerd Polygons met juiste aantal punten.
private void initPolys2D(){
polys2D = new Polygon[nPolys];
for(int i = 0; i < nPolys; i++){
int npoints = polys[i].length;
polys2D[i] = new Polygon(new int[npoints], new int[npoints], npoints);
}
show = new boolean[nPolys];
}
private static Color[] colorArray(Color c, int length){
Color[] array = new Color[length];
for(int i = 0; i < length; i++)
array[i] = c;
return array;
}
private static int[] intArray(int number, int length){
int[] array = new int[length];
for(int i = 0; i < length; i++)
array[i] = number;
return array;
}
}
|
1698_19 | /**
This file is part of a 3D engine,
copyright Arne Vansteenkiste 2006-2010.
Use of this source code is governed by the GNU General Public License version 3,
as published by the Free Software Foundation.
*/
package maxview;
import java.awt.*;
import java.awt.geom.*;
/**
Convex 3D object. Niet-convexe objecten kunnen gemaakt worden met Group.
*/
public final class Mesh extends Brush{
private Vertex[] vertex; //Punten van de 3D-figuur.
private int[][] polys; //Lijsten met nummers van vertices die telkens een zijvlak definieren.
private Color[] fill; //Kleur zijvlakken
private Color[] line; //lijnkleur zijvlakken
private Polygon[] polys2D; //Zijvlakken
private int nPolys; //Aantal zijvlakken
private boolean show[]; //Welke zijvlakken moeten getekend worden op basis van heliciteit.
private double z; //verst verwijderde z coordinaat (na transformatie) voor ordening.
public Mesh(Vertex[] v, int[][] polys, Color[] fill, Color[] line){
vertex = v;
this.polys = polys;
this.fill = fill;
this.line = line;
nPolys = polys.length;
initPolys2D();
}
public Mesh(Vertex[] v, int[][] polys, Color fill, Color line){
this(v, polys,
colorArray(fill, polys.length), colorArray(line, polys.length));
}
public Mesh(Vertex[] v, int[][] polys){
this(v, polys, (Color)null, (Color)null);
}
public Vertex[] getVertices(){
return vertex;
}
public void light(Universe universe){
for(int p = 0; p < nPolys; p++){
//vectorproduct
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//relatieve vectoren:
double x1 = a.x-b.x, y1 = a.y-b.y, z1 = a.z-b.z;
double x2 = c.x-b.x, y2 = c.y-b.y, z2 = c.z-b.z;
//normaalvector op poly:
double nx = y1*z2-y2*z1;
double ny = x2*z1-x1*z2;
double nz = x1*y2-x2*y1;
final Vertex light = universe.getLight();
final Vertex ref = vertex[polys[p][0]];
double lx = light.x - ref.x, ly = light.y - ref.y, lz = light.z - ref.z;
double inprod = lx*nx + ly*ny + lz*nz;
inprod /= Math.sqrt((lx*lx + ly*ly + lz*lz) * (nx*nx + ny*ny + nz*nz));
int red = fill[p].getRed();
int green = fill[p].getGreen();
int blue = fill[p].getBlue();
double d = universe.getContrast();
fill[p] = new Color(light(red, inprod, d), light(green, inprod, d), light(blue, inprod, d), fill[p].getAlpha());
line[p] = fill[p]; // hack
}
}
private static int light(int color, double inprod, double lighting){
double l = (1-inprod)/2; //tussen 0 en 1;
double stay = (1-lighting) * color;
double remain = (lighting) * l * color;
return (int)(stay + remain);
}
public double getZ(){
return z;
}
public void paint(View view){
updatePolys2D();
Graphics2D g = view.getGraphics2D(); //?
for(int i = 0; i < nPolys; i++){
if(show[i]){
if(fill[i] != null){
g.setColor(fill[i]);
g.fill(polys2D[i]);
g.draw(polys2D[i]); // voor de edges
}
if(line[i] != null){
g.setColor(line[i]);
g.draw(polys2D[i]);
}
}
}
}
public void sort(){
return;
}
public Brush copy(){
Vertex[] v = new Vertex[vertex.length];
for(int i = 0; i < vertex.length; i++)
v[i] = vertex[i].copy();
int[][] p = new int[nPolys][];
for(int i = 0; i < nPolys; i++){
p[i] = new int[polys[i].length];
for(int j = 0; j < p[i].length; j++)
p[i][j] = polys[i][j];
}
Color[] f = new Color[fill.length];
for(int i = 0; i < fill.length; i++)
if(fill[i] != null)
f[i] = new Color(fill[i].getRed(), fill[i].getGreen(), fill[i].getBlue(), fill[i].getAlpha());
Color[] l = new Color[line.length];
for(int i = 0; i < line.length; i++)
if(line[i] != null)
l[i] = new Color(line[i].getRed(), line[i].getGreen(), line[i].getBlue(), line[i].getAlpha());
Mesh copy = new Mesh(v, p, f, l);
return copy;
}
/** Zet de kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de zijvlakken niet ingekleurd */
public void setFillColor(Color c){
fill = colorArray(c, nPolys);
}
/** Zet de kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt het overeenkomstig zijvlak niet ingekleurd. */
public void setFillColor(Color[] c){
fill = c;
}
/** Zet de omtrek-kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de omtrekken van de zijvlakken niet getekend. */
public void setLineColor(Color c){
line = colorArray(c, nPolys);
}
/** Zet de omtrek-kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt de overeenkomstige omtrek niet getekend. */
public void setLineColor(Color[] c){
line = c;
}
//berekent nieuwe coordinaten en kleuren van de polygonen.
//moet aangeroepen worden na elke transform door de viewport.
private void updatePolys2D(){
z = Double.NEGATIVE_INFINITY;
for(int p = 0; p < nPolys; p++){
Polygon poly2D = polys2D[p];
int[] x = poly2D.xpoints;
int[] y = poly2D.ypoints;
int[] vertexNum = polys[p];
//dingen achter blikveld worden niet getekend.
boolean inFront = true;
for(int i = 0; i < poly2D.npoints; i++){
Vertex v = vertex[vertexNum[i]];
x[i] = (int) (v.tx+.5);
y[i] = (int) (v.ty+.5);
//voor of achter blikveld?
if(v.tz < 0)
inFront = false;
//verste z voor ordening
if(v.tz > z)
z = v.tz;
}
if(inFront){
//vectorproduct voor heliciteit:
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//heliciteit
double xt1 = a.tx-b.tx, yt1 = a.ty-b.ty;
double xt2 = c.tx-b.tx, yt2 = c.ty-b.ty;
double hel = xt1*yt2 - xt2*yt1;
show[p] = (hel < 0);
}
else
show[p] = false;
}
}
//initialiseerd Polygons met juiste aantal punten.
private void initPolys2D(){
polys2D = new Polygon[nPolys];
for(int i = 0; i < nPolys; i++){
int npoints = polys[i].length;
polys2D[i] = new Polygon(new int[npoints], new int[npoints], npoints);
}
show = new boolean[nPolys];
}
private static Color[] colorArray(Color c, int length){
Color[] array = new Color[length];
for(int i = 0; i < length; i++)
array[i] = c;
return array;
}
private static int[] intArray(int number, int length){
int[] array = new int[length];
for(int i = 0; i < length; i++)
array[i] = number;
return array;
}
}
| mumax/1 | src/java/maxview/Mesh.java | 2,454 | //vectorproduct voor heliciteit: | line_comment | nl | /**
This file is part of a 3D engine,
copyright Arne Vansteenkiste 2006-2010.
Use of this source code is governed by the GNU General Public License version 3,
as published by the Free Software Foundation.
*/
package maxview;
import java.awt.*;
import java.awt.geom.*;
/**
Convex 3D object. Niet-convexe objecten kunnen gemaakt worden met Group.
*/
public final class Mesh extends Brush{
private Vertex[] vertex; //Punten van de 3D-figuur.
private int[][] polys; //Lijsten met nummers van vertices die telkens een zijvlak definieren.
private Color[] fill; //Kleur zijvlakken
private Color[] line; //lijnkleur zijvlakken
private Polygon[] polys2D; //Zijvlakken
private int nPolys; //Aantal zijvlakken
private boolean show[]; //Welke zijvlakken moeten getekend worden op basis van heliciteit.
private double z; //verst verwijderde z coordinaat (na transformatie) voor ordening.
public Mesh(Vertex[] v, int[][] polys, Color[] fill, Color[] line){
vertex = v;
this.polys = polys;
this.fill = fill;
this.line = line;
nPolys = polys.length;
initPolys2D();
}
public Mesh(Vertex[] v, int[][] polys, Color fill, Color line){
this(v, polys,
colorArray(fill, polys.length), colorArray(line, polys.length));
}
public Mesh(Vertex[] v, int[][] polys){
this(v, polys, (Color)null, (Color)null);
}
public Vertex[] getVertices(){
return vertex;
}
public void light(Universe universe){
for(int p = 0; p < nPolys; p++){
//vectorproduct
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//relatieve vectoren:
double x1 = a.x-b.x, y1 = a.y-b.y, z1 = a.z-b.z;
double x2 = c.x-b.x, y2 = c.y-b.y, z2 = c.z-b.z;
//normaalvector op poly:
double nx = y1*z2-y2*z1;
double ny = x2*z1-x1*z2;
double nz = x1*y2-x2*y1;
final Vertex light = universe.getLight();
final Vertex ref = vertex[polys[p][0]];
double lx = light.x - ref.x, ly = light.y - ref.y, lz = light.z - ref.z;
double inprod = lx*nx + ly*ny + lz*nz;
inprod /= Math.sqrt((lx*lx + ly*ly + lz*lz) * (nx*nx + ny*ny + nz*nz));
int red = fill[p].getRed();
int green = fill[p].getGreen();
int blue = fill[p].getBlue();
double d = universe.getContrast();
fill[p] = new Color(light(red, inprod, d), light(green, inprod, d), light(blue, inprod, d), fill[p].getAlpha());
line[p] = fill[p]; // hack
}
}
private static int light(int color, double inprod, double lighting){
double l = (1-inprod)/2; //tussen 0 en 1;
double stay = (1-lighting) * color;
double remain = (lighting) * l * color;
return (int)(stay + remain);
}
public double getZ(){
return z;
}
public void paint(View view){
updatePolys2D();
Graphics2D g = view.getGraphics2D(); //?
for(int i = 0; i < nPolys; i++){
if(show[i]){
if(fill[i] != null){
g.setColor(fill[i]);
g.fill(polys2D[i]);
g.draw(polys2D[i]); // voor de edges
}
if(line[i] != null){
g.setColor(line[i]);
g.draw(polys2D[i]);
}
}
}
}
public void sort(){
return;
}
public Brush copy(){
Vertex[] v = new Vertex[vertex.length];
for(int i = 0; i < vertex.length; i++)
v[i] = vertex[i].copy();
int[][] p = new int[nPolys][];
for(int i = 0; i < nPolys; i++){
p[i] = new int[polys[i].length];
for(int j = 0; j < p[i].length; j++)
p[i][j] = polys[i][j];
}
Color[] f = new Color[fill.length];
for(int i = 0; i < fill.length; i++)
if(fill[i] != null)
f[i] = new Color(fill[i].getRed(), fill[i].getGreen(), fill[i].getBlue(), fill[i].getAlpha());
Color[] l = new Color[line.length];
for(int i = 0; i < line.length; i++)
if(line[i] != null)
l[i] = new Color(line[i].getRed(), line[i].getGreen(), line[i].getBlue(), line[i].getAlpha());
Mesh copy = new Mesh(v, p, f, l);
return copy;
}
/** Zet de kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de zijvlakken niet ingekleurd */
public void setFillColor(Color c){
fill = colorArray(c, nPolys);
}
/** Zet de kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt het overeenkomstig zijvlak niet ingekleurd. */
public void setFillColor(Color[] c){
fill = c;
}
/** Zet de omtrek-kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de omtrekken van de zijvlakken niet getekend. */
public void setLineColor(Color c){
line = colorArray(c, nPolys);
}
/** Zet de omtrek-kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt de overeenkomstige omtrek niet getekend. */
public void setLineColor(Color[] c){
line = c;
}
//berekent nieuwe coordinaten en kleuren van de polygonen.
//moet aangeroepen worden na elke transform door de viewport.
private void updatePolys2D(){
z = Double.NEGATIVE_INFINITY;
for(int p = 0; p < nPolys; p++){
Polygon poly2D = polys2D[p];
int[] x = poly2D.xpoints;
int[] y = poly2D.ypoints;
int[] vertexNum = polys[p];
//dingen achter blikveld worden niet getekend.
boolean inFront = true;
for(int i = 0; i < poly2D.npoints; i++){
Vertex v = vertex[vertexNum[i]];
x[i] = (int) (v.tx+.5);
y[i] = (int) (v.ty+.5);
//voor of achter blikveld?
if(v.tz < 0)
inFront = false;
//verste z voor ordening
if(v.tz > z)
z = v.tz;
}
if(inFront){
//vectorproduct voor<SUF>
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//heliciteit
double xt1 = a.tx-b.tx, yt1 = a.ty-b.ty;
double xt2 = c.tx-b.tx, yt2 = c.ty-b.ty;
double hel = xt1*yt2 - xt2*yt1;
show[p] = (hel < 0);
}
else
show[p] = false;
}
}
//initialiseerd Polygons met juiste aantal punten.
private void initPolys2D(){
polys2D = new Polygon[nPolys];
for(int i = 0; i < nPolys; i++){
int npoints = polys[i].length;
polys2D[i] = new Polygon(new int[npoints], new int[npoints], npoints);
}
show = new boolean[nPolys];
}
private static Color[] colorArray(Color c, int length){
Color[] array = new Color[length];
for(int i = 0; i < length; i++)
array[i] = c;
return array;
}
private static int[] intArray(int number, int length){
int[] array = new int[length];
for(int i = 0; i < length; i++)
array[i] = number;
return array;
}
}
|
1698_20 | /**
This file is part of a 3D engine,
copyright Arne Vansteenkiste 2006-2010.
Use of this source code is governed by the GNU General Public License version 3,
as published by the Free Software Foundation.
*/
package maxview;
import java.awt.*;
import java.awt.geom.*;
/**
Convex 3D object. Niet-convexe objecten kunnen gemaakt worden met Group.
*/
public final class Mesh extends Brush{
private Vertex[] vertex; //Punten van de 3D-figuur.
private int[][] polys; //Lijsten met nummers van vertices die telkens een zijvlak definieren.
private Color[] fill; //Kleur zijvlakken
private Color[] line; //lijnkleur zijvlakken
private Polygon[] polys2D; //Zijvlakken
private int nPolys; //Aantal zijvlakken
private boolean show[]; //Welke zijvlakken moeten getekend worden op basis van heliciteit.
private double z; //verst verwijderde z coordinaat (na transformatie) voor ordening.
public Mesh(Vertex[] v, int[][] polys, Color[] fill, Color[] line){
vertex = v;
this.polys = polys;
this.fill = fill;
this.line = line;
nPolys = polys.length;
initPolys2D();
}
public Mesh(Vertex[] v, int[][] polys, Color fill, Color line){
this(v, polys,
colorArray(fill, polys.length), colorArray(line, polys.length));
}
public Mesh(Vertex[] v, int[][] polys){
this(v, polys, (Color)null, (Color)null);
}
public Vertex[] getVertices(){
return vertex;
}
public void light(Universe universe){
for(int p = 0; p < nPolys; p++){
//vectorproduct
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//relatieve vectoren:
double x1 = a.x-b.x, y1 = a.y-b.y, z1 = a.z-b.z;
double x2 = c.x-b.x, y2 = c.y-b.y, z2 = c.z-b.z;
//normaalvector op poly:
double nx = y1*z2-y2*z1;
double ny = x2*z1-x1*z2;
double nz = x1*y2-x2*y1;
final Vertex light = universe.getLight();
final Vertex ref = vertex[polys[p][0]];
double lx = light.x - ref.x, ly = light.y - ref.y, lz = light.z - ref.z;
double inprod = lx*nx + ly*ny + lz*nz;
inprod /= Math.sqrt((lx*lx + ly*ly + lz*lz) * (nx*nx + ny*ny + nz*nz));
int red = fill[p].getRed();
int green = fill[p].getGreen();
int blue = fill[p].getBlue();
double d = universe.getContrast();
fill[p] = new Color(light(red, inprod, d), light(green, inprod, d), light(blue, inprod, d), fill[p].getAlpha());
line[p] = fill[p]; // hack
}
}
private static int light(int color, double inprod, double lighting){
double l = (1-inprod)/2; //tussen 0 en 1;
double stay = (1-lighting) * color;
double remain = (lighting) * l * color;
return (int)(stay + remain);
}
public double getZ(){
return z;
}
public void paint(View view){
updatePolys2D();
Graphics2D g = view.getGraphics2D(); //?
for(int i = 0; i < nPolys; i++){
if(show[i]){
if(fill[i] != null){
g.setColor(fill[i]);
g.fill(polys2D[i]);
g.draw(polys2D[i]); // voor de edges
}
if(line[i] != null){
g.setColor(line[i]);
g.draw(polys2D[i]);
}
}
}
}
public void sort(){
return;
}
public Brush copy(){
Vertex[] v = new Vertex[vertex.length];
for(int i = 0; i < vertex.length; i++)
v[i] = vertex[i].copy();
int[][] p = new int[nPolys][];
for(int i = 0; i < nPolys; i++){
p[i] = new int[polys[i].length];
for(int j = 0; j < p[i].length; j++)
p[i][j] = polys[i][j];
}
Color[] f = new Color[fill.length];
for(int i = 0; i < fill.length; i++)
if(fill[i] != null)
f[i] = new Color(fill[i].getRed(), fill[i].getGreen(), fill[i].getBlue(), fill[i].getAlpha());
Color[] l = new Color[line.length];
for(int i = 0; i < line.length; i++)
if(line[i] != null)
l[i] = new Color(line[i].getRed(), line[i].getGreen(), line[i].getBlue(), line[i].getAlpha());
Mesh copy = new Mesh(v, p, f, l);
return copy;
}
/** Zet de kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de zijvlakken niet ingekleurd */
public void setFillColor(Color c){
fill = colorArray(c, nPolys);
}
/** Zet de kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt het overeenkomstig zijvlak niet ingekleurd. */
public void setFillColor(Color[] c){
fill = c;
}
/** Zet de omtrek-kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de omtrekken van de zijvlakken niet getekend. */
public void setLineColor(Color c){
line = colorArray(c, nPolys);
}
/** Zet de omtrek-kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt de overeenkomstige omtrek niet getekend. */
public void setLineColor(Color[] c){
line = c;
}
//berekent nieuwe coordinaten en kleuren van de polygonen.
//moet aangeroepen worden na elke transform door de viewport.
private void updatePolys2D(){
z = Double.NEGATIVE_INFINITY;
for(int p = 0; p < nPolys; p++){
Polygon poly2D = polys2D[p];
int[] x = poly2D.xpoints;
int[] y = poly2D.ypoints;
int[] vertexNum = polys[p];
//dingen achter blikveld worden niet getekend.
boolean inFront = true;
for(int i = 0; i < poly2D.npoints; i++){
Vertex v = vertex[vertexNum[i]];
x[i] = (int) (v.tx+.5);
y[i] = (int) (v.ty+.5);
//voor of achter blikveld?
if(v.tz < 0)
inFront = false;
//verste z voor ordening
if(v.tz > z)
z = v.tz;
}
if(inFront){
//vectorproduct voor heliciteit:
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//heliciteit
double xt1 = a.tx-b.tx, yt1 = a.ty-b.ty;
double xt2 = c.tx-b.tx, yt2 = c.ty-b.ty;
double hel = xt1*yt2 - xt2*yt1;
show[p] = (hel < 0);
}
else
show[p] = false;
}
}
//initialiseerd Polygons met juiste aantal punten.
private void initPolys2D(){
polys2D = new Polygon[nPolys];
for(int i = 0; i < nPolys; i++){
int npoints = polys[i].length;
polys2D[i] = new Polygon(new int[npoints], new int[npoints], npoints);
}
show = new boolean[nPolys];
}
private static Color[] colorArray(Color c, int length){
Color[] array = new Color[length];
for(int i = 0; i < length; i++)
array[i] = c;
return array;
}
private static int[] intArray(int number, int length){
int[] array = new int[length];
for(int i = 0; i < length; i++)
array[i] = number;
return array;
}
}
| mumax/1 | src/java/maxview/Mesh.java | 2,454 | //initialiseerd Polygons met juiste aantal punten. | line_comment | nl | /**
This file is part of a 3D engine,
copyright Arne Vansteenkiste 2006-2010.
Use of this source code is governed by the GNU General Public License version 3,
as published by the Free Software Foundation.
*/
package maxview;
import java.awt.*;
import java.awt.geom.*;
/**
Convex 3D object. Niet-convexe objecten kunnen gemaakt worden met Group.
*/
public final class Mesh extends Brush{
private Vertex[] vertex; //Punten van de 3D-figuur.
private int[][] polys; //Lijsten met nummers van vertices die telkens een zijvlak definieren.
private Color[] fill; //Kleur zijvlakken
private Color[] line; //lijnkleur zijvlakken
private Polygon[] polys2D; //Zijvlakken
private int nPolys; //Aantal zijvlakken
private boolean show[]; //Welke zijvlakken moeten getekend worden op basis van heliciteit.
private double z; //verst verwijderde z coordinaat (na transformatie) voor ordening.
public Mesh(Vertex[] v, int[][] polys, Color[] fill, Color[] line){
vertex = v;
this.polys = polys;
this.fill = fill;
this.line = line;
nPolys = polys.length;
initPolys2D();
}
public Mesh(Vertex[] v, int[][] polys, Color fill, Color line){
this(v, polys,
colorArray(fill, polys.length), colorArray(line, polys.length));
}
public Mesh(Vertex[] v, int[][] polys){
this(v, polys, (Color)null, (Color)null);
}
public Vertex[] getVertices(){
return vertex;
}
public void light(Universe universe){
for(int p = 0; p < nPolys; p++){
//vectorproduct
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//relatieve vectoren:
double x1 = a.x-b.x, y1 = a.y-b.y, z1 = a.z-b.z;
double x2 = c.x-b.x, y2 = c.y-b.y, z2 = c.z-b.z;
//normaalvector op poly:
double nx = y1*z2-y2*z1;
double ny = x2*z1-x1*z2;
double nz = x1*y2-x2*y1;
final Vertex light = universe.getLight();
final Vertex ref = vertex[polys[p][0]];
double lx = light.x - ref.x, ly = light.y - ref.y, lz = light.z - ref.z;
double inprod = lx*nx + ly*ny + lz*nz;
inprod /= Math.sqrt((lx*lx + ly*ly + lz*lz) * (nx*nx + ny*ny + nz*nz));
int red = fill[p].getRed();
int green = fill[p].getGreen();
int blue = fill[p].getBlue();
double d = universe.getContrast();
fill[p] = new Color(light(red, inprod, d), light(green, inprod, d), light(blue, inprod, d), fill[p].getAlpha());
line[p] = fill[p]; // hack
}
}
private static int light(int color, double inprod, double lighting){
double l = (1-inprod)/2; //tussen 0 en 1;
double stay = (1-lighting) * color;
double remain = (lighting) * l * color;
return (int)(stay + remain);
}
public double getZ(){
return z;
}
public void paint(View view){
updatePolys2D();
Graphics2D g = view.getGraphics2D(); //?
for(int i = 0; i < nPolys; i++){
if(show[i]){
if(fill[i] != null){
g.setColor(fill[i]);
g.fill(polys2D[i]);
g.draw(polys2D[i]); // voor de edges
}
if(line[i] != null){
g.setColor(line[i]);
g.draw(polys2D[i]);
}
}
}
}
public void sort(){
return;
}
public Brush copy(){
Vertex[] v = new Vertex[vertex.length];
for(int i = 0; i < vertex.length; i++)
v[i] = vertex[i].copy();
int[][] p = new int[nPolys][];
for(int i = 0; i < nPolys; i++){
p[i] = new int[polys[i].length];
for(int j = 0; j < p[i].length; j++)
p[i][j] = polys[i][j];
}
Color[] f = new Color[fill.length];
for(int i = 0; i < fill.length; i++)
if(fill[i] != null)
f[i] = new Color(fill[i].getRed(), fill[i].getGreen(), fill[i].getBlue(), fill[i].getAlpha());
Color[] l = new Color[line.length];
for(int i = 0; i < line.length; i++)
if(line[i] != null)
l[i] = new Color(line[i].getRed(), line[i].getGreen(), line[i].getBlue(), line[i].getAlpha());
Mesh copy = new Mesh(v, p, f, l);
return copy;
}
/** Zet de kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de zijvlakken niet ingekleurd */
public void setFillColor(Color c){
fill = colorArray(c, nPolys);
}
/** Zet de kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt het overeenkomstig zijvlak niet ingekleurd. */
public void setFillColor(Color[] c){
fill = c;
}
/** Zet de omtrek-kleur van alle zijvlakken op het gegeven kleur. De kleur mag null zijn,
dan worden de omtrekken van de zijvlakken niet getekend. */
public void setLineColor(Color c){
line = colorArray(c, nPolys);
}
/** Zet de omtrek-kleur van de individuele zijvlakken op de gegeven kleuren.
Een kleur mag null zijn, dan wordt de overeenkomstige omtrek niet getekend. */
public void setLineColor(Color[] c){
line = c;
}
//berekent nieuwe coordinaten en kleuren van de polygonen.
//moet aangeroepen worden na elke transform door de viewport.
private void updatePolys2D(){
z = Double.NEGATIVE_INFINITY;
for(int p = 0; p < nPolys; p++){
Polygon poly2D = polys2D[p];
int[] x = poly2D.xpoints;
int[] y = poly2D.ypoints;
int[] vertexNum = polys[p];
//dingen achter blikveld worden niet getekend.
boolean inFront = true;
for(int i = 0; i < poly2D.npoints; i++){
Vertex v = vertex[vertexNum[i]];
x[i] = (int) (v.tx+.5);
y[i] = (int) (v.ty+.5);
//voor of achter blikveld?
if(v.tz < 0)
inFront = false;
//verste z voor ordening
if(v.tz > z)
z = v.tz;
}
if(inFront){
//vectorproduct voor heliciteit:
Vertex a = vertex[polys[p][0]];
Vertex b = vertex[polys[p][1]];
Vertex c = vertex[polys[p][2]];
//heliciteit
double xt1 = a.tx-b.tx, yt1 = a.ty-b.ty;
double xt2 = c.tx-b.tx, yt2 = c.ty-b.ty;
double hel = xt1*yt2 - xt2*yt1;
show[p] = (hel < 0);
}
else
show[p] = false;
}
}
//initialiseerd Polygons<SUF>
private void initPolys2D(){
polys2D = new Polygon[nPolys];
for(int i = 0; i < nPolys; i++){
int npoints = polys[i].length;
polys2D[i] = new Polygon(new int[npoints], new int[npoints], npoints);
}
show = new boolean[nPolys];
}
private static Color[] colorArray(Color c, int length){
Color[] array = new Color[length];
for(int i = 0; i < length; i++)
array[i] = c;
return array;
}
private static int[] intArray(int number, int length){
int[] array = new int[length];
for(int i = 0; i < length; i++)
array[i] = number;
return array;
}
}
|
1699_0 | /**
* Bescherming --> look zal een beschermings voorwerp worden met sterkte nul
* maar door zijn naam toch effectief
*/
public class Bescherming extends Item
{
public Bescherming(String description, int gewicht, int sterkte)
{super(description, gewicht, sterkte);}
public String gebruik() {return "";}
public int getKrachtVerdedigingsWapen() {return getGetal();}
public int getKrachtAanvalsWapen() {return 0;}
} | bartgerard/Village_of_Zuul | Bescherming.java | 131 | /**
* Bescherming --> look zal een beschermings voorwerp worden met sterkte nul
* maar door zijn naam toch effectief
*/ | block_comment | nl | /**
* Bescherming --> look<SUF>*/
public class Bescherming extends Item
{
public Bescherming(String description, int gewicht, int sterkte)
{super(description, gewicht, sterkte);}
public String gebruik() {return "";}
public int getKrachtVerdedigingsWapen() {return getGetal();}
public int getKrachtAanvalsWapen() {return 0;}
} |
1797_3 | //Given an array and a value, remove all instances of that value in-place and return the new length.
//Do not allocate extra space for another array, you must do this by modifying the input array in-place with O(1) extra memory.
//The order of elements can be changed. It doesn't matter what you leave beyond the new length.
//Example:
//Given nums = [3,2,2,3], val = 3,
//Your function should return length = 2, with the first two elements of nums being 2.
class RemoveElement {
public int removeElement(int[] nums, int val) {
int index = 0;
for(int i = 0; i < nums.length; i++) {
if(nums[i] != val) {
nums[index++] = nums[i];
}
}
return index;
}
}
| bob-fly/interviews | leetcode/src/main/twoPointers/RemoveElement.java | 212 | //Given nums = [3,2,2,3], val = 3, | line_comment | nl | //Given an array and a value, remove all instances of that value in-place and return the new length.
//Do not allocate extra space for another array, you must do this by modifying the input array in-place with O(1) extra memory.
//The order of elements can be changed. It doesn't matter what you leave beyond the new length.
//Example:
//Given nums<SUF>
//Your function should return length = 2, with the first two elements of nums being 2.
class RemoveElement {
public int removeElement(int[] nums, int val) {
int index = 0;
for(int i = 0; i < nums.length; i++) {
if(nums[i] != val) {
nums[index++] = nums[i];
}
}
return index;
}
}
|
1815_6 | /*
* To change this license header, choose License Headers in Project Properties.
* To change this template file, choose Tools | Templates
* and open the template in the editor.
*/
package desenho.formas;
import controlador.Controler;
import controlador.Diagrama;
import controlador.Editor;
import controlador.inspector.InspectorProperty;
import desenho.ElementarListener;
import desenho.FormaElementar;
import desenho.linhas.SuperLinha;
import java.awt.AlphaComposite;
import java.awt.BasicStroke;
import java.awt.Color;
import java.awt.Composite;
import java.awt.Cursor;
import java.awt.GradientPaint;
import java.awt.Graphics2D;
import java.awt.Paint;
import java.awt.Point;
import java.awt.Rectangle;
import java.awt.Stroke;
import java.awt.event.MouseEvent;
import java.util.ArrayList;
import java.util.HashMap;
import org.w3c.dom.Document;
import org.w3c.dom.Element;
import org.w3c.dom.Node;
import org.w3c.dom.NodeList;
import util.DesenhadorDeTexto;
/**
*
* @author ccandido
*/
public class FormaArea extends Forma {
private static final long serialVersionUID = 4366780837704194852L;
public FormaArea(Diagrama modelo) {
super(modelo);
areaDefault = Editor.fromConfiguracao.getValor("Inspector.obj.formaarea.area.default");
//setForeColor(new Color(204,204, 255));
}
public FormaArea(Diagrama modelo, String texto) {
super(modelo, texto);
areaDefault = Editor.fromConfiguracao.getValor("Inspector.obj.formaarea.area.default");
//setForeColor(new Color(204,204, 255));
}
public int getLocalDaLinha(DimensionadorArea aThis) {
int res = getLeft();
for (DimensionadorArea fr : getRegioes()) {
res += fr.getLargura();
if (fr == aThis) {
return res;
}
res += fr.getWidth();
}
return res;
}
private ArrayList<DimensionadorArea> regioes = new ArrayList<>();
public ArrayList<DimensionadorArea> getRegioes() {
return regioes;
}
public void AddRegiao(int largura) {
DimensionadorArea nr = new DimensionadorArea(this);
nr.setLargura(largura);
getRegioes().add(nr);
RePosicioneRegioes();
nr.setTexto(NomeieDimensoes());
DoMuda();
InvalidateArea();
}
public DimensionadorArea AddRegiao() {
DimensionadorArea nr = new DimensionadorArea(this);
getRegioes().add(nr);
return nr;
}
public void Remova(DimensionadorArea regiao) {
getRegioes().remove(regiao);
RemoveSubItem(regiao);
getMaster().setCursor(new Cursor(Cursor.DEFAULT_CURSOR));
RePosicioneRegioes();
DoMuda();
InvalidateArea();
}
@Override
public void mouseDblClicked(MouseEvent e) {
AdicionarSubItem(-1);
}
private transient int alturaTexto = 20;
public int getAlturaTexto() {
return alturaTexto;
}
@Override
public void DoPaint(Graphics2D g) {
g.setFont(getFont());
int larg = getMaster().getPontoWidth();
alturaTexto = g.getFontMetrics().getHeight();
alturaTexto += alturaTexto / 2;
int top = getTop() + alturaTexto;
//int newTop = getTextoFormatado().getMaxHeigth();
int lastlarg = distSelecao + getLeft();
PaintGradiente(g);
boolean excesso = false;
for (DimensionadorArea regiao : getRegioes()) {
int x = getLocalDaLinha(regiao);
if ((x < getLeftWidth() - distSelecao) && (x > getLeft())) {
x += larg / 2;
Stroke bkps = g.getStroke();
if (isDashed()) {
g.setStroke(new BasicStroke(1, BasicStroke.CAP_BUTT, BasicStroke.JOIN_BEVEL, 0, new float[]{1, 2}, 0));
}
g.setColor(getForeColor());
g.drawLine(x, top + 1, x, getTopHeight() - 2);
if (isDashed()) {
g.setStroke(bkps);
}
DesenhadorDeTexto dz = new DesenhadorDeTexto(regiao.getTexto(), getFont(), true);
dz.LimitarAreaDePintura = true;
dz.PinteTexto(g, getForeColor(),
new Rectangle(x - regiao.getLargura(), top + 1, regiao.getLargura(), alturaTexto - distSelecao),
regiao.getTexto());
lastlarg = x;
} else {
excesso = true;
break;
}
}
DesenhadorDeTexto dz = new DesenhadorDeTexto(excesso? "... " + areaDefault: areaDefault, getFont(), true);
dz.LimitarAreaDePintura = true;
dz.PinteTexto(g, getForeColor(),
new Rectangle(lastlarg, top + 1, getLeftWidth() - lastlarg, alturaTexto - distSelecao),
excesso? "... " + areaDefault: areaDefault);
Stroke bkps = g.getStroke();
if (isDashed()) {
g.setStroke(new BasicStroke(1, BasicStroke.CAP_BUTT, BasicStroke.JOIN_BEVEL, 0, new float[]{1, 2}, 0));
}
g.drawLine(getLeft(), top - 1 + alturaTexto, getLeftWidth(), top - 1 + alturaTexto);
g.setStroke(bkps);
super.DoPaint(g);
}
protected void PaintGradiente(Graphics2D g) { //, boolean round) {
Paint bkp = g.getPaint();
int dist = distSelecao;
int W = getWidth() - dist;
int H = 2 * alturaTexto - 1 - dist;
boolean dv = getGDirecao() == VERTICAL;
Composite originalComposite = g.getComposite();
int type = AlphaComposite.SRC_OVER;
g.setComposite(AlphaComposite.getInstance(type, alfa));
Stroke bkps = g.getStroke();
if (isDashed()) {
g.setStroke(new BasicStroke(1, BasicStroke.CAP_BUTT, BasicStroke.JOIN_BEVEL, 0, new float[]{1, 2}, 0));
}
// GradientPaint GP = new GradientPaint(getLeft(), getTop(), Color.LIGHT_GRAY, dv ? getLeft() : getLeft() + W, dv ? getTop() + H : getTop(), Color.white, true);
// g.setPaint(GP);
int w = getWidth() - dist;
int h = getHeight() - dist;
int L = getLeft();
int T = getTop();
GradientPaint GP = new GradientPaint(L, T, getGradienteStartColor(), dv ? L : L + w, dv ? T + h : T, getGradienteEndColor(), true);
g.setPaint(GP);
g.fillRect(getLeft() + 1, getTop() + 1, W, H);
g.setComposite(originalComposite);
g.setPaint(bkp);
g.setStroke(bkps);
}
//<editor-fold defaultstate="collapsed" desc="Gradiente e Alfa">
public boolean isDashed() {
return dashed;
}
public void setDashed(boolean dasehd) {
if (this.dashed != dasehd) {
this.dashed = dasehd;
DoMuda();
InvalidateArea();
}
}
private boolean dashed = false;
private boolean gradiente = true;
private Color gradienteEndColor = Color.white;
private Color gradienteStartColor = Color.LIGHT_GRAY;
public Color getGradienteStartColor() {
return isDisablePainted()? disabledColor : gradienteStartColor;
}
public void setGradienteStartColor(Color gradienteStartColor) {
this.gradienteStartColor = gradienteStartColor;
InvalidateArea();
}
public boolean isGradiente() {
return gradiente;
}
public void setGradiente(boolean gradiente) {
this.gradiente = gradiente;
InvalidateArea();
}
public Color getGradienteEndColor() {
return isDisablePainted()? disabledColor : gradienteEndColor;
}
public void setGradienteEndColor(Color gradienteEndColor) {
this.gradienteEndColor = gradienteEndColor;
InvalidateArea();
}
public static final int VERTICAL = 0;
public static final int HORIZONTAL = 1;
private int gdirecao = HORIZONTAL;
private float alfa = 0.4f;
public float getAlfa() {
return alfa;
}
public void setAlfa(float alfa) {
this.alfa = alfa;
}
public void SetAlfa(int alfa) {
this.alfa = (float) alfa / 100;
if (this.alfa > 1) {
this.alfa = 0.5f;
}
InvalidateArea();
}
public int getGDirecao() {
return gdirecao;
}
public void setGDirecao(int aDirection) {
gdirecao = aDirection;
InvalidateArea();
}
//</editor-fold>
@Override
public void reSetBounds() {
super.reSetBounds();
RePosicioneRegioes();
}
public void RePosicioneRegioes() {
HideDimensionador(true);
}
/**
* A região está dentro da área do componente.
*
* @param regiao
* @return
*/
public boolean EmAreaVisivel(DimensionadorArea regiao) {
return ((regiao.getLeft() < getLeftWidth() - distSelecao) && (regiao.getLeft() > getLeft()));
}
public void HideDimensionador(boolean mostar) {
for(DimensionadorArea regiao: getRegioes()) {
if (mostar) {
regiao.Posicione();
if (EmAreaVisivel(regiao)) {
regiao.setVisible(mostar);
} else {
regiao.setVisible(false);
}
} else {
regiao.setVisible(mostar);
}
}
}
@Override
public void setSelecionado(boolean selecionado) {
super.setSelecionado(selecionado);
HideDimensionador(isSelecionado());
}
@Override
public DesenhadorDeTexto getTextoFormatado() {
DesenhadorDeTexto dz = super.getTextoFormatado(); //To change body of generated methods, choose Tools | Templates.
dz.setCentrarTextoVertical(false);
dz.LimitarAreaDePintura = true;
dz.CorretorPosicao = new Point(0, 3 * distSelecao);
return dz;
}
private transient double z = 0.0;
@Override
public void PinteTexto(Graphics2D g) {
//no caso de mudança no zoom, um novo TextoFormatado deve ser criado.
if (getMaster().getZoom() != z) {
setTextoFormatado(null);
z = getMaster().getZoom();
}
Rectangle r = getArea();
r = new Rectangle(r.x, r.y, r.width, alturaTexto);
getTextoFormatado().PinteTexto(g, getForeColor(), r, getTexto());
}
private String areaDefault = "";
public String getAreaDefault() {
return areaDefault;
}
public void setAreaDefault(String areaDefault) {
this.areaDefault = areaDefault;
InvalidateArea();
}
@Override
public ArrayList<InspectorProperty> GenerateProperty() {
ArrayList<InspectorProperty> res = super.GenerateProperty();
// res.add(InspectorProperty.PropertyFactoryTexto("formaarea.area.default", "setAreaDefault", getAreaDefault()));
// res.add(InspectorProperty.PropertyFactoryCommand(nomeComandos.cmdAdicionarSubItem.name()).setTag(-1));
//
// int i = 0;
// for (DimensionadorArea dime : getRegioes()) {
// res.add(InspectorProperty.PropertyFactorySeparador("formaarea.area"));
// res.add(InspectorProperty.PropertyFactoryTexto("formaarea.area", "SetDimensaoTexto", dime.getTexto()).setTag(i));
// res.add(InspectorProperty.PropertyFactoryNumero("formaarea.largura", "SetDimensaoLargura", dime.getLargura()).setTag(i));
// res.add(InspectorProperty.PropertyFactoryCommand(nomeComandos.cmdExcluirSubItem.name()).setTag(i));
// i++;
// }
//
// ArrayList<FormaElementar> overme = WhoIsOverMe();
// res.add(InspectorProperty.PropertyFactorySeparador("formaarea.overme"));
// res.add(InspectorProperty.PropertyFactorySN("formaarea.movesubs", "setMoverSubs", isMoverSubs()));
// res.add(InspectorProperty.PropertyFactoryCommand(nomeComandos.cmdDoAnyThing.name(), "formaarea.capture").setTag(99));
// res.add(InspectorProperty.PropertyFactoryCommand(nomeComandos.cmdDoAnyThing.name(), "formaarea.uncapture").setTag(-99));
// res.add(InspectorProperty.PropertyFactoryApenasLeituraTexto("formaarea.capturados", String.valueOf(overme.size())));
//
// if (!overme.isEmpty()) {
// res.add(InspectorProperty.PropertyFactorySeparador("formaarea.capturados"));
//
// overme.stream().filter((dime) -> (dime instanceof Forma)).map((dime) -> (Forma) dime).forEach((f) -> {
// res.add(InspectorProperty.PropertyFactoryActionSelect(Editor.fromConfiguracao.getValor("diagrama." + Editor.getClassTexto(f) + ".nome"),
// f.getTexto(),
// String.valueOf(((FormaElementar) f.getPrincipal()).getID())));
// });
// }
return res;
}
public void SetDimensaoTexto(String txt) {
if (getMaster().getEditor().getInspectorEditor().getSelecionado() == null) {
return;
}
int tag = getMaster().getEditor().getInspectorEditor().getSelecionado().getTag();
DimensionadorArea dime = getRegioes().get(tag);
dime.setTexto(txt);
InvalidateArea();
}
public void SetDimensaoLargura(int larg) {
if (getMaster().getEditor().getInspectorEditor().getSelecionado() == null) {
return;
}
int tag = getMaster().getEditor().getInspectorEditor().getSelecionado().getTag();
DimensionadorArea dime = getRegioes().get(tag);
dime.setLargura(larg);
RePosicioneRegioes();
InvalidateArea();
}
@Override
protected void ToXmlValores(Document doc, Element me) {
super.ToXmlValores(doc, me);
me.appendChild(util.XMLGenerate.ValorBoolean(doc, "MoverSubs", isMoverSubs()));
me.appendChild(util.XMLGenerate.ValorBoolean(doc, "autoCapture", isAutoCapture()));
me.appendChild(util.XMLGenerate.ValorString(doc, "areaDefault", getAreaDefault()));
Element dime = doc.createElement("Dimensoes");
getRegioes().forEach(c -> {
c.ToXmlValores(doc, dime);
});
me.appendChild(dime);
SerializeListener(doc, me);
me.appendChild(util.XMLGenerate.ValorBoolean(doc, "Dashed", isDashed()));
//me.appendChild(util.XMLGenerate.ValorBoolean(doc, "Gradiente", isGradiente()));
me.appendChild(util.XMLGenerate.ValorColor(doc, "GradienteStartColor", getGradienteStartColor()));
me.appendChild(util.XMLGenerate.ValorColor(doc, "GradienteEndColor", getGradienteEndColor()));
me.appendChild(util.XMLGenerate.ValorInteger(doc, "GDirecao", getGDirecao()));
me.appendChild(util.XMLGenerate.ValorInteger(doc, "Alfa", (int) (100 * getAlfa())));
}
@Override
public boolean LoadFromXML(Element me, boolean colando) {
if (!super.LoadFromXML(me, colando)) {
return false;
}
setAreaDefault(util.XMLGenerate.getValorStringFrom(me, "areaDefault"));
setMoverSubs(util.XMLGenerate.getValorBooleanFrom(me, "MoverSubs"));
setAutoCapture(util.XMLGenerate.getValorBooleanFrom(me, "autoCapture"));
NodeList ptLst = me.getElementsByTagName("Dimensoes");
Element pontos = (Element) ptLst.item(0);
ptLst = pontos.getChildNodes();
for (int i = 0; i < ptLst.getLength(); i++) {
Node tmp = ptLst.item(i);
if (tmp.getNodeType() == Node.ELEMENT_NODE) {
DimensionadorArea c = AddRegiao();
c.LoadFromXML((Element) ptLst.item(i), colando);
}
}
setDashed(util.XMLGenerate.getValorBooleanFrom(me, "Dashed"));
//setGradiente(util.XMLGenerate.getValorBooleanFrom(me, "Gradiente"));
Color c = util.XMLGenerate.getValorColorFrom(me, "GradienteStartColor");
if (c != null) {
setGradienteStartColor(c);
}
c = util.XMLGenerate.getValorColorFrom(me, "GradienteEndColor");
if (c != null) {
setGradienteEndColor(c);
}
int l = util.XMLGenerate.getValorIntegerFrom(me, "GDirecao");
if (l != -1) {
setGDirecao(l);
}
l = util.XMLGenerate.getValorIntegerFrom(me, "Alfa");
if (l != -1) {
SetAlfa(l);
}
return true;
}
@Override
public ArrayList<InspectorProperty> CompleteGenerateProperty(ArrayList<InspectorProperty> GP) {
//if (getTipoDesenho() != TipoDraw.tpTexto) {
ArrayList<InspectorProperty> res = GP;
res.add(InspectorProperty.PropertyFactorySeparador("texto.gradiente"));
GP.add(InspectorProperty.PropertyFactorySN("linha.dashed", "setDashed", isDashed()));
GP.add(InspectorProperty.PropertyFactoryNumero("diagrama.detalhe.alfa", "SetAlfa", (int) (100 * getAlfa())));
//String[] grupo = new String[]{"setGradienteStartColor", "setGradienteEndColor", "setGDirecao"
//};
//res.add(InspectorProperty.PropertyFactorySN("texto.gradiente.is", "setGradiente", isGradiente()).AddCondicaoForFalse(new String[]{"setBackColor"}).AddCondicaoForTrue(grupo));
res.add(InspectorProperty.PropertyFactoryCor("texto.gradiente.startcor", "setGradienteStartColor", getGradienteStartColor()));
res.add(InspectorProperty.PropertyFactoryCor("texto.gradiente.endcor", "setGradienteEndColor", getGradienteEndColor()));
res.add(InspectorProperty.PropertyFactoryMenu("texto.gradiente.direcao", "setGDirecao", getGDirecao(), Editor.fromConfiguracao.getLstDirecao(Controler.Comandos.cmdTexto)));
// ArrayList<String> ngrp = new ArrayList<>(Arrays.asList(grupo));
// ngrp.add("setGradiente");
// ngrp.add("setBackColor");
// ngrp.add("setGDirecao");
//}
ArrayList<FormaElementar> overme = WhoIsOverMe();
res.add(InspectorProperty.PropertyFactorySeparador("formaarea.overme"));
res.add(InspectorProperty.PropertyFactorySN("formaarea.movesubs", "setMoverSubs", isMoverSubs()));
res.add(InspectorProperty.PropertyFactorySN("formaarea.autocapture", "setAutoCapture", isAutoCapture()));
res.add(InspectorProperty.PropertyFactoryCommand(nomeComandos.cmdDoAnyThing.name(), "formaarea.capture").setTag(99));
res.add(InspectorProperty.PropertyFactoryCommand(nomeComandos.cmdDoAnyThing.name(), "formaarea.uncapture").setTag(-99));
res.add(InspectorProperty.PropertyFactoryApenasLeituraTexto("formaarea.capturados", String.valueOf(overme.size())));
if (!overme.isEmpty()) {
res.add(InspectorProperty.PropertyFactorySeparador("formaarea.capturados", true));
overme.stream().filter((dime) -> (dime instanceof Forma)).map((dime) -> (Forma) dime).forEach((f) -> {
res.add(InspectorProperty.PropertyFactoryActionSelect(Editor.fromConfiguracao.getValor("diagrama." + Editor.getClassTexto(f) + ".nome"),
f.getTexto(),
String.valueOf(((FormaElementar) f.getPrincipal()).getID())));
});
}
res.add(InspectorProperty.PropertyFactorySeparador("formaarea.area", true));
res.add(InspectorProperty.PropertyFactoryTexto("formaarea.area.default", "setAreaDefault", getAreaDefault()));
res.add(InspectorProperty.PropertyFactoryCommand(nomeComandos.cmdAdicionarSubItem.name()).setTag(-1));
int i = 0;
for (DimensionadorArea dime : getRegioes()) {
res.add(InspectorProperty.PropertyFactorySeparador("formaarea.area", true));
res.add(InspectorProperty.PropertyFactoryTexto("formaarea.area", "SetDimensaoTexto", dime.getTexto()).setTag(i));
res.add(InspectorProperty.PropertyFactoryNumero("formaarea.largura", "SetDimensaoLargura", dime.getLargura()).setTag(i));
res.add(InspectorProperty.PropertyFactoryCommand(nomeComandos.cmdExcluirSubItem.name()).setTag(i));
i++;
}
return super.CompleteGenerateProperty(GP);
}
private boolean autoCapture = true;
public boolean isAutoCapture() {
return autoCapture;
}
public void setAutoCapture(boolean autoCapture) {
this.autoCapture = autoCapture;
}
@Override
public boolean IsMe(Point p) {
boolean s = super.IsMe(p);
return (s && !(p.y > getTop() + (2 * alturaTexto) - 1));
}
@Override
public void DoPontoCor(boolean verde) {
super.DoPontoCor(verde);
Color cor = verde ? getMaster().getPontoCorMultSel() : getMaster().getPontoCor();
getRegioes().forEach((dim) -> {
dim.setBackColor(cor);
});
}
@Override
public void HidePontos(boolean esconde) {
super.HidePontos(esconde); //To change body of generated methods, choose Tools | Templates.
getRegioes().forEach((dim) -> {
dim.setIsHide(esconde);
});
}
@Override
public void Reposicione() {
super.Reposicione(); //To change body of generated methods, choose Tools | Templates.
RePosicioneRegioes();
}
private String NomeieDimensoes() {
String txt = Editor.fromConfiguracao.getValor("Inspector.obj.formaarea.area");
int res = 1;
ArrayList<String> txts = new ArrayList<>();
txts.add(areaDefault);
getRegioes().forEach((el) -> {
txts.add(el.getTexto());
});
while (txts.indexOf(txt + "_" + res) != -1) {
res++;
}
return txt + "_" + res;
}
@Override
public void ExcluirSubItem(int idx) {
super.ExcluirSubItem(idx);
try {
Remova(getRegioes().get(idx));
} catch (Exception e) {
util.BrLogger.Logger("MSG-EXCLUIR_SUBITEM", e.getMessage());
}
}
@Override
public void AdicionarSubItem(int idx) {
//super.AdicionarSubItem(idx);
AddRegiao(Math.max(getWidth() / (getRegioes().size() + 2), 20));
}
private boolean moverSubs = true;
public boolean isMoverSubs() {
return moverSubs;
}
public void setMoverSubs(boolean moverSubs) {
this.moverSubs = moverSubs;
}
@Override
public void DoMove(int movX, int movY) {
if (!isMoverSubs()) {
super.DoMove(movX, movY);
return;
}
ArrayList<FormaElementar> overme = WhoIsOverMe();
overme.stream().filter((el) -> (!el.isSelecionado() && el.isVisible() && IsThatOverAndCanMove(el))).forEach((el) -> {
el.DoMove(movX, movY);
});
// for (FormaElementar el : overme) {
// if (!el.isSelecionado() && el.isVisible() && IsThatOverAndCanMove(el)) {
// el.DoMove(movX, movY);
// }
// }
overme.stream().filter((item) -> (!item.Reenquadre())).forEach((item) -> {
item.Reposicione();
});
super.DoMove(movX, movY);
}
/**
* O Artefato está sobre ou abaixo deste FormaArea? Ele pode ser movimentável?
*
* @param el
* @return
*/
public boolean IsThatOverAndCanMove(FormaElementar el) {
Point r = el.getLocation();
Point lr = getLocation();
return (r.x > lr.x && r.y > lr.y && el.getLeftWidth() < getLeftWidth() && el.getTopHeight() < getTopHeight());
}
/**
* O Artefato está sobre ou abaixo deste FormaArea? Ele pode ser capturado para futuro movimento?
*
* @param el
* @return
*/
public boolean IsThatOverAndCanCapture(FormaElementar el) {
Point r = el.getLocation();
Point lr = getLocation();
return (r.x > lr.x && r.y > lr.y && el.getLeftWidth() < getLeftWidth() && el.getTopHeight() < getTopHeight() && !(el instanceof SuperLinha));
}
public void comandoCaptureOverMe() {
comandoUnCapture();
getMaster().getListaDeItens().stream().filter((el) -> (el != this && el.isVisible() && IsThatOverAndCanCapture(el))).forEach((el) -> {
Capture(el);
});
}
public void comandoUnCapture() {
ArrayList<FormaElementar> overme = WhoIsOverMe();
overme.forEach((el) -> {
PerformLigacao(el, false);
});
}
private void Capture(FormaElementar el) {
if (el.getListeners() != null) {
int i = 0;
while (i < el.getListeners().size()) {
ElementarListener lig = el.getListeners().get(i);
if (lig instanceof FormaArea) {
FormaArea tmp = (FormaArea) lig;
el.PerformLigacao(tmp, false);
} else {
i++;
}
}
}
PerformLigacao(el, true);
}
public void TestAndCapture(FormaElementar el) {
if (!IsThatOverAndCanCapture(el)) {
return;
}
PerformLigacao(el, false);
if (el.getListeners() != null) {
int i = 0;
while (i < el.getListeners().size()) {
ElementarListener lig = el.getListeners().get(i);
if (lig instanceof FormaArea) {
FormaArea tmp = (FormaArea) lig;
el.PerformLigacao(tmp, false);
} else {
i++;
}
}
}
PerformLigacao(el, true);
}
@Override
public void DoAnyThing(int Tag) {
super.DoAnyThing(Tag);
if (Tag == 99) {
comandoCaptureOverMe();
} else {
if (Tag == -99) {
comandoUnCapture();
}
}
}
private ArrayList<FormaElementar> WhoIsOverMe() {
ArrayList<FormaElementar> overme = new ArrayList<>();
if (getListeners() != null) {
for (int i = 0; i < getListeners().size(); i++) {
ElementarListener lig = getListeners().get(i);
if (lig instanceof FormaElementar) {
overme.add((FormaElementar) lig);
}
}
}
return overme;
}
@Override
public boolean CommitXML(Element me, HashMap<Element, FormaElementar> mapa) {
UnSerializeListener(me, mapa);
return super.CommitXML(me, mapa); //To change body of generated methods, choose Tools | Templates.
}
}
| chcandido/brModelo | src/desenho/formas/FormaArea.java | 7,277 | // GradientPaint GP = new GradientPaint(getLeft(), getTop(), Color.LIGHT_GRAY, dv ? getLeft() : getLeft() + W, dv ? getTop() + H : getTop(), Color.white, true); | line_comment | nl | /*
* To change this license header, choose License Headers in Project Properties.
* To change this template file, choose Tools | Templates
* and open the template in the editor.
*/
package desenho.formas;
import controlador.Controler;
import controlador.Diagrama;
import controlador.Editor;
import controlador.inspector.InspectorProperty;
import desenho.ElementarListener;
import desenho.FormaElementar;
import desenho.linhas.SuperLinha;
import java.awt.AlphaComposite;
import java.awt.BasicStroke;
import java.awt.Color;
import java.awt.Composite;
import java.awt.Cursor;
import java.awt.GradientPaint;
import java.awt.Graphics2D;
import java.awt.Paint;
import java.awt.Point;
import java.awt.Rectangle;
import java.awt.Stroke;
import java.awt.event.MouseEvent;
import java.util.ArrayList;
import java.util.HashMap;
import org.w3c.dom.Document;
import org.w3c.dom.Element;
import org.w3c.dom.Node;
import org.w3c.dom.NodeList;
import util.DesenhadorDeTexto;
/**
*
* @author ccandido
*/
public class FormaArea extends Forma {
private static final long serialVersionUID = 4366780837704194852L;
public FormaArea(Diagrama modelo) {
super(modelo);
areaDefault = Editor.fromConfiguracao.getValor("Inspector.obj.formaarea.area.default");
//setForeColor(new Color(204,204, 255));
}
public FormaArea(Diagrama modelo, String texto) {
super(modelo, texto);
areaDefault = Editor.fromConfiguracao.getValor("Inspector.obj.formaarea.area.default");
//setForeColor(new Color(204,204, 255));
}
public int getLocalDaLinha(DimensionadorArea aThis) {
int res = getLeft();
for (DimensionadorArea fr : getRegioes()) {
res += fr.getLargura();
if (fr == aThis) {
return res;
}
res += fr.getWidth();
}
return res;
}
private ArrayList<DimensionadorArea> regioes = new ArrayList<>();
public ArrayList<DimensionadorArea> getRegioes() {
return regioes;
}
public void AddRegiao(int largura) {
DimensionadorArea nr = new DimensionadorArea(this);
nr.setLargura(largura);
getRegioes().add(nr);
RePosicioneRegioes();
nr.setTexto(NomeieDimensoes());
DoMuda();
InvalidateArea();
}
public DimensionadorArea AddRegiao() {
DimensionadorArea nr = new DimensionadorArea(this);
getRegioes().add(nr);
return nr;
}
public void Remova(DimensionadorArea regiao) {
getRegioes().remove(regiao);
RemoveSubItem(regiao);
getMaster().setCursor(new Cursor(Cursor.DEFAULT_CURSOR));
RePosicioneRegioes();
DoMuda();
InvalidateArea();
}
@Override
public void mouseDblClicked(MouseEvent e) {
AdicionarSubItem(-1);
}
private transient int alturaTexto = 20;
public int getAlturaTexto() {
return alturaTexto;
}
@Override
public void DoPaint(Graphics2D g) {
g.setFont(getFont());
int larg = getMaster().getPontoWidth();
alturaTexto = g.getFontMetrics().getHeight();
alturaTexto += alturaTexto / 2;
int top = getTop() + alturaTexto;
//int newTop = getTextoFormatado().getMaxHeigth();
int lastlarg = distSelecao + getLeft();
PaintGradiente(g);
boolean excesso = false;
for (DimensionadorArea regiao : getRegioes()) {
int x = getLocalDaLinha(regiao);
if ((x < getLeftWidth() - distSelecao) && (x > getLeft())) {
x += larg / 2;
Stroke bkps = g.getStroke();
if (isDashed()) {
g.setStroke(new BasicStroke(1, BasicStroke.CAP_BUTT, BasicStroke.JOIN_BEVEL, 0, new float[]{1, 2}, 0));
}
g.setColor(getForeColor());
g.drawLine(x, top + 1, x, getTopHeight() - 2);
if (isDashed()) {
g.setStroke(bkps);
}
DesenhadorDeTexto dz = new DesenhadorDeTexto(regiao.getTexto(), getFont(), true);
dz.LimitarAreaDePintura = true;
dz.PinteTexto(g, getForeColor(),
new Rectangle(x - regiao.getLargura(), top + 1, regiao.getLargura(), alturaTexto - distSelecao),
regiao.getTexto());
lastlarg = x;
} else {
excesso = true;
break;
}
}
DesenhadorDeTexto dz = new DesenhadorDeTexto(excesso? "... " + areaDefault: areaDefault, getFont(), true);
dz.LimitarAreaDePintura = true;
dz.PinteTexto(g, getForeColor(),
new Rectangle(lastlarg, top + 1, getLeftWidth() - lastlarg, alturaTexto - distSelecao),
excesso? "... " + areaDefault: areaDefault);
Stroke bkps = g.getStroke();
if (isDashed()) {
g.setStroke(new BasicStroke(1, BasicStroke.CAP_BUTT, BasicStroke.JOIN_BEVEL, 0, new float[]{1, 2}, 0));
}
g.drawLine(getLeft(), top - 1 + alturaTexto, getLeftWidth(), top - 1 + alturaTexto);
g.setStroke(bkps);
super.DoPaint(g);
}
protected void PaintGradiente(Graphics2D g) { //, boolean round) {
Paint bkp = g.getPaint();
int dist = distSelecao;
int W = getWidth() - dist;
int H = 2 * alturaTexto - 1 - dist;
boolean dv = getGDirecao() == VERTICAL;
Composite originalComposite = g.getComposite();
int type = AlphaComposite.SRC_OVER;
g.setComposite(AlphaComposite.getInstance(type, alfa));
Stroke bkps = g.getStroke();
if (isDashed()) {
g.setStroke(new BasicStroke(1, BasicStroke.CAP_BUTT, BasicStroke.JOIN_BEVEL, 0, new float[]{1, 2}, 0));
}
// GradientPaint GP<SUF>
// g.setPaint(GP);
int w = getWidth() - dist;
int h = getHeight() - dist;
int L = getLeft();
int T = getTop();
GradientPaint GP = new GradientPaint(L, T, getGradienteStartColor(), dv ? L : L + w, dv ? T + h : T, getGradienteEndColor(), true);
g.setPaint(GP);
g.fillRect(getLeft() + 1, getTop() + 1, W, H);
g.setComposite(originalComposite);
g.setPaint(bkp);
g.setStroke(bkps);
}
//<editor-fold defaultstate="collapsed" desc="Gradiente e Alfa">
public boolean isDashed() {
return dashed;
}
public void setDashed(boolean dasehd) {
if (this.dashed != dasehd) {
this.dashed = dasehd;
DoMuda();
InvalidateArea();
}
}
private boolean dashed = false;
private boolean gradiente = true;
private Color gradienteEndColor = Color.white;
private Color gradienteStartColor = Color.LIGHT_GRAY;
public Color getGradienteStartColor() {
return isDisablePainted()? disabledColor : gradienteStartColor;
}
public void setGradienteStartColor(Color gradienteStartColor) {
this.gradienteStartColor = gradienteStartColor;
InvalidateArea();
}
public boolean isGradiente() {
return gradiente;
}
public void setGradiente(boolean gradiente) {
this.gradiente = gradiente;
InvalidateArea();
}
public Color getGradienteEndColor() {
return isDisablePainted()? disabledColor : gradienteEndColor;
}
public void setGradienteEndColor(Color gradienteEndColor) {
this.gradienteEndColor = gradienteEndColor;
InvalidateArea();
}
public static final int VERTICAL = 0;
public static final int HORIZONTAL = 1;
private int gdirecao = HORIZONTAL;
private float alfa = 0.4f;
public float getAlfa() {
return alfa;
}
public void setAlfa(float alfa) {
this.alfa = alfa;
}
public void SetAlfa(int alfa) {
this.alfa = (float) alfa / 100;
if (this.alfa > 1) {
this.alfa = 0.5f;
}
InvalidateArea();
}
public int getGDirecao() {
return gdirecao;
}
public void setGDirecao(int aDirection) {
gdirecao = aDirection;
InvalidateArea();
}
//</editor-fold>
@Override
public void reSetBounds() {
super.reSetBounds();
RePosicioneRegioes();
}
public void RePosicioneRegioes() {
HideDimensionador(true);
}
/**
* A região está dentro da área do componente.
*
* @param regiao
* @return
*/
public boolean EmAreaVisivel(DimensionadorArea regiao) {
return ((regiao.getLeft() < getLeftWidth() - distSelecao) && (regiao.getLeft() > getLeft()));
}
public void HideDimensionador(boolean mostar) {
for(DimensionadorArea regiao: getRegioes()) {
if (mostar) {
regiao.Posicione();
if (EmAreaVisivel(regiao)) {
regiao.setVisible(mostar);
} else {
regiao.setVisible(false);
}
} else {
regiao.setVisible(mostar);
}
}
}
@Override
public void setSelecionado(boolean selecionado) {
super.setSelecionado(selecionado);
HideDimensionador(isSelecionado());
}
@Override
public DesenhadorDeTexto getTextoFormatado() {
DesenhadorDeTexto dz = super.getTextoFormatado(); //To change body of generated methods, choose Tools | Templates.
dz.setCentrarTextoVertical(false);
dz.LimitarAreaDePintura = true;
dz.CorretorPosicao = new Point(0, 3 * distSelecao);
return dz;
}
private transient double z = 0.0;
@Override
public void PinteTexto(Graphics2D g) {
//no caso de mudança no zoom, um novo TextoFormatado deve ser criado.
if (getMaster().getZoom() != z) {
setTextoFormatado(null);
z = getMaster().getZoom();
}
Rectangle r = getArea();
r = new Rectangle(r.x, r.y, r.width, alturaTexto);
getTextoFormatado().PinteTexto(g, getForeColor(), r, getTexto());
}
private String areaDefault = "";
public String getAreaDefault() {
return areaDefault;
}
public void setAreaDefault(String areaDefault) {
this.areaDefault = areaDefault;
InvalidateArea();
}
@Override
public ArrayList<InspectorProperty> GenerateProperty() {
ArrayList<InspectorProperty> res = super.GenerateProperty();
// res.add(InspectorProperty.PropertyFactoryTexto("formaarea.area.default", "setAreaDefault", getAreaDefault()));
// res.add(InspectorProperty.PropertyFactoryCommand(nomeComandos.cmdAdicionarSubItem.name()).setTag(-1));
//
// int i = 0;
// for (DimensionadorArea dime : getRegioes()) {
// res.add(InspectorProperty.PropertyFactorySeparador("formaarea.area"));
// res.add(InspectorProperty.PropertyFactoryTexto("formaarea.area", "SetDimensaoTexto", dime.getTexto()).setTag(i));
// res.add(InspectorProperty.PropertyFactoryNumero("formaarea.largura", "SetDimensaoLargura", dime.getLargura()).setTag(i));
// res.add(InspectorProperty.PropertyFactoryCommand(nomeComandos.cmdExcluirSubItem.name()).setTag(i));
// i++;
// }
//
// ArrayList<FormaElementar> overme = WhoIsOverMe();
// res.add(InspectorProperty.PropertyFactorySeparador("formaarea.overme"));
// res.add(InspectorProperty.PropertyFactorySN("formaarea.movesubs", "setMoverSubs", isMoverSubs()));
// res.add(InspectorProperty.PropertyFactoryCommand(nomeComandos.cmdDoAnyThing.name(), "formaarea.capture").setTag(99));
// res.add(InspectorProperty.PropertyFactoryCommand(nomeComandos.cmdDoAnyThing.name(), "formaarea.uncapture").setTag(-99));
// res.add(InspectorProperty.PropertyFactoryApenasLeituraTexto("formaarea.capturados", String.valueOf(overme.size())));
//
// if (!overme.isEmpty()) {
// res.add(InspectorProperty.PropertyFactorySeparador("formaarea.capturados"));
//
// overme.stream().filter((dime) -> (dime instanceof Forma)).map((dime) -> (Forma) dime).forEach((f) -> {
// res.add(InspectorProperty.PropertyFactoryActionSelect(Editor.fromConfiguracao.getValor("diagrama." + Editor.getClassTexto(f) + ".nome"),
// f.getTexto(),
// String.valueOf(((FormaElementar) f.getPrincipal()).getID())));
// });
// }
return res;
}
public void SetDimensaoTexto(String txt) {
if (getMaster().getEditor().getInspectorEditor().getSelecionado() == null) {
return;
}
int tag = getMaster().getEditor().getInspectorEditor().getSelecionado().getTag();
DimensionadorArea dime = getRegioes().get(tag);
dime.setTexto(txt);
InvalidateArea();
}
public void SetDimensaoLargura(int larg) {
if (getMaster().getEditor().getInspectorEditor().getSelecionado() == null) {
return;
}
int tag = getMaster().getEditor().getInspectorEditor().getSelecionado().getTag();
DimensionadorArea dime = getRegioes().get(tag);
dime.setLargura(larg);
RePosicioneRegioes();
InvalidateArea();
}
@Override
protected void ToXmlValores(Document doc, Element me) {
super.ToXmlValores(doc, me);
me.appendChild(util.XMLGenerate.ValorBoolean(doc, "MoverSubs", isMoverSubs()));
me.appendChild(util.XMLGenerate.ValorBoolean(doc, "autoCapture", isAutoCapture()));
me.appendChild(util.XMLGenerate.ValorString(doc, "areaDefault", getAreaDefault()));
Element dime = doc.createElement("Dimensoes");
getRegioes().forEach(c -> {
c.ToXmlValores(doc, dime);
});
me.appendChild(dime);
SerializeListener(doc, me);
me.appendChild(util.XMLGenerate.ValorBoolean(doc, "Dashed", isDashed()));
//me.appendChild(util.XMLGenerate.ValorBoolean(doc, "Gradiente", isGradiente()));
me.appendChild(util.XMLGenerate.ValorColor(doc, "GradienteStartColor", getGradienteStartColor()));
me.appendChild(util.XMLGenerate.ValorColor(doc, "GradienteEndColor", getGradienteEndColor()));
me.appendChild(util.XMLGenerate.ValorInteger(doc, "GDirecao", getGDirecao()));
me.appendChild(util.XMLGenerate.ValorInteger(doc, "Alfa", (int) (100 * getAlfa())));
}
@Override
public boolean LoadFromXML(Element me, boolean colando) {
if (!super.LoadFromXML(me, colando)) {
return false;
}
setAreaDefault(util.XMLGenerate.getValorStringFrom(me, "areaDefault"));
setMoverSubs(util.XMLGenerate.getValorBooleanFrom(me, "MoverSubs"));
setAutoCapture(util.XMLGenerate.getValorBooleanFrom(me, "autoCapture"));
NodeList ptLst = me.getElementsByTagName("Dimensoes");
Element pontos = (Element) ptLst.item(0);
ptLst = pontos.getChildNodes();
for (int i = 0; i < ptLst.getLength(); i++) {
Node tmp = ptLst.item(i);
if (tmp.getNodeType() == Node.ELEMENT_NODE) {
DimensionadorArea c = AddRegiao();
c.LoadFromXML((Element) ptLst.item(i), colando);
}
}
setDashed(util.XMLGenerate.getValorBooleanFrom(me, "Dashed"));
//setGradiente(util.XMLGenerate.getValorBooleanFrom(me, "Gradiente"));
Color c = util.XMLGenerate.getValorColorFrom(me, "GradienteStartColor");
if (c != null) {
setGradienteStartColor(c);
}
c = util.XMLGenerate.getValorColorFrom(me, "GradienteEndColor");
if (c != null) {
setGradienteEndColor(c);
}
int l = util.XMLGenerate.getValorIntegerFrom(me, "GDirecao");
if (l != -1) {
setGDirecao(l);
}
l = util.XMLGenerate.getValorIntegerFrom(me, "Alfa");
if (l != -1) {
SetAlfa(l);
}
return true;
}
@Override
public ArrayList<InspectorProperty> CompleteGenerateProperty(ArrayList<InspectorProperty> GP) {
//if (getTipoDesenho() != TipoDraw.tpTexto) {
ArrayList<InspectorProperty> res = GP;
res.add(InspectorProperty.PropertyFactorySeparador("texto.gradiente"));
GP.add(InspectorProperty.PropertyFactorySN("linha.dashed", "setDashed", isDashed()));
GP.add(InspectorProperty.PropertyFactoryNumero("diagrama.detalhe.alfa", "SetAlfa", (int) (100 * getAlfa())));
//String[] grupo = new String[]{"setGradienteStartColor", "setGradienteEndColor", "setGDirecao"
//};
//res.add(InspectorProperty.PropertyFactorySN("texto.gradiente.is", "setGradiente", isGradiente()).AddCondicaoForFalse(new String[]{"setBackColor"}).AddCondicaoForTrue(grupo));
res.add(InspectorProperty.PropertyFactoryCor("texto.gradiente.startcor", "setGradienteStartColor", getGradienteStartColor()));
res.add(InspectorProperty.PropertyFactoryCor("texto.gradiente.endcor", "setGradienteEndColor", getGradienteEndColor()));
res.add(InspectorProperty.PropertyFactoryMenu("texto.gradiente.direcao", "setGDirecao", getGDirecao(), Editor.fromConfiguracao.getLstDirecao(Controler.Comandos.cmdTexto)));
// ArrayList<String> ngrp = new ArrayList<>(Arrays.asList(grupo));
// ngrp.add("setGradiente");
// ngrp.add("setBackColor");
// ngrp.add("setGDirecao");
//}
ArrayList<FormaElementar> overme = WhoIsOverMe();
res.add(InspectorProperty.PropertyFactorySeparador("formaarea.overme"));
res.add(InspectorProperty.PropertyFactorySN("formaarea.movesubs", "setMoverSubs", isMoverSubs()));
res.add(InspectorProperty.PropertyFactorySN("formaarea.autocapture", "setAutoCapture", isAutoCapture()));
res.add(InspectorProperty.PropertyFactoryCommand(nomeComandos.cmdDoAnyThing.name(), "formaarea.capture").setTag(99));
res.add(InspectorProperty.PropertyFactoryCommand(nomeComandos.cmdDoAnyThing.name(), "formaarea.uncapture").setTag(-99));
res.add(InspectorProperty.PropertyFactoryApenasLeituraTexto("formaarea.capturados", String.valueOf(overme.size())));
if (!overme.isEmpty()) {
res.add(InspectorProperty.PropertyFactorySeparador("formaarea.capturados", true));
overme.stream().filter((dime) -> (dime instanceof Forma)).map((dime) -> (Forma) dime).forEach((f) -> {
res.add(InspectorProperty.PropertyFactoryActionSelect(Editor.fromConfiguracao.getValor("diagrama." + Editor.getClassTexto(f) + ".nome"),
f.getTexto(),
String.valueOf(((FormaElementar) f.getPrincipal()).getID())));
});
}
res.add(InspectorProperty.PropertyFactorySeparador("formaarea.area", true));
res.add(InspectorProperty.PropertyFactoryTexto("formaarea.area.default", "setAreaDefault", getAreaDefault()));
res.add(InspectorProperty.PropertyFactoryCommand(nomeComandos.cmdAdicionarSubItem.name()).setTag(-1));
int i = 0;
for (DimensionadorArea dime : getRegioes()) {
res.add(InspectorProperty.PropertyFactorySeparador("formaarea.area", true));
res.add(InspectorProperty.PropertyFactoryTexto("formaarea.area", "SetDimensaoTexto", dime.getTexto()).setTag(i));
res.add(InspectorProperty.PropertyFactoryNumero("formaarea.largura", "SetDimensaoLargura", dime.getLargura()).setTag(i));
res.add(InspectorProperty.PropertyFactoryCommand(nomeComandos.cmdExcluirSubItem.name()).setTag(i));
i++;
}
return super.CompleteGenerateProperty(GP);
}
private boolean autoCapture = true;
public boolean isAutoCapture() {
return autoCapture;
}
public void setAutoCapture(boolean autoCapture) {
this.autoCapture = autoCapture;
}
@Override
public boolean IsMe(Point p) {
boolean s = super.IsMe(p);
return (s && !(p.y > getTop() + (2 * alturaTexto) - 1));
}
@Override
public void DoPontoCor(boolean verde) {
super.DoPontoCor(verde);
Color cor = verde ? getMaster().getPontoCorMultSel() : getMaster().getPontoCor();
getRegioes().forEach((dim) -> {
dim.setBackColor(cor);
});
}
@Override
public void HidePontos(boolean esconde) {
super.HidePontos(esconde); //To change body of generated methods, choose Tools | Templates.
getRegioes().forEach((dim) -> {
dim.setIsHide(esconde);
});
}
@Override
public void Reposicione() {
super.Reposicione(); //To change body of generated methods, choose Tools | Templates.
RePosicioneRegioes();
}
private String NomeieDimensoes() {
String txt = Editor.fromConfiguracao.getValor("Inspector.obj.formaarea.area");
int res = 1;
ArrayList<String> txts = new ArrayList<>();
txts.add(areaDefault);
getRegioes().forEach((el) -> {
txts.add(el.getTexto());
});
while (txts.indexOf(txt + "_" + res) != -1) {
res++;
}
return txt + "_" + res;
}
@Override
public void ExcluirSubItem(int idx) {
super.ExcluirSubItem(idx);
try {
Remova(getRegioes().get(idx));
} catch (Exception e) {
util.BrLogger.Logger("MSG-EXCLUIR_SUBITEM", e.getMessage());
}
}
@Override
public void AdicionarSubItem(int idx) {
//super.AdicionarSubItem(idx);
AddRegiao(Math.max(getWidth() / (getRegioes().size() + 2), 20));
}
private boolean moverSubs = true;
public boolean isMoverSubs() {
return moverSubs;
}
public void setMoverSubs(boolean moverSubs) {
this.moverSubs = moverSubs;
}
@Override
public void DoMove(int movX, int movY) {
if (!isMoverSubs()) {
super.DoMove(movX, movY);
return;
}
ArrayList<FormaElementar> overme = WhoIsOverMe();
overme.stream().filter((el) -> (!el.isSelecionado() && el.isVisible() && IsThatOverAndCanMove(el))).forEach((el) -> {
el.DoMove(movX, movY);
});
// for (FormaElementar el : overme) {
// if (!el.isSelecionado() && el.isVisible() && IsThatOverAndCanMove(el)) {
// el.DoMove(movX, movY);
// }
// }
overme.stream().filter((item) -> (!item.Reenquadre())).forEach((item) -> {
item.Reposicione();
});
super.DoMove(movX, movY);
}
/**
* O Artefato está sobre ou abaixo deste FormaArea? Ele pode ser movimentável?
*
* @param el
* @return
*/
public boolean IsThatOverAndCanMove(FormaElementar el) {
Point r = el.getLocation();
Point lr = getLocation();
return (r.x > lr.x && r.y > lr.y && el.getLeftWidth() < getLeftWidth() && el.getTopHeight() < getTopHeight());
}
/**
* O Artefato está sobre ou abaixo deste FormaArea? Ele pode ser capturado para futuro movimento?
*
* @param el
* @return
*/
public boolean IsThatOverAndCanCapture(FormaElementar el) {
Point r = el.getLocation();
Point lr = getLocation();
return (r.x > lr.x && r.y > lr.y && el.getLeftWidth() < getLeftWidth() && el.getTopHeight() < getTopHeight() && !(el instanceof SuperLinha));
}
public void comandoCaptureOverMe() {
comandoUnCapture();
getMaster().getListaDeItens().stream().filter((el) -> (el != this && el.isVisible() && IsThatOverAndCanCapture(el))).forEach((el) -> {
Capture(el);
});
}
public void comandoUnCapture() {
ArrayList<FormaElementar> overme = WhoIsOverMe();
overme.forEach((el) -> {
PerformLigacao(el, false);
});
}
private void Capture(FormaElementar el) {
if (el.getListeners() != null) {
int i = 0;
while (i < el.getListeners().size()) {
ElementarListener lig = el.getListeners().get(i);
if (lig instanceof FormaArea) {
FormaArea tmp = (FormaArea) lig;
el.PerformLigacao(tmp, false);
} else {
i++;
}
}
}
PerformLigacao(el, true);
}
public void TestAndCapture(FormaElementar el) {
if (!IsThatOverAndCanCapture(el)) {
return;
}
PerformLigacao(el, false);
if (el.getListeners() != null) {
int i = 0;
while (i < el.getListeners().size()) {
ElementarListener lig = el.getListeners().get(i);
if (lig instanceof FormaArea) {
FormaArea tmp = (FormaArea) lig;
el.PerformLigacao(tmp, false);
} else {
i++;
}
}
}
PerformLigacao(el, true);
}
@Override
public void DoAnyThing(int Tag) {
super.DoAnyThing(Tag);
if (Tag == 99) {
comandoCaptureOverMe();
} else {
if (Tag == -99) {
comandoUnCapture();
}
}
}
private ArrayList<FormaElementar> WhoIsOverMe() {
ArrayList<FormaElementar> overme = new ArrayList<>();
if (getListeners() != null) {
for (int i = 0; i < getListeners().size(); i++) {
ElementarListener lig = getListeners().get(i);
if (lig instanceof FormaElementar) {
overme.add((FormaElementar) lig);
}
}
}
return overme;
}
@Override
public boolean CommitXML(Element me, HashMap<Element, FormaElementar> mapa) {
UnSerializeListener(me, mapa);
return super.CommitXML(me, mapa); //To change body of generated methods, choose Tools | Templates.
}
}
|
1817_12 | package org.jcodec.containers.flv;
import org.jcodec.common.AudioFormat;
import org.jcodec.common.Codec;
import org.jcodec.common.io.NIOUtils;
import org.jcodec.common.io.SeekableByteChannel;
import org.jcodec.common.logging.Logger;
import org.jcodec.common.tools.MathUtil;
import org.jcodec.containers.flv.FLVTag.AacAudioTagHeader;
import org.jcodec.containers.flv.FLVTag.AudioTagHeader;
import org.jcodec.containers.flv.FLVTag.AvcVideoTagHeader;
import org.jcodec.containers.flv.FLVTag.TagHeader;
import org.jcodec.containers.flv.FLVTag.Type;
import org.jcodec.containers.flv.FLVTag.VideoTagHeader;
import org.jcodec.platform.Platform;
import java.io.IOException;
import java.lang.System;
import java.nio.ByteBuffer;
import java.nio.ByteOrder;
import java.nio.channels.ReadableByteChannel;
import java.util.Date;
import java.util.HashMap;
import java.util.Map;
/**
* This class is part of JCodec ( www.jcodec.org ) This software is distributed
* under FreeBSD License
*
* FLV ( Flash Media Video ) demuxer
*
* @author Stan Vitvitskyy
*
*/
public class FLVReader {
private static final int REPOSITION_BUFFER_READS = 10;
private static final int TAG_HEADER_SIZE = 15;
// Read buffer, 1M
private static final int READ_BUFFER_SIZE = 1 << 10;
private int frameNo;
private ByteBuffer readBuf;
private SeekableByteChannel ch;
private boolean eof;
private static boolean platformBigEndian = ByteBuffer.allocate(0).order() == ByteOrder.BIG_ENDIAN;
public static Codec[] audioCodecMapping = new Codec[] { Codec.PCM, Codec.ADPCM, Codec.MP3, Codec.PCM,
Codec.NELLYMOSER, Codec.NELLYMOSER, Codec.NELLYMOSER, Codec.G711, Codec.G711, null, Codec.AAC, Codec.SPEEX,
Codec.MP3, null };
public static Codec[] videoCodecMapping = new Codec[] { null, null, Codec.SORENSON, Codec.FLASH_SCREEN_VIDEO,
Codec.VP6, Codec.VP6, Codec.FLASH_SCREEN_V2, Codec.H264 };
public static int[] sampleRates = new int[] { 5500, 11000, 22000, 44100 };
public FLVReader(SeekableByteChannel ch) throws IOException {
this.ch = ch;
readBuf = ByteBuffer.allocate(READ_BUFFER_SIZE);
readBuf.order(ByteOrder.BIG_ENDIAN);
initialRead(ch);
if (!readHeader(readBuf)) {
// This file doesn't have an FLV header, maybe it's a portion of an
// FLV file and we can position at the tag start?
readBuf.position(0);
if (!repositionFile())
throw new RuntimeException("Invalid FLV file");
else {
Logger.warn(String.format("Parsing a corrupt FLV file, first tag found at %d. %s", readBuf.position(),
readBuf.position() == 0 ? "Did you forget the FLV 9-byte header?" : ""));
}
}
}
private void initialRead(ReadableByteChannel ch) throws IOException {
readBuf.clear();
if (ch.read(readBuf) == -1)
eof = true;
readBuf.flip();
}
public FLVTag readNextPacket() throws IOException {
if (eof)
return null;
FLVTag pkt = parsePacket(readBuf);
// No more pakets fit into the buffer, reading more data
if (pkt == null && !eof) {
moveRemainderToTheStart(readBuf);
if (ch.read(readBuf) == -1) {
eof = true;
return null;
}
while (MathUtil.log2(readBuf.capacity()) <= 22) {
readBuf.flip();
pkt = parsePacket(readBuf);
if (pkt != null || readBuf.position() > 0)
break;
// The buffer is too small, getting a bigger one
ByteBuffer newBuf = ByteBuffer.allocate(readBuf.capacity() << 2);
newBuf.put(readBuf);
readBuf = newBuf;
if (ch.read(readBuf) == -1) {
eof = true;
return null;
}
}
}
return pkt;
}
public FLVTag readPrevPacket() throws IOException {
int startOfLastPacket = readBuf.getInt();
readBuf.position(readBuf.position() - 4);
if (readBuf.position() > startOfLastPacket) {
// The previous frame is still in the buffer, so no need to fetch
readBuf.position(readBuf.position() - startOfLastPacket);
return parsePacket(readBuf);
} else {
// Now we need to fetch the new buffer, because we are unsure of the
// access pattern we are going to fetch only half of the buffer from
// the left side and the other half from the right side of the
// current position
long oldPos = ch.position() - readBuf.remaining();
if (oldPos <= 9) {
// We are at the first frame, there's nowhere to seek
return null;
}
long newPos = Math.max(0, oldPos - readBuf.capacity() / 2);
ch.setPosition(newPos);
readBuf.clear();
ch.read(readBuf);
readBuf.flip();
readBuf.position((int) (oldPos - newPos));
return readPrevPacket();
}
}
private static void moveRemainderToTheStart(ByteBuffer readBuf) {
int rem = readBuf.remaining();
for (int i = 0; i < rem; i++) {
readBuf.put(i, readBuf.get());
}
readBuf.clear();
readBuf.position(rem);
}
public FLVTag parsePacket(ByteBuffer readBuf) throws IOException {
for (;;) {
if (readBuf.remaining() < TAG_HEADER_SIZE) {
return null;
}
int pos = readBuf.position();
long packetPos = ch.position() - readBuf.remaining();
int prevPacketSize = readBuf.getInt();
int packetType = readBuf.get() & 0xff;
int payloadSize = ((readBuf.getShort() & 0xffff) << 8) | (readBuf.get() & 0xff);
int timestamp = ((readBuf.getShort() & 0xffff) << 8) | (readBuf.get() & 0xff)
| ((readBuf.get() & 0xff) << 24);
int streamId = ((readBuf.getShort() & 0xffff) << 8) | (readBuf.get() & 0xff);
// Sanity check and reposition
if (readBuf.remaining() >= payloadSize + 4) {
int thisPacketSize = readBuf.getInt(readBuf.position() + payloadSize);
if (thisPacketSize != payloadSize + 11) {
readBuf.position(readBuf.position() - TAG_HEADER_SIZE);
if (!repositionFile()) {
Logger.error(String.format("Corrupt FLV stream at %d, failed to reposition!", packetPos));
ch.setPosition(ch.size());
eof = true;
return null;
}
Logger.warn(String.format("Corrupt FLV stream at %d, repositioned to %d.", packetPos, ch.position()
- readBuf.remaining()));
continue;
}
}
if (readBuf.remaining() < payloadSize) {
readBuf.position(pos);
return null;
}
if (packetType != 0x8 && packetType != 0x9 && packetType != 0x12) {
NIOUtils.skip(readBuf, payloadSize);
continue;
}
ByteBuffer payload = NIOUtils.clone(NIOUtils.read(readBuf, payloadSize));
Type type;
TagHeader tagHeader;
if (packetType == 0x8) {
type = Type.AUDIO;
tagHeader = parseAudioTagHeader(payload.duplicate());
} else if (packetType == 0x9) {
type = Type.VIDEO;
tagHeader = parseVideoTagHeader(payload.duplicate());
} else if (packetType == 0x12) {
type = Type.SCRIPT;
tagHeader = null;
} else {
System.out.println("NON AV packet");
continue;
}
boolean keyFrame = false;
if (tagHeader != null && tagHeader instanceof VideoTagHeader) {
VideoTagHeader vth = (VideoTagHeader) tagHeader;
keyFrame &= vth.getFrameType() == 1;
}
keyFrame &= packetType == 0x8 || packetType == 9;
return new FLVTag(type, packetPos, tagHeader, timestamp, payload, keyFrame, frameNo++, streamId,
prevPacketSize);
}
}
public static boolean readHeader(ByteBuffer readBuf) {
if (readBuf.remaining() < 9 || readBuf.get() != 'F' || readBuf.get() != 'L' || readBuf.get() != 'V'
|| readBuf.get() != 1 || (readBuf.get() & 0x5) == 0 || readBuf.getInt() != 9) {
return false;
}
return true;
}
public static FLVMetadata parseMetadata(ByteBuffer bb) {
if ("onMetaData".equals(readAMFData(bb, -1)))
return new FLVMetadata((Map<String, Object>) readAMFData(bb, -1));
return null;
}
private static Object readAMFData(ByteBuffer input, int type) {
if (type == -1) {
type = input.get() & 0xff;
}
switch (type) {
case 0:
return input.getDouble();
case 1:
return input.get() == 1;
case 2:
return readAMFString(input);
case 3:
return readAMFObject(input);
case 8:
return readAMFEcmaArray(input);
case 10:
return readAMFStrictArray(input);
case 11:
final Date date = new Date((long) input.getDouble());
input.getShort(); // time zone
return date;
case 13:
return "UNDEFINED";
default:
return null;
}
}
private static Object readAMFStrictArray(ByteBuffer input) {
int count = input.getInt();
Object[] result = new Object[count];
for (int i = 0; i < count; i++) {
result[i] = readAMFData(input, -1);
}
return result;
}
private static String readAMFString(ByteBuffer input) {
int size = input.getShort() & 0xffff;
return Platform.stringFromCharset(NIOUtils.toArray(NIOUtils.read(input, size)), Platform.UTF_8);
}
private static Object readAMFObject(ByteBuffer input) {
Map<String, Object> array = new HashMap<String, Object>();
while (true) {
String key = readAMFString(input);
int dataType = input.get() & 0xff;
if (dataType == 9) { // object end marker
break;
}
array.put(key, readAMFData(input, dataType));
}
return array;
}
private static Object readAMFEcmaArray(ByteBuffer input) {
long size = input.getInt();
Map<String, Object> array = new HashMap<String, Object>();
for (int i = 0; i < size; i++) {
String key = readAMFString(input);
int dataType = input.get() & 0xff;
array.put(key, readAMFData(input, dataType));
}
return array;
}
public static VideoTagHeader parseVideoTagHeader(ByteBuffer dup) {
byte b0 = dup.get();
int frameType = (b0 & 0xff) >> 4;
int codecId = (b0 & 0xf);
Codec codec = videoCodecMapping[codecId];
if (codecId == 7) {
byte avcPacketType = dup.get();
int compOffset = (dup.getShort() << 8) | (dup.get() & 0xff);
return new AvcVideoTagHeader(codec, frameType, avcPacketType, compOffset);
}
return new VideoTagHeader(codec, frameType);
}
public static TagHeader parseAudioTagHeader(ByteBuffer dup) {
byte b = dup.get();
int codecId = (b & 0xff) >> 4;
int sampleRate = sampleRates[(b >> 2) & 0x3];
if (codecId == 4 || codecId == 11)
sampleRate = 16000;
if (codecId == 5 || codecId == 14)
sampleRate = 8000;
int sampleSizeInBits = (b & 0x2) == 0 ? 8 : 16;
boolean signed = codecId != 3 && codecId != 0 || sampleSizeInBits == 16;
int channelCount = 1 + (b & 1);
if (codecId == 11)
channelCount = 1;
AudioFormat audioFormat = new AudioFormat(sampleRate, sampleSizeInBits, channelCount, signed,
codecId == 3 ? false : platformBigEndian);
Codec codec = audioCodecMapping[codecId];
if (codecId == 10) {
byte packetType = dup.get();
return new AacAudioTagHeader(codec, audioFormat, packetType);
}
return new AudioTagHeader(codec, audioFormat);
}
public static int probe(ByteBuffer buf) {
try {
readHeader(buf);
return 100;
} catch (RuntimeException e) {
return 0;
}
}
public void reset() throws IOException {
initialRead(ch);
}
public void reposition() throws IOException {
reset();
if (!positionAtPacket(readBuf)) {
throw new RuntimeException("Could not find at FLV tag start");
}
}
public static boolean positionAtPacket(ByteBuffer readBuf) {
// We will be using the fact that <payload size> = <start of last
// packet> - 15
ByteBuffer dup = readBuf.duplicate();
int payloadSize = 0;
NIOUtils.skip(dup, 5);
while (dup.hasRemaining()) {
payloadSize = ((payloadSize & 0xffff) << 8) | (dup.get() & 0xff);
int pointerPos = dup.position() + 7 + payloadSize;
if (dup.position() >= 8 && pointerPos < dup.limit() - 4 && dup.getInt(pointerPos) - payloadSize == 11) {
readBuf.position(dup.position() - 8);
return true;
}
}
return false;
}
/**
* Searching for the next tag in a file after corrupt segment
*
* @return
* @throws IOException
*/
public boolean repositionFile() throws IOException {
int payloadSize = 0;
for (int i = 0; i < REPOSITION_BUFFER_READS; i++) {
while (readBuf.hasRemaining()) {
payloadSize = ((payloadSize & 0xffff) << 8) | (readBuf.get() & 0xff);
int pointerPos = readBuf.position() + 7 + payloadSize;
if (readBuf.position() >= 8 && pointerPos < readBuf.limit() - 4
&& readBuf.getInt(pointerPos) - payloadSize == 11) {
readBuf.position(readBuf.position() - 8);
return true;
}
}
initialRead(ch);
if (!readBuf.hasRemaining())
break;
}
return false;
}
} | jcodec/jcodec | src/main/java/org/jcodec/containers/flv/FLVReader.java | 4,122 | // object end marker | line_comment | nl | package org.jcodec.containers.flv;
import org.jcodec.common.AudioFormat;
import org.jcodec.common.Codec;
import org.jcodec.common.io.NIOUtils;
import org.jcodec.common.io.SeekableByteChannel;
import org.jcodec.common.logging.Logger;
import org.jcodec.common.tools.MathUtil;
import org.jcodec.containers.flv.FLVTag.AacAudioTagHeader;
import org.jcodec.containers.flv.FLVTag.AudioTagHeader;
import org.jcodec.containers.flv.FLVTag.AvcVideoTagHeader;
import org.jcodec.containers.flv.FLVTag.TagHeader;
import org.jcodec.containers.flv.FLVTag.Type;
import org.jcodec.containers.flv.FLVTag.VideoTagHeader;
import org.jcodec.platform.Platform;
import java.io.IOException;
import java.lang.System;
import java.nio.ByteBuffer;
import java.nio.ByteOrder;
import java.nio.channels.ReadableByteChannel;
import java.util.Date;
import java.util.HashMap;
import java.util.Map;
/**
* This class is part of JCodec ( www.jcodec.org ) This software is distributed
* under FreeBSD License
*
* FLV ( Flash Media Video ) demuxer
*
* @author Stan Vitvitskyy
*
*/
public class FLVReader {
private static final int REPOSITION_BUFFER_READS = 10;
private static final int TAG_HEADER_SIZE = 15;
// Read buffer, 1M
private static final int READ_BUFFER_SIZE = 1 << 10;
private int frameNo;
private ByteBuffer readBuf;
private SeekableByteChannel ch;
private boolean eof;
private static boolean platformBigEndian = ByteBuffer.allocate(0).order() == ByteOrder.BIG_ENDIAN;
public static Codec[] audioCodecMapping = new Codec[] { Codec.PCM, Codec.ADPCM, Codec.MP3, Codec.PCM,
Codec.NELLYMOSER, Codec.NELLYMOSER, Codec.NELLYMOSER, Codec.G711, Codec.G711, null, Codec.AAC, Codec.SPEEX,
Codec.MP3, null };
public static Codec[] videoCodecMapping = new Codec[] { null, null, Codec.SORENSON, Codec.FLASH_SCREEN_VIDEO,
Codec.VP6, Codec.VP6, Codec.FLASH_SCREEN_V2, Codec.H264 };
public static int[] sampleRates = new int[] { 5500, 11000, 22000, 44100 };
public FLVReader(SeekableByteChannel ch) throws IOException {
this.ch = ch;
readBuf = ByteBuffer.allocate(READ_BUFFER_SIZE);
readBuf.order(ByteOrder.BIG_ENDIAN);
initialRead(ch);
if (!readHeader(readBuf)) {
// This file doesn't have an FLV header, maybe it's a portion of an
// FLV file and we can position at the tag start?
readBuf.position(0);
if (!repositionFile())
throw new RuntimeException("Invalid FLV file");
else {
Logger.warn(String.format("Parsing a corrupt FLV file, first tag found at %d. %s", readBuf.position(),
readBuf.position() == 0 ? "Did you forget the FLV 9-byte header?" : ""));
}
}
}
private void initialRead(ReadableByteChannel ch) throws IOException {
readBuf.clear();
if (ch.read(readBuf) == -1)
eof = true;
readBuf.flip();
}
public FLVTag readNextPacket() throws IOException {
if (eof)
return null;
FLVTag pkt = parsePacket(readBuf);
// No more pakets fit into the buffer, reading more data
if (pkt == null && !eof) {
moveRemainderToTheStart(readBuf);
if (ch.read(readBuf) == -1) {
eof = true;
return null;
}
while (MathUtil.log2(readBuf.capacity()) <= 22) {
readBuf.flip();
pkt = parsePacket(readBuf);
if (pkt != null || readBuf.position() > 0)
break;
// The buffer is too small, getting a bigger one
ByteBuffer newBuf = ByteBuffer.allocate(readBuf.capacity() << 2);
newBuf.put(readBuf);
readBuf = newBuf;
if (ch.read(readBuf) == -1) {
eof = true;
return null;
}
}
}
return pkt;
}
public FLVTag readPrevPacket() throws IOException {
int startOfLastPacket = readBuf.getInt();
readBuf.position(readBuf.position() - 4);
if (readBuf.position() > startOfLastPacket) {
// The previous frame is still in the buffer, so no need to fetch
readBuf.position(readBuf.position() - startOfLastPacket);
return parsePacket(readBuf);
} else {
// Now we need to fetch the new buffer, because we are unsure of the
// access pattern we are going to fetch only half of the buffer from
// the left side and the other half from the right side of the
// current position
long oldPos = ch.position() - readBuf.remaining();
if (oldPos <= 9) {
// We are at the first frame, there's nowhere to seek
return null;
}
long newPos = Math.max(0, oldPos - readBuf.capacity() / 2);
ch.setPosition(newPos);
readBuf.clear();
ch.read(readBuf);
readBuf.flip();
readBuf.position((int) (oldPos - newPos));
return readPrevPacket();
}
}
private static void moveRemainderToTheStart(ByteBuffer readBuf) {
int rem = readBuf.remaining();
for (int i = 0; i < rem; i++) {
readBuf.put(i, readBuf.get());
}
readBuf.clear();
readBuf.position(rem);
}
public FLVTag parsePacket(ByteBuffer readBuf) throws IOException {
for (;;) {
if (readBuf.remaining() < TAG_HEADER_SIZE) {
return null;
}
int pos = readBuf.position();
long packetPos = ch.position() - readBuf.remaining();
int prevPacketSize = readBuf.getInt();
int packetType = readBuf.get() & 0xff;
int payloadSize = ((readBuf.getShort() & 0xffff) << 8) | (readBuf.get() & 0xff);
int timestamp = ((readBuf.getShort() & 0xffff) << 8) | (readBuf.get() & 0xff)
| ((readBuf.get() & 0xff) << 24);
int streamId = ((readBuf.getShort() & 0xffff) << 8) | (readBuf.get() & 0xff);
// Sanity check and reposition
if (readBuf.remaining() >= payloadSize + 4) {
int thisPacketSize = readBuf.getInt(readBuf.position() + payloadSize);
if (thisPacketSize != payloadSize + 11) {
readBuf.position(readBuf.position() - TAG_HEADER_SIZE);
if (!repositionFile()) {
Logger.error(String.format("Corrupt FLV stream at %d, failed to reposition!", packetPos));
ch.setPosition(ch.size());
eof = true;
return null;
}
Logger.warn(String.format("Corrupt FLV stream at %d, repositioned to %d.", packetPos, ch.position()
- readBuf.remaining()));
continue;
}
}
if (readBuf.remaining() < payloadSize) {
readBuf.position(pos);
return null;
}
if (packetType != 0x8 && packetType != 0x9 && packetType != 0x12) {
NIOUtils.skip(readBuf, payloadSize);
continue;
}
ByteBuffer payload = NIOUtils.clone(NIOUtils.read(readBuf, payloadSize));
Type type;
TagHeader tagHeader;
if (packetType == 0x8) {
type = Type.AUDIO;
tagHeader = parseAudioTagHeader(payload.duplicate());
} else if (packetType == 0x9) {
type = Type.VIDEO;
tagHeader = parseVideoTagHeader(payload.duplicate());
} else if (packetType == 0x12) {
type = Type.SCRIPT;
tagHeader = null;
} else {
System.out.println("NON AV packet");
continue;
}
boolean keyFrame = false;
if (tagHeader != null && tagHeader instanceof VideoTagHeader) {
VideoTagHeader vth = (VideoTagHeader) tagHeader;
keyFrame &= vth.getFrameType() == 1;
}
keyFrame &= packetType == 0x8 || packetType == 9;
return new FLVTag(type, packetPos, tagHeader, timestamp, payload, keyFrame, frameNo++, streamId,
prevPacketSize);
}
}
public static boolean readHeader(ByteBuffer readBuf) {
if (readBuf.remaining() < 9 || readBuf.get() != 'F' || readBuf.get() != 'L' || readBuf.get() != 'V'
|| readBuf.get() != 1 || (readBuf.get() & 0x5) == 0 || readBuf.getInt() != 9) {
return false;
}
return true;
}
public static FLVMetadata parseMetadata(ByteBuffer bb) {
if ("onMetaData".equals(readAMFData(bb, -1)))
return new FLVMetadata((Map<String, Object>) readAMFData(bb, -1));
return null;
}
private static Object readAMFData(ByteBuffer input, int type) {
if (type == -1) {
type = input.get() & 0xff;
}
switch (type) {
case 0:
return input.getDouble();
case 1:
return input.get() == 1;
case 2:
return readAMFString(input);
case 3:
return readAMFObject(input);
case 8:
return readAMFEcmaArray(input);
case 10:
return readAMFStrictArray(input);
case 11:
final Date date = new Date((long) input.getDouble());
input.getShort(); // time zone
return date;
case 13:
return "UNDEFINED";
default:
return null;
}
}
private static Object readAMFStrictArray(ByteBuffer input) {
int count = input.getInt();
Object[] result = new Object[count];
for (int i = 0; i < count; i++) {
result[i] = readAMFData(input, -1);
}
return result;
}
private static String readAMFString(ByteBuffer input) {
int size = input.getShort() & 0xffff;
return Platform.stringFromCharset(NIOUtils.toArray(NIOUtils.read(input, size)), Platform.UTF_8);
}
private static Object readAMFObject(ByteBuffer input) {
Map<String, Object> array = new HashMap<String, Object>();
while (true) {
String key = readAMFString(input);
int dataType = input.get() & 0xff;
if (dataType == 9) { // object end<SUF>
break;
}
array.put(key, readAMFData(input, dataType));
}
return array;
}
private static Object readAMFEcmaArray(ByteBuffer input) {
long size = input.getInt();
Map<String, Object> array = new HashMap<String, Object>();
for (int i = 0; i < size; i++) {
String key = readAMFString(input);
int dataType = input.get() & 0xff;
array.put(key, readAMFData(input, dataType));
}
return array;
}
public static VideoTagHeader parseVideoTagHeader(ByteBuffer dup) {
byte b0 = dup.get();
int frameType = (b0 & 0xff) >> 4;
int codecId = (b0 & 0xf);
Codec codec = videoCodecMapping[codecId];
if (codecId == 7) {
byte avcPacketType = dup.get();
int compOffset = (dup.getShort() << 8) | (dup.get() & 0xff);
return new AvcVideoTagHeader(codec, frameType, avcPacketType, compOffset);
}
return new VideoTagHeader(codec, frameType);
}
public static TagHeader parseAudioTagHeader(ByteBuffer dup) {
byte b = dup.get();
int codecId = (b & 0xff) >> 4;
int sampleRate = sampleRates[(b >> 2) & 0x3];
if (codecId == 4 || codecId == 11)
sampleRate = 16000;
if (codecId == 5 || codecId == 14)
sampleRate = 8000;
int sampleSizeInBits = (b & 0x2) == 0 ? 8 : 16;
boolean signed = codecId != 3 && codecId != 0 || sampleSizeInBits == 16;
int channelCount = 1 + (b & 1);
if (codecId == 11)
channelCount = 1;
AudioFormat audioFormat = new AudioFormat(sampleRate, sampleSizeInBits, channelCount, signed,
codecId == 3 ? false : platformBigEndian);
Codec codec = audioCodecMapping[codecId];
if (codecId == 10) {
byte packetType = dup.get();
return new AacAudioTagHeader(codec, audioFormat, packetType);
}
return new AudioTagHeader(codec, audioFormat);
}
public static int probe(ByteBuffer buf) {
try {
readHeader(buf);
return 100;
} catch (RuntimeException e) {
return 0;
}
}
public void reset() throws IOException {
initialRead(ch);
}
public void reposition() throws IOException {
reset();
if (!positionAtPacket(readBuf)) {
throw new RuntimeException("Could not find at FLV tag start");
}
}
public static boolean positionAtPacket(ByteBuffer readBuf) {
// We will be using the fact that <payload size> = <start of last
// packet> - 15
ByteBuffer dup = readBuf.duplicate();
int payloadSize = 0;
NIOUtils.skip(dup, 5);
while (dup.hasRemaining()) {
payloadSize = ((payloadSize & 0xffff) << 8) | (dup.get() & 0xff);
int pointerPos = dup.position() + 7 + payloadSize;
if (dup.position() >= 8 && pointerPos < dup.limit() - 4 && dup.getInt(pointerPos) - payloadSize == 11) {
readBuf.position(dup.position() - 8);
return true;
}
}
return false;
}
/**
* Searching for the next tag in a file after corrupt segment
*
* @return
* @throws IOException
*/
public boolean repositionFile() throws IOException {
int payloadSize = 0;
for (int i = 0; i < REPOSITION_BUFFER_READS; i++) {
while (readBuf.hasRemaining()) {
payloadSize = ((payloadSize & 0xffff) << 8) | (readBuf.get() & 0xff);
int pointerPos = readBuf.position() + 7 + payloadSize;
if (readBuf.position() >= 8 && pointerPos < readBuf.limit() - 4
&& readBuf.getInt(pointerPos) - payloadSize == 11) {
readBuf.position(readBuf.position() - 8);
return true;
}
}
initialRead(ch);
if (!readBuf.hasRemaining())
break;
}
return false;
}
} |
1818_1 | //==============================================================================
// This file is part of Master Password.
// Copyright (c) 2011-2017, Maarten Billemont.
//
// Master Password is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.
//
// Master Password is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
// GNU General Public License for more details.
//
// You can find a copy of the GNU General Public License in the
// LICENSE file. Alternatively, see <http://www.gnu.org/licenses/>.
//==============================================================================
package com.lyndir.masterpassword;
import android.os.Handler;
import android.os.Looper;
import com.google.common.collect.ImmutableList;
import com.google.common.collect.Sets;
import java.util.List;
import java.util.Set;
import java.util.concurrent.*;
import javax.annotation.Nonnull;
/**
* @author lhunath, 2015-12-22
*/
public class MainThreadExecutor extends AbstractExecutorService {
private final Handler mHandler = new Handler( Looper.getMainLooper() );
private final Set<Runnable> commands = Sets.newLinkedHashSet();
private boolean shutdown;
@Override
public void execute(final Runnable command) {
if (shutdown)
throw new RejectedExecutionException( "This executor has been shut down" );
synchronized (commands) {
commands.add( command );
mHandler.post( new Runnable() {
@Override
public void run() {
synchronized (commands) {
if (!commands.remove( command ))
// Command was removed, not executing.
return;
}
command.run();
}
} );
}
}
@Override
public void shutdown() {
shutdown = true;
}
@Nonnull
@Override
public List<Runnable> shutdownNow() {
shutdown = true;
mHandler.removeCallbacksAndMessages( null );
synchronized (commands) {
ImmutableList<Runnable> pendingTasks = ImmutableList.copyOf( commands );
commands.clear();
commands.notifyAll();
return pendingTasks;
}
}
@Override
public boolean isShutdown() {
return shutdown;
}
@Override
public boolean isTerminated() {
synchronized (commands) {
return shutdown && commands.isEmpty();
}
}
@Override
public boolean awaitTermination(final long timeout, final TimeUnit unit)
throws InterruptedException {
if (isTerminated())
return true;
commands.wait( unit.toMillis( timeout ) );
return isTerminated();
}
}
| Lyndir/MasterPassword | platform-android/src/main/java/com/lyndir/masterpassword/MainThreadExecutor.java | 706 | // Copyright (c) 2011-2017, Maarten Billemont. | line_comment | nl | //==============================================================================
// This file is part of Master Password.
// Copyright (c)<SUF>
//
// Master Password is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.
//
// Master Password is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
// GNU General Public License for more details.
//
// You can find a copy of the GNU General Public License in the
// LICENSE file. Alternatively, see <http://www.gnu.org/licenses/>.
//==============================================================================
package com.lyndir.masterpassword;
import android.os.Handler;
import android.os.Looper;
import com.google.common.collect.ImmutableList;
import com.google.common.collect.Sets;
import java.util.List;
import java.util.Set;
import java.util.concurrent.*;
import javax.annotation.Nonnull;
/**
* @author lhunath, 2015-12-22
*/
public class MainThreadExecutor extends AbstractExecutorService {
private final Handler mHandler = new Handler( Looper.getMainLooper() );
private final Set<Runnable> commands = Sets.newLinkedHashSet();
private boolean shutdown;
@Override
public void execute(final Runnable command) {
if (shutdown)
throw new RejectedExecutionException( "This executor has been shut down" );
synchronized (commands) {
commands.add( command );
mHandler.post( new Runnable() {
@Override
public void run() {
synchronized (commands) {
if (!commands.remove( command ))
// Command was removed, not executing.
return;
}
command.run();
}
} );
}
}
@Override
public void shutdown() {
shutdown = true;
}
@Nonnull
@Override
public List<Runnable> shutdownNow() {
shutdown = true;
mHandler.removeCallbacksAndMessages( null );
synchronized (commands) {
ImmutableList<Runnable> pendingTasks = ImmutableList.copyOf( commands );
commands.clear();
commands.notifyAll();
return pendingTasks;
}
}
@Override
public boolean isShutdown() {
return shutdown;
}
@Override
public boolean isTerminated() {
synchronized (commands) {
return shutdown && commands.isEmpty();
}
}
@Override
public boolean awaitTermination(final long timeout, final TimeUnit unit)
throws InterruptedException {
if (isTerminated())
return true;
commands.wait( unit.toMillis( timeout ) );
return isTerminated();
}
}
|
2065_25 | package com.genymobile.scrcpy;
import android.media.MediaCodec;
import java.io.FileDescriptor;
import java.io.IOException;
import java.nio.ByteBuffer;
import java.nio.ByteOrder;
import java.util.Arrays;
public final class Streamer {
private static final long PACKET_FLAG_CONFIG = 1L << 63;
private static final long PACKET_FLAG_KEY_FRAME = 1L << 62;
private final FileDescriptor fd;
private final Codec codec;
private final boolean sendCodecMeta;
private final boolean sendFrameMeta;
private final ByteBuffer headerBuffer = ByteBuffer.allocate(12);
public Streamer(FileDescriptor fd, Codec codec, boolean sendCodecMeta, boolean sendFrameMeta) {
this.fd = fd;
this.codec = codec;
this.sendCodecMeta = sendCodecMeta;
this.sendFrameMeta = sendFrameMeta;
}
public Codec getCodec() {
return codec;
}
public void writeAudioHeader() throws IOException {
if (sendCodecMeta) {
ByteBuffer buffer = ByteBuffer.allocate(4);
buffer.putInt(codec.getId());
buffer.flip();
IO.writeFully(fd, buffer);
}
}
public void writeVideoHeader(Size videoSize) throws IOException {
if (sendCodecMeta) {
ByteBuffer buffer = ByteBuffer.allocate(12);
buffer.putInt(codec.getId());
buffer.putInt(videoSize.getWidth());
buffer.putInt(videoSize.getHeight());
buffer.flip();
IO.writeFully(fd, buffer);
}
}
public void writeDisableStream(boolean error) throws IOException {
// Writing a specific code as codec-id means that the device disables the stream
// code 0: it explicitly disables the stream (because it could not capture audio), scrcpy should continue mirroring video only
// code 1: a configuration error occurred, scrcpy must be stopped
byte[] code = new byte[4];
if (error) {
code[3] = 1;
}
IO.writeFully(fd, code, 0, code.length);
}
public void writePacket(ByteBuffer buffer, long pts, boolean config, boolean keyFrame) throws IOException {
if (config) {
if (codec == AudioCodec.OPUS) {
fixOpusConfigPacket(buffer);
} else if (codec == AudioCodec.FLAC) {
fixFlacConfigPacket(buffer);
}
}
if (sendFrameMeta) {
writeFrameMeta(fd, buffer.remaining(), pts, config, keyFrame);
}
IO.writeFully(fd, buffer);
}
public void writePacket(ByteBuffer codecBuffer, MediaCodec.BufferInfo bufferInfo) throws IOException {
long pts = bufferInfo.presentationTimeUs;
boolean config = (bufferInfo.flags & MediaCodec.BUFFER_FLAG_CODEC_CONFIG) != 0;
boolean keyFrame = (bufferInfo.flags & MediaCodec.BUFFER_FLAG_KEY_FRAME) != 0;
writePacket(codecBuffer, pts, config, keyFrame);
}
private void writeFrameMeta(FileDescriptor fd, int packetSize, long pts, boolean config, boolean keyFrame) throws IOException {
headerBuffer.clear();
long ptsAndFlags;
if (config) {
ptsAndFlags = PACKET_FLAG_CONFIG; // non-media data packet
} else {
ptsAndFlags = pts;
if (keyFrame) {
ptsAndFlags |= PACKET_FLAG_KEY_FRAME;
}
}
headerBuffer.putLong(ptsAndFlags);
headerBuffer.putInt(packetSize);
headerBuffer.flip();
IO.writeFully(fd, headerBuffer);
}
private static void fixOpusConfigPacket(ByteBuffer buffer) throws IOException {
// Here is an example of the config packet received for an OPUS stream:
//
// 00000000 41 4f 50 55 53 48 44 52 13 00 00 00 00 00 00 00 |AOPUSHDR........|
// -------------- BELOW IS THE PART WE MUST PUT AS EXTRADATA -------------------
// 00000010 4f 70 75 73 48 65 61 64 01 01 38 01 80 bb 00 00 |OpusHead..8.....|
// 00000020 00 00 00 |... |
// ------------------------------------------------------------------------------
// 00000020 41 4f 50 55 53 44 4c 59 08 00 00 00 00 | AOPUSDLY.....|
// 00000030 00 00 00 a0 2e 63 00 00 00 00 00 41 4f 50 55 53 |.....c.....AOPUS|
// 00000040 50 52 4c 08 00 00 00 00 00 00 00 00 b4 c4 04 00 |PRL.............|
// 00000050 00 00 00 |...|
//
// Each "section" is prefixed by a 64-bit ID and a 64-bit length.
//
// <https://developer.android.com/reference/android/media/MediaCodec#CSD>
if (buffer.remaining() < 16) {
throw new IOException("Not enough data in OPUS config packet");
}
final byte[] opusHeaderId = {'A', 'O', 'P', 'U', 'S', 'H', 'D', 'R'};
byte[] idBuffer = new byte[8];
buffer.get(idBuffer);
if (!Arrays.equals(idBuffer, opusHeaderId)) {
throw new IOException("OPUS header not found");
}
// The size is in native byte-order
long sizeLong = buffer.getLong();
if (sizeLong < 0 || sizeLong >= 0x7FFFFFFF) {
throw new IOException("Invalid block size in OPUS header: " + sizeLong);
}
int size = (int) sizeLong;
if (buffer.remaining() < size) {
throw new IOException("Not enough data in OPUS header (invalid size: " + size + ")");
}
// Set the buffer to point to the OPUS header slice
buffer.limit(buffer.position() + size);
}
private static void fixFlacConfigPacket(ByteBuffer buffer) throws IOException {
// 00000000 66 4c 61 43 00 00 00 22 |fLaC..." |
// -------------- BELOW IS THE PART WE MUST PUT AS EXTRADATA -------------------
// 00000000 10 00 10 00 00 00 00 00 | ........|
// 00000010 00 00 0b b8 02 f0 00 00 00 00 00 00 00 00 00 00 |................|
// 00000020 00 00 00 00 00 00 00 00 00 00 |.......... |
// ------------------------------------------------------------------------------
// 00000020 84 00 00 28 20 00 | ...( .|
// 00000030 00 00 72 65 66 65 72 65 6e 63 65 20 6c 69 62 46 |..reference libF|
// 00000040 4c 41 43 20 31 2e 33 2e 32 20 32 30 32 32 31 30 |LAC 1.3.2 202210|
// 00000050 32 32 00 00 00 00 |22....|
//
// <https://developer.android.com/reference/android/media/MediaCodec#CSD>
if (buffer.remaining() < 8) {
throw new IOException("Not enough data in FLAC config packet");
}
final byte[] flacHeaderId = {'f', 'L', 'a', 'C'};
byte[] idBuffer = new byte[4];
buffer.get(idBuffer);
if (!Arrays.equals(idBuffer, flacHeaderId)) {
throw new IOException("FLAC header not found");
}
// The size is in big-endian
buffer.order(ByteOrder.BIG_ENDIAN);
int size = buffer.getInt();
if (buffer.remaining() < size) {
throw new IOException("Not enough data in FLAC header (invalid size: " + size + ")");
}
// Set the buffer to point to the FLAC header slice
buffer.limit(buffer.position() + size);
}
}
| Genymobile/scrcpy | server/src/main/java/com/genymobile/scrcpy/Streamer.java | 2,358 | // The size is in big-endian | line_comment | nl | package com.genymobile.scrcpy;
import android.media.MediaCodec;
import java.io.FileDescriptor;
import java.io.IOException;
import java.nio.ByteBuffer;
import java.nio.ByteOrder;
import java.util.Arrays;
public final class Streamer {
private static final long PACKET_FLAG_CONFIG = 1L << 63;
private static final long PACKET_FLAG_KEY_FRAME = 1L << 62;
private final FileDescriptor fd;
private final Codec codec;
private final boolean sendCodecMeta;
private final boolean sendFrameMeta;
private final ByteBuffer headerBuffer = ByteBuffer.allocate(12);
public Streamer(FileDescriptor fd, Codec codec, boolean sendCodecMeta, boolean sendFrameMeta) {
this.fd = fd;
this.codec = codec;
this.sendCodecMeta = sendCodecMeta;
this.sendFrameMeta = sendFrameMeta;
}
public Codec getCodec() {
return codec;
}
public void writeAudioHeader() throws IOException {
if (sendCodecMeta) {
ByteBuffer buffer = ByteBuffer.allocate(4);
buffer.putInt(codec.getId());
buffer.flip();
IO.writeFully(fd, buffer);
}
}
public void writeVideoHeader(Size videoSize) throws IOException {
if (sendCodecMeta) {
ByteBuffer buffer = ByteBuffer.allocate(12);
buffer.putInt(codec.getId());
buffer.putInt(videoSize.getWidth());
buffer.putInt(videoSize.getHeight());
buffer.flip();
IO.writeFully(fd, buffer);
}
}
public void writeDisableStream(boolean error) throws IOException {
// Writing a specific code as codec-id means that the device disables the stream
// code 0: it explicitly disables the stream (because it could not capture audio), scrcpy should continue mirroring video only
// code 1: a configuration error occurred, scrcpy must be stopped
byte[] code = new byte[4];
if (error) {
code[3] = 1;
}
IO.writeFully(fd, code, 0, code.length);
}
public void writePacket(ByteBuffer buffer, long pts, boolean config, boolean keyFrame) throws IOException {
if (config) {
if (codec == AudioCodec.OPUS) {
fixOpusConfigPacket(buffer);
} else if (codec == AudioCodec.FLAC) {
fixFlacConfigPacket(buffer);
}
}
if (sendFrameMeta) {
writeFrameMeta(fd, buffer.remaining(), pts, config, keyFrame);
}
IO.writeFully(fd, buffer);
}
public void writePacket(ByteBuffer codecBuffer, MediaCodec.BufferInfo bufferInfo) throws IOException {
long pts = bufferInfo.presentationTimeUs;
boolean config = (bufferInfo.flags & MediaCodec.BUFFER_FLAG_CODEC_CONFIG) != 0;
boolean keyFrame = (bufferInfo.flags & MediaCodec.BUFFER_FLAG_KEY_FRAME) != 0;
writePacket(codecBuffer, pts, config, keyFrame);
}
private void writeFrameMeta(FileDescriptor fd, int packetSize, long pts, boolean config, boolean keyFrame) throws IOException {
headerBuffer.clear();
long ptsAndFlags;
if (config) {
ptsAndFlags = PACKET_FLAG_CONFIG; // non-media data packet
} else {
ptsAndFlags = pts;
if (keyFrame) {
ptsAndFlags |= PACKET_FLAG_KEY_FRAME;
}
}
headerBuffer.putLong(ptsAndFlags);
headerBuffer.putInt(packetSize);
headerBuffer.flip();
IO.writeFully(fd, headerBuffer);
}
private static void fixOpusConfigPacket(ByteBuffer buffer) throws IOException {
// Here is an example of the config packet received for an OPUS stream:
//
// 00000000 41 4f 50 55 53 48 44 52 13 00 00 00 00 00 00 00 |AOPUSHDR........|
// -------------- BELOW IS THE PART WE MUST PUT AS EXTRADATA -------------------
// 00000010 4f 70 75 73 48 65 61 64 01 01 38 01 80 bb 00 00 |OpusHead..8.....|
// 00000020 00 00 00 |... |
// ------------------------------------------------------------------------------
// 00000020 41 4f 50 55 53 44 4c 59 08 00 00 00 00 | AOPUSDLY.....|
// 00000030 00 00 00 a0 2e 63 00 00 00 00 00 41 4f 50 55 53 |.....c.....AOPUS|
// 00000040 50 52 4c 08 00 00 00 00 00 00 00 00 b4 c4 04 00 |PRL.............|
// 00000050 00 00 00 |...|
//
// Each "section" is prefixed by a 64-bit ID and a 64-bit length.
//
// <https://developer.android.com/reference/android/media/MediaCodec#CSD>
if (buffer.remaining() < 16) {
throw new IOException("Not enough data in OPUS config packet");
}
final byte[] opusHeaderId = {'A', 'O', 'P', 'U', 'S', 'H', 'D', 'R'};
byte[] idBuffer = new byte[8];
buffer.get(idBuffer);
if (!Arrays.equals(idBuffer, opusHeaderId)) {
throw new IOException("OPUS header not found");
}
// The size is in native byte-order
long sizeLong = buffer.getLong();
if (sizeLong < 0 || sizeLong >= 0x7FFFFFFF) {
throw new IOException("Invalid block size in OPUS header: " + sizeLong);
}
int size = (int) sizeLong;
if (buffer.remaining() < size) {
throw new IOException("Not enough data in OPUS header (invalid size: " + size + ")");
}
// Set the buffer to point to the OPUS header slice
buffer.limit(buffer.position() + size);
}
private static void fixFlacConfigPacket(ByteBuffer buffer) throws IOException {
// 00000000 66 4c 61 43 00 00 00 22 |fLaC..." |
// -------------- BELOW IS THE PART WE MUST PUT AS EXTRADATA -------------------
// 00000000 10 00 10 00 00 00 00 00 | ........|
// 00000010 00 00 0b b8 02 f0 00 00 00 00 00 00 00 00 00 00 |................|
// 00000020 00 00 00 00 00 00 00 00 00 00 |.......... |
// ------------------------------------------------------------------------------
// 00000020 84 00 00 28 20 00 | ...( .|
// 00000030 00 00 72 65 66 65 72 65 6e 63 65 20 6c 69 62 46 |..reference libF|
// 00000040 4c 41 43 20 31 2e 33 2e 32 20 32 30 32 32 31 30 |LAC 1.3.2 202210|
// 00000050 32 32 00 00 00 00 |22....|
//
// <https://developer.android.com/reference/android/media/MediaCodec#CSD>
if (buffer.remaining() < 8) {
throw new IOException("Not enough data in FLAC config packet");
}
final byte[] flacHeaderId = {'f', 'L', 'a', 'C'};
byte[] idBuffer = new byte[4];
buffer.get(idBuffer);
if (!Arrays.equals(idBuffer, flacHeaderId)) {
throw new IOException("FLAC header not found");
}
// The size<SUF>
buffer.order(ByteOrder.BIG_ENDIAN);
int size = buffer.getInt();
if (buffer.remaining() < size) {
throw new IOException("Not enough data in FLAC header (invalid size: " + size + ")");
}
// Set the buffer to point to the FLAC header slice
buffer.limit(buffer.position() + size);
}
}
|
2135_23 | package mindustry.game;
import arc.*;
import arc.math.*;
import arc.struct.Bits;
import arc.struct.*;
import arc.util.*;
import mindustry.*;
import mindustry.annotations.Annotations.*;
import mindustry.core.*;
import mindustry.game.EventType.*;
import mindustry.gen.*;
import mindustry.io.SaveFileReader.*;
import mindustry.io.*;
import mindustry.world.meta.*;
import java.io.*;
import static mindustry.Vars.*;
public final class FogControl implements CustomChunk{
private static volatile int ww, wh;
private static final int dynamicUpdateInterval = 1000 / 25; //25 FPS
private static final Object notifyStatic = new Object(), notifyDynamic = new Object();
/** indexed by team */
private volatile @Nullable FogData[] fog;
private final LongSeq staticEvents = new LongSeq();
private final LongSeq dynamicEventQueue = new LongSeq(), unitEventQueue = new LongSeq();
/** access must be synchronized; accessed from both threads */
private final LongSeq dynamicEvents = new LongSeq(100);
private @Nullable Thread staticFogThread;
private @Nullable Thread dynamicFogThread;
private boolean justLoaded = false;
private boolean loadedStatic = false;
public FogControl(){
Events.on(ResetEvent.class, e -> {
stop();
});
Events.on(WorldLoadEvent.class, e -> {
stop();
loadedStatic = false;
justLoaded = true;
ww = world.width();
wh = world.height();
//all old buildings have static light scheduled around them
if(state.rules.fog && state.rules.staticFog){
pushStaticBlocks(true);
//force draw all static stuff immediately
updateStatic();
loadedStatic = true;
}
});
Events.on(TileChangeEvent.class, event -> {
if(state.rules.fog && event.tile.build != null && event.tile.isCenter() && !event.tile.build.team.isOnlyAI() && event.tile.block().flags.contains(BlockFlag.hasFogRadius)){
var data = data(event.tile.team());
if(data != null){
data.dynamicUpdated = true;
}
if(state.rules.staticFog){
synchronized(staticEvents){
//TODO event per team?
pushEvent(FogEvent.get(event.tile.x, event.tile.y, Mathf.round(event.tile.build.fogRadius()), event.tile.build.team.id), false);
}
}
}
});
//on tile removed, dynamic fog goes away
Events.on(TilePreChangeEvent.class, e -> {
if(state.rules.fog && e.tile.build != null && !e.tile.build.team.isOnlyAI() && e.tile.block().flags.contains(BlockFlag.hasFogRadius)){
var data = data(e.tile.team());
if(data != null){
data.dynamicUpdated = true;
}
}
});
//unit dead -> fog updates
Events.on(UnitDestroyEvent.class, e -> {
if(state.rules.fog && fog[e.unit.team.id] != null){
fog[e.unit.team.id].dynamicUpdated = true;
}
});
SaveVersion.addCustomChunk("static-fog-data", this);
}
public @Nullable Bits getDiscovered(Team team){
return fog == null || fog[team.id] == null ? null : fog[team.id].staticData;
}
public boolean isDiscovered(Team team, int x, int y){
if(!state.rules.staticFog || !state.rules.fog || team == null || team.isAI()) return true;
var data = getDiscovered(team);
if(data == null) return false;
if(x < 0 || y < 0 || x >= ww || y >= wh) return false;
return data.get(x + y * ww);
}
public boolean isVisible(Team team, float x, float y){
return isVisibleTile(team, World.toTile(x), World.toTile(y));
}
public boolean isVisibleTile(Team team, int x, int y){
if(!state.rules.fog|| team == null || team.isAI()) return true;
var data = data(team);
if(data == null) return false;
if(x < 0 || y < 0 || x >= ww || y >= wh) return false;
return data.read.get(x + y * ww);
}
public void resetFog(){
fog = null;
}
@Nullable FogData data(Team team){
return fog == null || fog[team.id] == null ? null : fog[team.id];
}
void stop(){
fog = null;
//I don't care whether the fog thread crashes here, it's about to die anyway
staticEvents.clear();
if(staticFogThread != null){
staticFogThread.interrupt();
staticFogThread = null;
}
dynamicEvents.clear();
if(dynamicFogThread != null){
dynamicFogThread.interrupt();
dynamicFogThread = null;
}
}
/** @param initial whether this is the initial update; if true, does not update renderer */
void pushStaticBlocks(boolean initial){
if(fog == null) fog = new FogData[256];
synchronized(staticEvents){
for(var build : Groups.build){
if(build.block.flags.contains(BlockFlag.hasFogRadius)){
if(fog[build.team.id] == null){
fog[build.team.id] = new FogData();
}
pushEvent(FogEvent.get(build.tile.x, build.tile.y, Mathf.round(build.fogRadius()), build.team.id), initial);
}
}
}
}
/** @param skipRender whether the event is passed to the fog renderer */
void pushEvent(long event, boolean skipRender){
if(!state.rules.staticFog) return;
staticEvents.add(event);
if(!skipRender && !headless && FogEvent.team(event) == Vars.player.team().id){
renderer.fog.handleEvent(event);
}
}
public void forceUpdate(Team team, Building build){
if(state.rules.fog && fog[team.id] != null){
fog[team.id].dynamicUpdated = true;
if(state.rules.staticFog){
synchronized(staticEvents){
pushEvent(FogEvent.get(build.tile.x, build.tile.y, Mathf.round(build.fogRadius()), build.team.id), false);
}
}
}
}
public void update(){
if(fog == null){
fog = new FogData[256];
}
//force update static
if(state.rules.staticFog && !loadedStatic){
pushStaticBlocks(false);
updateStatic();
loadedStatic = true;
}
if(staticFogThread == null){
staticFogThread = new StaticFogThread();
staticFogThread.setPriority(Thread.NORM_PRIORITY - 1);
staticFogThread.setDaemon(true);
staticFogThread.start();
}
if(dynamicFogThread == null){
dynamicFogThread = new DynamicFogThread();
dynamicFogThread.setPriority(Thread.NORM_PRIORITY - 1);
dynamicFogThread.setDaemon(true);
dynamicFogThread.start();
}
//clear to prepare for queuing fog radius from units and buildings
dynamicEventQueue.clear();
for(var team : state.teams.present){
//AI teams do not have fog
if(!team.team.isOnlyAI()){
//separate for each team
unitEventQueue.clear();
FogData data = fog[team.team.id];
if(data == null){
data = fog[team.team.id] = new FogData();
}
synchronized(staticEvents){
//TODO slow?
for(var unit : team.units){
int tx = unit.tileX(), ty = unit.tileY(), pos = tx + ty * ww;
if(unit.type.fogRadius <= 0f) continue;
long event = FogEvent.get(tx, ty, (int)unit.type.fogRadius, team.team.id);
//always update the dynamic events, but only *flush* the results when necessary?
unitEventQueue.add(event);
if(unit.lastFogPos != pos){
pushEvent(event, false);
unit.lastFogPos = pos;
data.dynamicUpdated = true;
}
}
}
//if it's time for an update, flush *everything* onto the update queue
if(data.dynamicUpdated && Time.timeSinceMillis(data.lastDynamicMs) > dynamicUpdateInterval){
data.dynamicUpdated = false;
data.lastDynamicMs = Time.millis();
//add building updates
for(var build : indexer.getFlagged(team.team, BlockFlag.hasFogRadius)){
dynamicEventQueue.add(FogEvent.get(build.tile.x, build.tile.y, Mathf.round(build.fogRadius()), build.team.id));
}
//add unit updates
dynamicEventQueue.addAll(unitEventQueue);
}
}
}
if(dynamicEventQueue.size > 0){
//flush unit events over when something happens
synchronized(dynamicEvents){
dynamicEvents.clear();
dynamicEvents.addAll(dynamicEventQueue);
}
dynamicEventQueue.clear();
//force update so visibility doesn't have a pop-in
if(justLoaded){
updateDynamic(new Bits(256));
justLoaded = false;
}
//notify that it's time for rendering
//TODO this WILL block until it is done rendering, which is inherently problematic.
synchronized(notifyDynamic){
notifyDynamic.notify();
}
}
//wake up, it's time to draw some circles
if(state.rules.staticFog && staticEvents.size > 0 && staticFogThread != null){
synchronized(notifyStatic){
notifyStatic.notify();
}
}
}
class StaticFogThread extends Thread{
StaticFogThread(){
super("StaticFogThread");
}
@Override
public void run(){
while(true){
try{
synchronized(notifyStatic){
try{
//wait until an event happens
notifyStatic.wait();
}catch(InterruptedException e){
//end thread
return;
}
}
updateStatic();
//ignore, don't want to crash this thread
}catch(Exception e){}
}
}
}
void updateStatic(){
//I really don't like synchronizing here, but there should be *some* performance benefit at least
synchronized(staticEvents){
int size = staticEvents.size;
for(int i = 0; i < size; i++){
long event = staticEvents.items[i];
int x = FogEvent.x(event), y = FogEvent.y(event), rad = FogEvent.radius(event), team = FogEvent.team(event);
var data = fog[team];
if(data != null){
circle(data.staticData, x, y, rad);
}
}
staticEvents.clear();
}
}
class DynamicFogThread extends Thread{
final Bits cleared = new Bits();
DynamicFogThread(){
super("DynamicFogThread");
}
@Override
public void run(){
while(true){
try{
synchronized(notifyDynamic){
try{
//wait until an event happens
notifyDynamic.wait();
}catch(InterruptedException e){
//end thread
return;
}
}
updateDynamic(cleared);
//ignore, don't want to crash this thread
}catch(Exception e){
//log for debugging
e.printStackTrace();
}
}
}
}
void updateDynamic(Bits cleared){
cleared.clear();
//ugly sync
synchronized(dynamicEvents){
int size = dynamicEvents.size;
//draw step
for(int i = 0; i < size; i++){
long event = dynamicEvents.items[i];
int x = FogEvent.x(event), y = FogEvent.y(event), rad = FogEvent.radius(event), team = FogEvent.team(event);
if(rad <= 0) continue;
var data = fog[team];
if(data != null){
//clear the buffer, since it is being re-drawn
if(!cleared.get(team)){
cleared.set(team);
data.write.clear();
}
//radius is always +1 to keep up with visuals
circle(data.write, x, y, rad + 1);
}
}
dynamicEvents.clear();
}
//swap step, no need for synchronization or anything
for(int i = 0; i < 256; i++){
if(cleared.get(i)){
var data = fog[i];
//swap buffers, flushing the data that was just drawn
Bits temp = data.read;
data.read = data.write;
data.write = temp;
}
}
}
@Override
public void write(DataOutput stream) throws IOException{
int used = 0;
for(int i = 0; i < 256; i++){
if(fog[i] != null) used ++;
}
stream.writeByte(used);
stream.writeShort(world.width());
stream.writeShort(world.height());
for(int i = 0; i < 256; i++){
if(fog[i] != null){
stream.writeByte(i);
Bits data = fog[i].staticData;
int size = ww * wh;
int pos = 0;
while(pos < size){
int consecutives = 0;
boolean cur = data.get(pos);
while(consecutives < 127 && pos < size){
if(cur != data.get(pos)){
break;
}
consecutives ++;
pos ++;
}
int mask = (cur ? 0b1000_0000 : 0);
stream.write(mask | (consecutives));
}
}
}
}
@Override
public void read(DataInput stream) throws IOException{
if(fog == null) fog = new FogData[256];
int teams = stream.readUnsignedByte();
int w = stream.readShort(), h = stream.readShort();
int len = w * h;
ww = w;
wh = h;
for(int ti = 0; ti < teams; ti++){
int team = stream.readUnsignedByte();
fog[team] = new FogData();
int pos = 0;
Bits bools = fog[team].staticData;
while(pos < len){
int data = stream.readByte() & 0xff;
boolean sign = (data & 0b1000_0000) != 0;
int consec = data & 0b0111_1111;
if(sign){
bools.set(pos, pos + consec);
pos += consec;
}else{
pos += consec;
}
}
}
}
@Override
public boolean shouldWrite(){
return state.rules.fog && state.rules.staticFog && fog != null;
}
static void circle(Bits arr, int x, int y, int radius){
int f = 1 - radius;
int ddFx = 1, ddFy = -2 * radius;
int px = 0, py = radius;
hline(arr, x, x, y + radius);
hline(arr, x, x, y - radius);
hline(arr, x - radius, x + radius, y);
while(px < py){
if(f >= 0){
py--;
ddFy += 2;
f += ddFy;
}
px++;
ddFx += 2;
f += ddFx;
hline(arr, x - px, x + px, y + py);
hline(arr, x - px, x + px, y - py);
hline(arr, x - py, x + py, y + px);
hline(arr, x - py, x + py, y - px);
}
}
static void hline(Bits arr, int x1, int x2, int y){
if(y < 0 || y >= wh) return;
int tmp;
if(x1 > x2){
tmp = x1;
x1 = x2;
x2 = tmp;
}
if(x1 >= ww) return;
if(x2 < 0) return;
if(x1 < 0) x1 = 0;
if(x2 >= ww) x2 = ww - 1;
x2++;
int off = y * ww;
arr.set(off + x1, off + x2);
}
static class FogData{
/** dynamic double-buffered data for dynamic (live) coverage */
volatile Bits read, write;
/** static map exploration fog*/
final Bits staticData;
/** last dynamic update timestamp. */
long lastDynamicMs = 0;
/** if true, a dynamic fog update must be scheduled. */
boolean dynamicUpdated = true;
FogData(){
int len = ww * wh;
read = new Bits(len);
write = new Bits(len);
staticData = new Bits(len);
}
}
@Struct
class FogEventStruct{
@StructField(16)
int x;
@StructField(16)
int y;
@StructField(16)
int radius;
@StructField(8)
int team;
}
}
| Anuken/Mindustry | core/src/mindustry/game/FogControl.java | 4,489 | //wait until an event happens | line_comment | nl | package mindustry.game;
import arc.*;
import arc.math.*;
import arc.struct.Bits;
import arc.struct.*;
import arc.util.*;
import mindustry.*;
import mindustry.annotations.Annotations.*;
import mindustry.core.*;
import mindustry.game.EventType.*;
import mindustry.gen.*;
import mindustry.io.SaveFileReader.*;
import mindustry.io.*;
import mindustry.world.meta.*;
import java.io.*;
import static mindustry.Vars.*;
public final class FogControl implements CustomChunk{
private static volatile int ww, wh;
private static final int dynamicUpdateInterval = 1000 / 25; //25 FPS
private static final Object notifyStatic = new Object(), notifyDynamic = new Object();
/** indexed by team */
private volatile @Nullable FogData[] fog;
private final LongSeq staticEvents = new LongSeq();
private final LongSeq dynamicEventQueue = new LongSeq(), unitEventQueue = new LongSeq();
/** access must be synchronized; accessed from both threads */
private final LongSeq dynamicEvents = new LongSeq(100);
private @Nullable Thread staticFogThread;
private @Nullable Thread dynamicFogThread;
private boolean justLoaded = false;
private boolean loadedStatic = false;
public FogControl(){
Events.on(ResetEvent.class, e -> {
stop();
});
Events.on(WorldLoadEvent.class, e -> {
stop();
loadedStatic = false;
justLoaded = true;
ww = world.width();
wh = world.height();
//all old buildings have static light scheduled around them
if(state.rules.fog && state.rules.staticFog){
pushStaticBlocks(true);
//force draw all static stuff immediately
updateStatic();
loadedStatic = true;
}
});
Events.on(TileChangeEvent.class, event -> {
if(state.rules.fog && event.tile.build != null && event.tile.isCenter() && !event.tile.build.team.isOnlyAI() && event.tile.block().flags.contains(BlockFlag.hasFogRadius)){
var data = data(event.tile.team());
if(data != null){
data.dynamicUpdated = true;
}
if(state.rules.staticFog){
synchronized(staticEvents){
//TODO event per team?
pushEvent(FogEvent.get(event.tile.x, event.tile.y, Mathf.round(event.tile.build.fogRadius()), event.tile.build.team.id), false);
}
}
}
});
//on tile removed, dynamic fog goes away
Events.on(TilePreChangeEvent.class, e -> {
if(state.rules.fog && e.tile.build != null && !e.tile.build.team.isOnlyAI() && e.tile.block().flags.contains(BlockFlag.hasFogRadius)){
var data = data(e.tile.team());
if(data != null){
data.dynamicUpdated = true;
}
}
});
//unit dead -> fog updates
Events.on(UnitDestroyEvent.class, e -> {
if(state.rules.fog && fog[e.unit.team.id] != null){
fog[e.unit.team.id].dynamicUpdated = true;
}
});
SaveVersion.addCustomChunk("static-fog-data", this);
}
public @Nullable Bits getDiscovered(Team team){
return fog == null || fog[team.id] == null ? null : fog[team.id].staticData;
}
public boolean isDiscovered(Team team, int x, int y){
if(!state.rules.staticFog || !state.rules.fog || team == null || team.isAI()) return true;
var data = getDiscovered(team);
if(data == null) return false;
if(x < 0 || y < 0 || x >= ww || y >= wh) return false;
return data.get(x + y * ww);
}
public boolean isVisible(Team team, float x, float y){
return isVisibleTile(team, World.toTile(x), World.toTile(y));
}
public boolean isVisibleTile(Team team, int x, int y){
if(!state.rules.fog|| team == null || team.isAI()) return true;
var data = data(team);
if(data == null) return false;
if(x < 0 || y < 0 || x >= ww || y >= wh) return false;
return data.read.get(x + y * ww);
}
public void resetFog(){
fog = null;
}
@Nullable FogData data(Team team){
return fog == null || fog[team.id] == null ? null : fog[team.id];
}
void stop(){
fog = null;
//I don't care whether the fog thread crashes here, it's about to die anyway
staticEvents.clear();
if(staticFogThread != null){
staticFogThread.interrupt();
staticFogThread = null;
}
dynamicEvents.clear();
if(dynamicFogThread != null){
dynamicFogThread.interrupt();
dynamicFogThread = null;
}
}
/** @param initial whether this is the initial update; if true, does not update renderer */
void pushStaticBlocks(boolean initial){
if(fog == null) fog = new FogData[256];
synchronized(staticEvents){
for(var build : Groups.build){
if(build.block.flags.contains(BlockFlag.hasFogRadius)){
if(fog[build.team.id] == null){
fog[build.team.id] = new FogData();
}
pushEvent(FogEvent.get(build.tile.x, build.tile.y, Mathf.round(build.fogRadius()), build.team.id), initial);
}
}
}
}
/** @param skipRender whether the event is passed to the fog renderer */
void pushEvent(long event, boolean skipRender){
if(!state.rules.staticFog) return;
staticEvents.add(event);
if(!skipRender && !headless && FogEvent.team(event) == Vars.player.team().id){
renderer.fog.handleEvent(event);
}
}
public void forceUpdate(Team team, Building build){
if(state.rules.fog && fog[team.id] != null){
fog[team.id].dynamicUpdated = true;
if(state.rules.staticFog){
synchronized(staticEvents){
pushEvent(FogEvent.get(build.tile.x, build.tile.y, Mathf.round(build.fogRadius()), build.team.id), false);
}
}
}
}
public void update(){
if(fog == null){
fog = new FogData[256];
}
//force update static
if(state.rules.staticFog && !loadedStatic){
pushStaticBlocks(false);
updateStatic();
loadedStatic = true;
}
if(staticFogThread == null){
staticFogThread = new StaticFogThread();
staticFogThread.setPriority(Thread.NORM_PRIORITY - 1);
staticFogThread.setDaemon(true);
staticFogThread.start();
}
if(dynamicFogThread == null){
dynamicFogThread = new DynamicFogThread();
dynamicFogThread.setPriority(Thread.NORM_PRIORITY - 1);
dynamicFogThread.setDaemon(true);
dynamicFogThread.start();
}
//clear to prepare for queuing fog radius from units and buildings
dynamicEventQueue.clear();
for(var team : state.teams.present){
//AI teams do not have fog
if(!team.team.isOnlyAI()){
//separate for each team
unitEventQueue.clear();
FogData data = fog[team.team.id];
if(data == null){
data = fog[team.team.id] = new FogData();
}
synchronized(staticEvents){
//TODO slow?
for(var unit : team.units){
int tx = unit.tileX(), ty = unit.tileY(), pos = tx + ty * ww;
if(unit.type.fogRadius <= 0f) continue;
long event = FogEvent.get(tx, ty, (int)unit.type.fogRadius, team.team.id);
//always update the dynamic events, but only *flush* the results when necessary?
unitEventQueue.add(event);
if(unit.lastFogPos != pos){
pushEvent(event, false);
unit.lastFogPos = pos;
data.dynamicUpdated = true;
}
}
}
//if it's time for an update, flush *everything* onto the update queue
if(data.dynamicUpdated && Time.timeSinceMillis(data.lastDynamicMs) > dynamicUpdateInterval){
data.dynamicUpdated = false;
data.lastDynamicMs = Time.millis();
//add building updates
for(var build : indexer.getFlagged(team.team, BlockFlag.hasFogRadius)){
dynamicEventQueue.add(FogEvent.get(build.tile.x, build.tile.y, Mathf.round(build.fogRadius()), build.team.id));
}
//add unit updates
dynamicEventQueue.addAll(unitEventQueue);
}
}
}
if(dynamicEventQueue.size > 0){
//flush unit events over when something happens
synchronized(dynamicEvents){
dynamicEvents.clear();
dynamicEvents.addAll(dynamicEventQueue);
}
dynamicEventQueue.clear();
//force update so visibility doesn't have a pop-in
if(justLoaded){
updateDynamic(new Bits(256));
justLoaded = false;
}
//notify that it's time for rendering
//TODO this WILL block until it is done rendering, which is inherently problematic.
synchronized(notifyDynamic){
notifyDynamic.notify();
}
}
//wake up, it's time to draw some circles
if(state.rules.staticFog && staticEvents.size > 0 && staticFogThread != null){
synchronized(notifyStatic){
notifyStatic.notify();
}
}
}
class StaticFogThread extends Thread{
StaticFogThread(){
super("StaticFogThread");
}
@Override
public void run(){
while(true){
try{
synchronized(notifyStatic){
try{
//wait until<SUF>
notifyStatic.wait();
}catch(InterruptedException e){
//end thread
return;
}
}
updateStatic();
//ignore, don't want to crash this thread
}catch(Exception e){}
}
}
}
void updateStatic(){
//I really don't like synchronizing here, but there should be *some* performance benefit at least
synchronized(staticEvents){
int size = staticEvents.size;
for(int i = 0; i < size; i++){
long event = staticEvents.items[i];
int x = FogEvent.x(event), y = FogEvent.y(event), rad = FogEvent.radius(event), team = FogEvent.team(event);
var data = fog[team];
if(data != null){
circle(data.staticData, x, y, rad);
}
}
staticEvents.clear();
}
}
class DynamicFogThread extends Thread{
final Bits cleared = new Bits();
DynamicFogThread(){
super("DynamicFogThread");
}
@Override
public void run(){
while(true){
try{
synchronized(notifyDynamic){
try{
//wait until an event happens
notifyDynamic.wait();
}catch(InterruptedException e){
//end thread
return;
}
}
updateDynamic(cleared);
//ignore, don't want to crash this thread
}catch(Exception e){
//log for debugging
e.printStackTrace();
}
}
}
}
void updateDynamic(Bits cleared){
cleared.clear();
//ugly sync
synchronized(dynamicEvents){
int size = dynamicEvents.size;
//draw step
for(int i = 0; i < size; i++){
long event = dynamicEvents.items[i];
int x = FogEvent.x(event), y = FogEvent.y(event), rad = FogEvent.radius(event), team = FogEvent.team(event);
if(rad <= 0) continue;
var data = fog[team];
if(data != null){
//clear the buffer, since it is being re-drawn
if(!cleared.get(team)){
cleared.set(team);
data.write.clear();
}
//radius is always +1 to keep up with visuals
circle(data.write, x, y, rad + 1);
}
}
dynamicEvents.clear();
}
//swap step, no need for synchronization or anything
for(int i = 0; i < 256; i++){
if(cleared.get(i)){
var data = fog[i];
//swap buffers, flushing the data that was just drawn
Bits temp = data.read;
data.read = data.write;
data.write = temp;
}
}
}
@Override
public void write(DataOutput stream) throws IOException{
int used = 0;
for(int i = 0; i < 256; i++){
if(fog[i] != null) used ++;
}
stream.writeByte(used);
stream.writeShort(world.width());
stream.writeShort(world.height());
for(int i = 0; i < 256; i++){
if(fog[i] != null){
stream.writeByte(i);
Bits data = fog[i].staticData;
int size = ww * wh;
int pos = 0;
while(pos < size){
int consecutives = 0;
boolean cur = data.get(pos);
while(consecutives < 127 && pos < size){
if(cur != data.get(pos)){
break;
}
consecutives ++;
pos ++;
}
int mask = (cur ? 0b1000_0000 : 0);
stream.write(mask | (consecutives));
}
}
}
}
@Override
public void read(DataInput stream) throws IOException{
if(fog == null) fog = new FogData[256];
int teams = stream.readUnsignedByte();
int w = stream.readShort(), h = stream.readShort();
int len = w * h;
ww = w;
wh = h;
for(int ti = 0; ti < teams; ti++){
int team = stream.readUnsignedByte();
fog[team] = new FogData();
int pos = 0;
Bits bools = fog[team].staticData;
while(pos < len){
int data = stream.readByte() & 0xff;
boolean sign = (data & 0b1000_0000) != 0;
int consec = data & 0b0111_1111;
if(sign){
bools.set(pos, pos + consec);
pos += consec;
}else{
pos += consec;
}
}
}
}
@Override
public boolean shouldWrite(){
return state.rules.fog && state.rules.staticFog && fog != null;
}
static void circle(Bits arr, int x, int y, int radius){
int f = 1 - radius;
int ddFx = 1, ddFy = -2 * radius;
int px = 0, py = radius;
hline(arr, x, x, y + radius);
hline(arr, x, x, y - radius);
hline(arr, x - radius, x + radius, y);
while(px < py){
if(f >= 0){
py--;
ddFy += 2;
f += ddFy;
}
px++;
ddFx += 2;
f += ddFx;
hline(arr, x - px, x + px, y + py);
hline(arr, x - px, x + px, y - py);
hline(arr, x - py, x + py, y + px);
hline(arr, x - py, x + py, y - px);
}
}
static void hline(Bits arr, int x1, int x2, int y){
if(y < 0 || y >= wh) return;
int tmp;
if(x1 > x2){
tmp = x1;
x1 = x2;
x2 = tmp;
}
if(x1 >= ww) return;
if(x2 < 0) return;
if(x1 < 0) x1 = 0;
if(x2 >= ww) x2 = ww - 1;
x2++;
int off = y * ww;
arr.set(off + x1, off + x2);
}
static class FogData{
/** dynamic double-buffered data for dynamic (live) coverage */
volatile Bits read, write;
/** static map exploration fog*/
final Bits staticData;
/** last dynamic update timestamp. */
long lastDynamicMs = 0;
/** if true, a dynamic fog update must be scheduled. */
boolean dynamicUpdated = true;
FogData(){
int len = ww * wh;
read = new Bits(len);
write = new Bits(len);
staticData = new Bits(len);
}
}
@Struct
class FogEventStruct{
@StructField(16)
int x;
@StructField(16)
int y;
@StructField(16)
int radius;
@StructField(8)
int team;
}
}
|
2146_24 | /*
* Copyright (C) 2013,2014 Brett Wooldridge
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package com.zaxxer.hikari.pool;
import java.sql.Connection;
import java.sql.SQLException;
import java.sql.SQLTransientConnectionException;
import java.util.Collections;
import java.util.List;
import java.util.concurrent.Callable;
import java.util.concurrent.ExecutorService;
import java.util.concurrent.Future;
import java.util.concurrent.ScheduledThreadPoolExecutor;
import java.util.concurrent.ThreadFactory;
import java.util.concurrent.ThreadLocalRandom;
import java.util.concurrent.ThreadPoolExecutor;
import java.util.concurrent.atomic.AtomicInteger;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import com.codahale.metrics.MetricRegistry;
import com.codahale.metrics.health.HealthCheckRegistry;
import com.zaxxer.hikari.HikariConfig;
import com.zaxxer.hikari.HikariPoolMXBean;
import com.zaxxer.hikari.metrics.MetricsTrackerFactory;
import com.zaxxer.hikari.metrics.PoolStats;
import com.zaxxer.hikari.metrics.dropwizard.CodahaleHealthChecker;
import com.zaxxer.hikari.metrics.dropwizard.CodahaleMetricsTrackerFactory;
import com.zaxxer.hikari.util.ClockSource;
import com.zaxxer.hikari.util.ConcurrentBag;
import com.zaxxer.hikari.util.ConcurrentBag.IBagStateListener;
import com.zaxxer.hikari.util.UtilityElf.DefaultThreadFactory;
import com.zaxxer.hikari.util.SuspendResumeLock;
import static java.util.concurrent.TimeUnit.MILLISECONDS;
import static java.util.concurrent.TimeUnit.SECONDS;
import static com.zaxxer.hikari.pool.PoolEntry.LAST_ACCESS_COMPARABLE;
import static com.zaxxer.hikari.util.ConcurrentBag.IConcurrentBagEntry.STATE_IN_USE;
import static com.zaxxer.hikari.util.ConcurrentBag.IConcurrentBagEntry.STATE_NOT_IN_USE;
import static com.zaxxer.hikari.util.ConcurrentBag.IConcurrentBagEntry.STATE_REMOVED;
import static com.zaxxer.hikari.util.UtilityElf.createThreadPoolExecutor;
import static com.zaxxer.hikari.util.UtilityElf.quietlySleep;
/**
* This is the primary connection pool class that provides the basic
* pooling behavior for HikariCP.
*
* @author Brett Wooldridge
*/
public class HikariPool extends PoolBase implements HikariPoolMXBean, IBagStateListener
{
private final Logger LOGGER = LoggerFactory.getLogger(HikariPool.class);
private static final ClockSource clockSource = ClockSource.INSTANCE;
private static final int POOL_NORMAL = 0;
private static final int POOL_SUSPENDED = 1;
private static final int POOL_SHUTDOWN = 2;
private volatile int poolState;
private final long ALIVE_BYPASS_WINDOW_MS = Long.getLong("com.zaxxer.hikari.aliveBypassWindowMs", MILLISECONDS.toMillis(500));
private final long HOUSEKEEPING_PERIOD_MS = Long.getLong("com.zaxxer.hikari.housekeeping.periodMs", SECONDS.toMillis(30));
private final PoolEntryCreator POOL_ENTRY_CREATOR = new PoolEntryCreator();
private final AtomicInteger totalConnections;
private final ThreadPoolExecutor addConnectionExecutor;
private final ThreadPoolExecutor closeConnectionExecutor;
private final ScheduledThreadPoolExecutor houseKeepingExecutorService;
private final ConcurrentBag<PoolEntry> connectionBag;
private final ProxyLeakTask leakTask;
private final SuspendResumeLock suspendResumeLock;
private MetricsTrackerDelegate metricsTracker;
/**
* Construct a HikariPool with the specified configuration.
*
* @param config a HikariConfig instance
*/
public HikariPool(final HikariConfig config)
{
super(config);
this.connectionBag = new ConcurrentBag<>(this);
this.totalConnections = new AtomicInteger();
this.suspendResumeLock = config.isAllowPoolSuspension() ? new SuspendResumeLock() : SuspendResumeLock.FAUX_LOCK;
if (config.getMetricsTrackerFactory() != null) {
setMetricsTrackerFactory(config.getMetricsTrackerFactory());
}
else {
setMetricRegistry(config.getMetricRegistry());
}
setHealthCheckRegistry(config.getHealthCheckRegistry());
registerMBeans(this);
checkFailFast();
ThreadFactory threadFactory = config.getThreadFactory();
this.addConnectionExecutor = createThreadPoolExecutor(config.getMaximumPoolSize(), poolName + " connection adder", threadFactory, new ThreadPoolExecutor.DiscardPolicy());
this.closeConnectionExecutor = createThreadPoolExecutor(config.getMaximumPoolSize(), poolName + " connection closer", threadFactory, new ThreadPoolExecutor.CallerRunsPolicy());
if (config.getScheduledExecutorService() == null) {
threadFactory = threadFactory != null ? threadFactory : new DefaultThreadFactory(poolName + " housekeeper", true);
this.houseKeepingExecutorService = new ScheduledThreadPoolExecutor(1, threadFactory, new ThreadPoolExecutor.DiscardPolicy());
this.houseKeepingExecutorService.setExecuteExistingDelayedTasksAfterShutdownPolicy(false);
this.houseKeepingExecutorService.setRemoveOnCancelPolicy(true);
}
else {
this.houseKeepingExecutorService = config.getScheduledExecutorService();
}
this.houseKeepingExecutorService.scheduleWithFixedDelay(new HouseKeeper(), 0L, HOUSEKEEPING_PERIOD_MS, MILLISECONDS);
this.leakTask = new ProxyLeakTask(config.getLeakDetectionThreshold(), houseKeepingExecutorService);
}
/**
* Get a connection from the pool, or timeout after connectionTimeout milliseconds.
*
* @return a java.sql.Connection instance
* @throws SQLException thrown if a timeout occurs trying to obtain a connection
*/
public final Connection getConnection() throws SQLException
{
return getConnection(connectionTimeout);
}
/**
* Get a connection from the pool, or timeout after the specified number of milliseconds.
*
* @param hardTimeout the maximum time to wait for a connection from the pool
* @return a java.sql.Connection instance
* @throws SQLException thrown if a timeout occurs trying to obtain a connection
*/
public final Connection getConnection(final long hardTimeout) throws SQLException
{
suspendResumeLock.acquire();
final long startTime = clockSource.currentTime();
try {
long timeout = hardTimeout;
do {
final PoolEntry poolEntry = connectionBag.borrow(timeout, MILLISECONDS);
if (poolEntry == null) {
break; // We timed out... break and throw exception
}
final long now = clockSource.currentTime();
if (poolEntry.isMarkedEvicted() || (clockSource.elapsedMillis(poolEntry.lastAccessed, now) > ALIVE_BYPASS_WINDOW_MS && !isConnectionAlive(poolEntry.connection))) {
closeConnection(poolEntry, "(connection is evicted or dead)"); // Throw away the dead connection (passed max age or failed alive test)
timeout = hardTimeout - clockSource.elapsedMillis(startTime);
}
else {
metricsTracker.recordBorrowStats(poolEntry, startTime);
return poolEntry.createProxyConnection(leakTask.schedule(poolEntry), now);
}
} while (timeout > 0L);
}
catch (InterruptedException e) {
throw new SQLException(poolName + " - Interrupted during connection acquisition", e);
}
finally {
suspendResumeLock.release();
}
logPoolState("Timeout failure ");
metricsTracker.recordConnectionTimeout();
String sqlState = null;
final Throwable originalException = getLastConnectionFailure();
if (originalException instanceof SQLException) {
sqlState = ((SQLException) originalException).getSQLState();
}
final SQLException connectionException = new SQLTransientConnectionException(poolName + " - Connection is not available, request timed out after " + clockSource.elapsedMillis(startTime) + "ms.", sqlState, originalException);
if (originalException instanceof SQLException) {
connectionException.setNextException((SQLException) originalException);
}
throw connectionException;
}
/**
* Shutdown the pool, closing all idle connections and aborting or closing
* active connections.
*
* @throws InterruptedException thrown if the thread is interrupted during shutdown
*/
public final synchronized void shutdown() throws InterruptedException
{
try {
poolState = POOL_SHUTDOWN;
LOGGER.info("{} - Close initiated...", poolName);
logPoolState("Before closing ");
softEvictConnections();
addConnectionExecutor.shutdown();
addConnectionExecutor.awaitTermination(5L, SECONDS);
if (config.getScheduledExecutorService() == null && houseKeepingExecutorService != null) {
houseKeepingExecutorService.shutdown();
houseKeepingExecutorService.awaitTermination(5L, SECONDS);
}
connectionBag.close();
final ExecutorService assassinExecutor = createThreadPoolExecutor(config.getMaximumPoolSize(), poolName + " connection assassinator",
config.getThreadFactory(), new ThreadPoolExecutor.CallerRunsPolicy());
try {
final long start = clockSource.currentTime();
do {
abortActiveConnections(assassinExecutor);
softEvictConnections();
} while (getTotalConnections() > 0 && clockSource.elapsedMillis(start) < SECONDS.toMillis(5));
}
finally {
assassinExecutor.shutdown();
assassinExecutor.awaitTermination(5L, SECONDS);
}
shutdownNetworkTimeoutExecutor();
closeConnectionExecutor.shutdown();
closeConnectionExecutor.awaitTermination(5L, SECONDS);
}
finally {
logPoolState("After closing ");
unregisterMBeans();
metricsTracker.close();
LOGGER.info("{} - Closed.", poolName);
}
}
/**
* Evict a connection from the pool.
*
* @param connection the connection to evict
*/
public final void evictConnection(Connection connection)
{
ProxyConnection proxyConnection = (ProxyConnection) connection;
proxyConnection.cancelLeakTask();
softEvictConnection(proxyConnection.getPoolEntry(), "(connection evicted by user)", true /* owner */);
}
public void setMetricRegistry(Object metricRegistry)
{
if (metricRegistry != null) {
setMetricsTrackerFactory(new CodahaleMetricsTrackerFactory((MetricRegistry) metricRegistry));
}
else {
setMetricsTrackerFactory(null);
}
}
public void setMetricsTrackerFactory(MetricsTrackerFactory metricsTrackerFactory)
{
if (metricsTrackerFactory != null) {
this.metricsTracker = new MetricsTrackerDelegate(metricsTrackerFactory.create(config.getPoolName(), getPoolStats()));
}
else {
this.metricsTracker = new NopMetricsTrackerDelegate();
}
}
public void setHealthCheckRegistry(Object healthCheckRegistry)
{
if (healthCheckRegistry != null) {
CodahaleHealthChecker.registerHealthChecks(this, config, (HealthCheckRegistry) healthCheckRegistry);
}
}
// ***********************************************************************
// IBagStateListener callback
// ***********************************************************************
/** {@inheritDoc} */
@Override
public Future<Boolean> addBagItem()
{
return addConnectionExecutor.submit(POOL_ENTRY_CREATOR);
}
// ***********************************************************************
// HikariPoolMBean methods
// ***********************************************************************
/** {@inheritDoc} */
@Override
public final int getActiveConnections()
{
return connectionBag.getCount(STATE_IN_USE);
}
/** {@inheritDoc} */
@Override
public final int getIdleConnections()
{
return connectionBag.getCount(STATE_NOT_IN_USE);
}
/** {@inheritDoc} */
@Override
public final int getTotalConnections()
{
return connectionBag.size() - connectionBag.getCount(STATE_REMOVED);
}
/** {@inheritDoc} */
@Override
public final int getThreadsAwaitingConnection()
{
return connectionBag.getPendingQueue();
}
/** {@inheritDoc} */
@Override
public void softEvictConnections()
{
for (PoolEntry poolEntry : connectionBag.values()) {
softEvictConnection(poolEntry, "(connection evicted)", false /* not owner */);
}
}
/** {@inheritDoc} */
@Override
public final synchronized void suspendPool()
{
if (suspendResumeLock == SuspendResumeLock.FAUX_LOCK) {
throw new IllegalStateException(poolName + " - is not suspendable");
}
else if (poolState != POOL_SUSPENDED) {
suspendResumeLock.suspend();
poolState = POOL_SUSPENDED;
}
}
/** {@inheritDoc} */
@Override
public final synchronized void resumePool()
{
if (poolState == POOL_SUSPENDED) {
poolState = POOL_NORMAL;
fillPool();
suspendResumeLock.resume();
}
}
// ***********************************************************************
// Package methods
// ***********************************************************************
/**
* Log the current pool state at debug level.
*
* @param prefix an optional prefix to prepend the log message
*/
final void logPoolState(String... prefix)
{
if (LOGGER.isDebugEnabled()) {
LOGGER.debug("{} - {}stats (total={}, active={}, idle={}, waiting={})",
poolName, (prefix.length > 0 ? prefix[0] : ""),
getTotalConnections(), getActiveConnections(), getIdleConnections(), getThreadsAwaitingConnection());
}
}
/**
* Release a connection back to the pool, or permanently close it if it is broken.
*
* @param poolEntry the PoolBagEntry to release back to the pool
*/
@Override
final void releaseConnection(final PoolEntry poolEntry)
{
metricsTracker.recordConnectionUsage(poolEntry);
connectionBag.requite(poolEntry);
}
/**
* Permanently close the real (underlying) connection (eat any exception).
*
* @param poolEntry poolEntry having the connection to close
* @param closureReason reason to close
*/
final void closeConnection(final PoolEntry poolEntry, final String closureReason)
{
if (connectionBag.remove(poolEntry)) {
final int tc = totalConnections.decrementAndGet();
if (tc < 0) {
LOGGER.warn("{} - Unexpected value of totalConnections={}", poolName, tc, new Exception());
}
final Connection connection = poolEntry.close();
closeConnectionExecutor.execute(new Runnable() {
@Override
public void run() {
quietlyCloseConnection(connection, closureReason);
}
});
}
}
// ***********************************************************************
// Private methods
// ***********************************************************************
/**
* Create and add a single connection to the pool.
*/
private PoolEntry createPoolEntry()
{
try {
final PoolEntry poolEntry = newPoolEntry();
final long maxLifetime = config.getMaxLifetime();
if (maxLifetime > 0) {
// variance up to 2.5% of the maxlifetime
final long variance = maxLifetime > 10_000 ? ThreadLocalRandom.current().nextLong( maxLifetime / 40 ) : 0;
final long lifetime = maxLifetime - variance;
poolEntry.setFutureEol(houseKeepingExecutorService.schedule(new Runnable() {
@Override
public void run() {
softEvictConnection(poolEntry, "(connection has passed maxLifetime)", false /* not owner */);
}
}, lifetime, MILLISECONDS));
}
LOGGER.debug("{} - Added connection {}", poolName, poolEntry.connection);
return poolEntry;
}
catch (Exception e) {
if (poolState == POOL_NORMAL) {
LOGGER.debug("{} - Cannot acquire connection from data source", poolName, e);
}
return null;
}
}
/**
* Fill pool up from current idle connections (as they are perceived at the point of execution) to minimumIdle connections.
*/
private void fillPool()
{
final int connectionsToAdd = Math.min(config.getMaximumPoolSize() - totalConnections.get(), config.getMinimumIdle() - getIdleConnections())
- addConnectionExecutor.getQueue().size();
for (int i = 0; i < connectionsToAdd; i++) {
addBagItem();
}
if (connectionsToAdd > 0 && LOGGER.isDebugEnabled()) {
addConnectionExecutor.execute(new Runnable() {
@Override
public void run() {
logPoolState("After adding ");
}
});
}
}
/**
* Attempt to abort() active connections, or close() them.
*/
private void abortActiveConnections(final ExecutorService assassinExecutor)
{
for (PoolEntry poolEntry : connectionBag.values(STATE_IN_USE)) {
try {
poolEntry.connection.abort(assassinExecutor);
}
catch (Throwable e) {
quietlyCloseConnection(poolEntry.connection, "(connection aborted during shutdown)");
}
finally {
poolEntry.close();
if (connectionBag.remove(poolEntry)) {
totalConnections.decrementAndGet();
}
}
}
}
/**
* Fill the pool up to the minimum size.
*/
private void checkFailFast()
{
if (config.isInitializationFailFast()) {
try {
newConnection().close();
}
catch (Throwable e) {
try {
shutdown();
}
catch (Throwable ex) {
e.addSuppressed(ex);
}
throw new PoolInitializationException(e);
}
}
}
private void softEvictConnection(final PoolEntry poolEntry, final String reason, final boolean owner)
{
if (owner || connectionBag.reserve(poolEntry)) {
closeConnection(poolEntry, reason);
}
else {
poolEntry.markEvicted();
}
}
private PoolStats getPoolStats()
{
return new PoolStats(SECONDS.toMillis(1)) {
@Override
protected void update() {
this.pendingThreads = HikariPool.this.getThreadsAwaitingConnection();
this.idleConnections = HikariPool.this.getIdleConnections();
this.totalConnections = HikariPool.this.getTotalConnections();
this.activeConnections = HikariPool.this.getActiveConnections();
}
};
}
// ***********************************************************************
// Non-anonymous Inner-classes
// ***********************************************************************
private class PoolEntryCreator implements Callable<Boolean>
{
@Override
public Boolean call() throws Exception
{
long sleepBackoff = 250L;
while (poolState == POOL_NORMAL && totalConnections.get() < config.getMaximumPoolSize()) {
final PoolEntry poolEntry = createPoolEntry();
if (poolEntry != null) {
totalConnections.incrementAndGet();
connectionBag.add(poolEntry);
return Boolean.TRUE;
}
// failed to get connection from db, sleep and retry
quietlySleep(sleepBackoff);
sleepBackoff = Math.min(SECONDS.toMillis(10), Math.min(connectionTimeout, (long) (sleepBackoff * 1.5)));
}
// Pool is suspended or shutdown or at max size
return Boolean.FALSE;
}
}
/**
* The house keeping task to retire idle connections.
*/
private class HouseKeeper implements Runnable
{
private volatile long previous = clockSource.plusMillis(clockSource.currentTime(), -HOUSEKEEPING_PERIOD_MS);
@Override
public void run()
{
// refresh timeouts in case they changed via MBean
connectionTimeout = config.getConnectionTimeout();
validationTimeout = config.getValidationTimeout();
leakTask.updateLeakDetectionThreshold(config.getLeakDetectionThreshold());
final long idleTimeout = config.getIdleTimeout();
final long now = clockSource.currentTime();
// Detect retrograde time, allowing +128ms as per NTP spec.
if (clockSource.plusMillis(now, 128) < clockSource.plusMillis(previous, HOUSEKEEPING_PERIOD_MS)) {
LOGGER.warn("{} - Retrograde clock change detected (housekeeper delta={}), soft-evicting connections from pool.",
clockSource.elapsedDisplayString(previous, now), poolName);
previous = now;
softEvictConnections();
fillPool();
return;
}
else if (now > clockSource.plusMillis(previous, (3 * HOUSEKEEPING_PERIOD_MS) / 2)) {
// No point evicting for forward clock motion, this merely accelerates connection retirement anyway
LOGGER.warn("{} - Thread starvation or clock leap detected (housekeeper delta={}).", clockSource.elapsedDisplayString(previous, now), poolName);
}
previous = now;
String afterPrefix = "Pool ";
if (idleTimeout > 0L) {
final List<PoolEntry> idleList = connectionBag.values(STATE_NOT_IN_USE);
int removable = idleList.size() - config.getMinimumIdle();
if (removable > 0) {
logPoolState("Before cleanup ");
afterPrefix = "After cleanup ";
// Sort pool entries on lastAccessed
Collections.sort(idleList, LAST_ACCESS_COMPARABLE);
for (PoolEntry poolEntry : idleList) {
if (clockSource.elapsedMillis(poolEntry.lastAccessed, now) > idleTimeout && connectionBag.reserve(poolEntry)) {
closeConnection(poolEntry, "(connection has passed idleTimeout)");
if (--removable == 0) {
break; // keep min idle cons
}
}
}
}
}
logPoolState(afterPrefix);
fillPool(); // Try to maintain minimum connections
}
}
public static class PoolInitializationException extends RuntimeException
{
private static final long serialVersionUID = 929872118275916520L;
/**
* Construct an exception, possibly wrapping the provided Throwable as the cause.
* @param t the Throwable to wrap
*/
public PoolInitializationException(Throwable t)
{
super("Failed to initialize pool: " + t.getMessage(), t);
}
}
}
| brettwooldridge/HikariCP | src/main/java/com/zaxxer/hikari/pool/HikariPool.java | 5,587 | // keep min idle cons | line_comment | nl | /*
* Copyright (C) 2013,2014 Brett Wooldridge
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package com.zaxxer.hikari.pool;
import java.sql.Connection;
import java.sql.SQLException;
import java.sql.SQLTransientConnectionException;
import java.util.Collections;
import java.util.List;
import java.util.concurrent.Callable;
import java.util.concurrent.ExecutorService;
import java.util.concurrent.Future;
import java.util.concurrent.ScheduledThreadPoolExecutor;
import java.util.concurrent.ThreadFactory;
import java.util.concurrent.ThreadLocalRandom;
import java.util.concurrent.ThreadPoolExecutor;
import java.util.concurrent.atomic.AtomicInteger;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import com.codahale.metrics.MetricRegistry;
import com.codahale.metrics.health.HealthCheckRegistry;
import com.zaxxer.hikari.HikariConfig;
import com.zaxxer.hikari.HikariPoolMXBean;
import com.zaxxer.hikari.metrics.MetricsTrackerFactory;
import com.zaxxer.hikari.metrics.PoolStats;
import com.zaxxer.hikari.metrics.dropwizard.CodahaleHealthChecker;
import com.zaxxer.hikari.metrics.dropwizard.CodahaleMetricsTrackerFactory;
import com.zaxxer.hikari.util.ClockSource;
import com.zaxxer.hikari.util.ConcurrentBag;
import com.zaxxer.hikari.util.ConcurrentBag.IBagStateListener;
import com.zaxxer.hikari.util.UtilityElf.DefaultThreadFactory;
import com.zaxxer.hikari.util.SuspendResumeLock;
import static java.util.concurrent.TimeUnit.MILLISECONDS;
import static java.util.concurrent.TimeUnit.SECONDS;
import static com.zaxxer.hikari.pool.PoolEntry.LAST_ACCESS_COMPARABLE;
import static com.zaxxer.hikari.util.ConcurrentBag.IConcurrentBagEntry.STATE_IN_USE;
import static com.zaxxer.hikari.util.ConcurrentBag.IConcurrentBagEntry.STATE_NOT_IN_USE;
import static com.zaxxer.hikari.util.ConcurrentBag.IConcurrentBagEntry.STATE_REMOVED;
import static com.zaxxer.hikari.util.UtilityElf.createThreadPoolExecutor;
import static com.zaxxer.hikari.util.UtilityElf.quietlySleep;
/**
* This is the primary connection pool class that provides the basic
* pooling behavior for HikariCP.
*
* @author Brett Wooldridge
*/
public class HikariPool extends PoolBase implements HikariPoolMXBean, IBagStateListener
{
private final Logger LOGGER = LoggerFactory.getLogger(HikariPool.class);
private static final ClockSource clockSource = ClockSource.INSTANCE;
private static final int POOL_NORMAL = 0;
private static final int POOL_SUSPENDED = 1;
private static final int POOL_SHUTDOWN = 2;
private volatile int poolState;
private final long ALIVE_BYPASS_WINDOW_MS = Long.getLong("com.zaxxer.hikari.aliveBypassWindowMs", MILLISECONDS.toMillis(500));
private final long HOUSEKEEPING_PERIOD_MS = Long.getLong("com.zaxxer.hikari.housekeeping.periodMs", SECONDS.toMillis(30));
private final PoolEntryCreator POOL_ENTRY_CREATOR = new PoolEntryCreator();
private final AtomicInteger totalConnections;
private final ThreadPoolExecutor addConnectionExecutor;
private final ThreadPoolExecutor closeConnectionExecutor;
private final ScheduledThreadPoolExecutor houseKeepingExecutorService;
private final ConcurrentBag<PoolEntry> connectionBag;
private final ProxyLeakTask leakTask;
private final SuspendResumeLock suspendResumeLock;
private MetricsTrackerDelegate metricsTracker;
/**
* Construct a HikariPool with the specified configuration.
*
* @param config a HikariConfig instance
*/
public HikariPool(final HikariConfig config)
{
super(config);
this.connectionBag = new ConcurrentBag<>(this);
this.totalConnections = new AtomicInteger();
this.suspendResumeLock = config.isAllowPoolSuspension() ? new SuspendResumeLock() : SuspendResumeLock.FAUX_LOCK;
if (config.getMetricsTrackerFactory() != null) {
setMetricsTrackerFactory(config.getMetricsTrackerFactory());
}
else {
setMetricRegistry(config.getMetricRegistry());
}
setHealthCheckRegistry(config.getHealthCheckRegistry());
registerMBeans(this);
checkFailFast();
ThreadFactory threadFactory = config.getThreadFactory();
this.addConnectionExecutor = createThreadPoolExecutor(config.getMaximumPoolSize(), poolName + " connection adder", threadFactory, new ThreadPoolExecutor.DiscardPolicy());
this.closeConnectionExecutor = createThreadPoolExecutor(config.getMaximumPoolSize(), poolName + " connection closer", threadFactory, new ThreadPoolExecutor.CallerRunsPolicy());
if (config.getScheduledExecutorService() == null) {
threadFactory = threadFactory != null ? threadFactory : new DefaultThreadFactory(poolName + " housekeeper", true);
this.houseKeepingExecutorService = new ScheduledThreadPoolExecutor(1, threadFactory, new ThreadPoolExecutor.DiscardPolicy());
this.houseKeepingExecutorService.setExecuteExistingDelayedTasksAfterShutdownPolicy(false);
this.houseKeepingExecutorService.setRemoveOnCancelPolicy(true);
}
else {
this.houseKeepingExecutorService = config.getScheduledExecutorService();
}
this.houseKeepingExecutorService.scheduleWithFixedDelay(new HouseKeeper(), 0L, HOUSEKEEPING_PERIOD_MS, MILLISECONDS);
this.leakTask = new ProxyLeakTask(config.getLeakDetectionThreshold(), houseKeepingExecutorService);
}
/**
* Get a connection from the pool, or timeout after connectionTimeout milliseconds.
*
* @return a java.sql.Connection instance
* @throws SQLException thrown if a timeout occurs trying to obtain a connection
*/
public final Connection getConnection() throws SQLException
{
return getConnection(connectionTimeout);
}
/**
* Get a connection from the pool, or timeout after the specified number of milliseconds.
*
* @param hardTimeout the maximum time to wait for a connection from the pool
* @return a java.sql.Connection instance
* @throws SQLException thrown if a timeout occurs trying to obtain a connection
*/
public final Connection getConnection(final long hardTimeout) throws SQLException
{
suspendResumeLock.acquire();
final long startTime = clockSource.currentTime();
try {
long timeout = hardTimeout;
do {
final PoolEntry poolEntry = connectionBag.borrow(timeout, MILLISECONDS);
if (poolEntry == null) {
break; // We timed out... break and throw exception
}
final long now = clockSource.currentTime();
if (poolEntry.isMarkedEvicted() || (clockSource.elapsedMillis(poolEntry.lastAccessed, now) > ALIVE_BYPASS_WINDOW_MS && !isConnectionAlive(poolEntry.connection))) {
closeConnection(poolEntry, "(connection is evicted or dead)"); // Throw away the dead connection (passed max age or failed alive test)
timeout = hardTimeout - clockSource.elapsedMillis(startTime);
}
else {
metricsTracker.recordBorrowStats(poolEntry, startTime);
return poolEntry.createProxyConnection(leakTask.schedule(poolEntry), now);
}
} while (timeout > 0L);
}
catch (InterruptedException e) {
throw new SQLException(poolName + " - Interrupted during connection acquisition", e);
}
finally {
suspendResumeLock.release();
}
logPoolState("Timeout failure ");
metricsTracker.recordConnectionTimeout();
String sqlState = null;
final Throwable originalException = getLastConnectionFailure();
if (originalException instanceof SQLException) {
sqlState = ((SQLException) originalException).getSQLState();
}
final SQLException connectionException = new SQLTransientConnectionException(poolName + " - Connection is not available, request timed out after " + clockSource.elapsedMillis(startTime) + "ms.", sqlState, originalException);
if (originalException instanceof SQLException) {
connectionException.setNextException((SQLException) originalException);
}
throw connectionException;
}
/**
* Shutdown the pool, closing all idle connections and aborting or closing
* active connections.
*
* @throws InterruptedException thrown if the thread is interrupted during shutdown
*/
public final synchronized void shutdown() throws InterruptedException
{
try {
poolState = POOL_SHUTDOWN;
LOGGER.info("{} - Close initiated...", poolName);
logPoolState("Before closing ");
softEvictConnections();
addConnectionExecutor.shutdown();
addConnectionExecutor.awaitTermination(5L, SECONDS);
if (config.getScheduledExecutorService() == null && houseKeepingExecutorService != null) {
houseKeepingExecutorService.shutdown();
houseKeepingExecutorService.awaitTermination(5L, SECONDS);
}
connectionBag.close();
final ExecutorService assassinExecutor = createThreadPoolExecutor(config.getMaximumPoolSize(), poolName + " connection assassinator",
config.getThreadFactory(), new ThreadPoolExecutor.CallerRunsPolicy());
try {
final long start = clockSource.currentTime();
do {
abortActiveConnections(assassinExecutor);
softEvictConnections();
} while (getTotalConnections() > 0 && clockSource.elapsedMillis(start) < SECONDS.toMillis(5));
}
finally {
assassinExecutor.shutdown();
assassinExecutor.awaitTermination(5L, SECONDS);
}
shutdownNetworkTimeoutExecutor();
closeConnectionExecutor.shutdown();
closeConnectionExecutor.awaitTermination(5L, SECONDS);
}
finally {
logPoolState("After closing ");
unregisterMBeans();
metricsTracker.close();
LOGGER.info("{} - Closed.", poolName);
}
}
/**
* Evict a connection from the pool.
*
* @param connection the connection to evict
*/
public final void evictConnection(Connection connection)
{
ProxyConnection proxyConnection = (ProxyConnection) connection;
proxyConnection.cancelLeakTask();
softEvictConnection(proxyConnection.getPoolEntry(), "(connection evicted by user)", true /* owner */);
}
public void setMetricRegistry(Object metricRegistry)
{
if (metricRegistry != null) {
setMetricsTrackerFactory(new CodahaleMetricsTrackerFactory((MetricRegistry) metricRegistry));
}
else {
setMetricsTrackerFactory(null);
}
}
public void setMetricsTrackerFactory(MetricsTrackerFactory metricsTrackerFactory)
{
if (metricsTrackerFactory != null) {
this.metricsTracker = new MetricsTrackerDelegate(metricsTrackerFactory.create(config.getPoolName(), getPoolStats()));
}
else {
this.metricsTracker = new NopMetricsTrackerDelegate();
}
}
public void setHealthCheckRegistry(Object healthCheckRegistry)
{
if (healthCheckRegistry != null) {
CodahaleHealthChecker.registerHealthChecks(this, config, (HealthCheckRegistry) healthCheckRegistry);
}
}
// ***********************************************************************
// IBagStateListener callback
// ***********************************************************************
/** {@inheritDoc} */
@Override
public Future<Boolean> addBagItem()
{
return addConnectionExecutor.submit(POOL_ENTRY_CREATOR);
}
// ***********************************************************************
// HikariPoolMBean methods
// ***********************************************************************
/** {@inheritDoc} */
@Override
public final int getActiveConnections()
{
return connectionBag.getCount(STATE_IN_USE);
}
/** {@inheritDoc} */
@Override
public final int getIdleConnections()
{
return connectionBag.getCount(STATE_NOT_IN_USE);
}
/** {@inheritDoc} */
@Override
public final int getTotalConnections()
{
return connectionBag.size() - connectionBag.getCount(STATE_REMOVED);
}
/** {@inheritDoc} */
@Override
public final int getThreadsAwaitingConnection()
{
return connectionBag.getPendingQueue();
}
/** {@inheritDoc} */
@Override
public void softEvictConnections()
{
for (PoolEntry poolEntry : connectionBag.values()) {
softEvictConnection(poolEntry, "(connection evicted)", false /* not owner */);
}
}
/** {@inheritDoc} */
@Override
public final synchronized void suspendPool()
{
if (suspendResumeLock == SuspendResumeLock.FAUX_LOCK) {
throw new IllegalStateException(poolName + " - is not suspendable");
}
else if (poolState != POOL_SUSPENDED) {
suspendResumeLock.suspend();
poolState = POOL_SUSPENDED;
}
}
/** {@inheritDoc} */
@Override
public final synchronized void resumePool()
{
if (poolState == POOL_SUSPENDED) {
poolState = POOL_NORMAL;
fillPool();
suspendResumeLock.resume();
}
}
// ***********************************************************************
// Package methods
// ***********************************************************************
/**
* Log the current pool state at debug level.
*
* @param prefix an optional prefix to prepend the log message
*/
final void logPoolState(String... prefix)
{
if (LOGGER.isDebugEnabled()) {
LOGGER.debug("{} - {}stats (total={}, active={}, idle={}, waiting={})",
poolName, (prefix.length > 0 ? prefix[0] : ""),
getTotalConnections(), getActiveConnections(), getIdleConnections(), getThreadsAwaitingConnection());
}
}
/**
* Release a connection back to the pool, or permanently close it if it is broken.
*
* @param poolEntry the PoolBagEntry to release back to the pool
*/
@Override
final void releaseConnection(final PoolEntry poolEntry)
{
metricsTracker.recordConnectionUsage(poolEntry);
connectionBag.requite(poolEntry);
}
/**
* Permanently close the real (underlying) connection (eat any exception).
*
* @param poolEntry poolEntry having the connection to close
* @param closureReason reason to close
*/
final void closeConnection(final PoolEntry poolEntry, final String closureReason)
{
if (connectionBag.remove(poolEntry)) {
final int tc = totalConnections.decrementAndGet();
if (tc < 0) {
LOGGER.warn("{} - Unexpected value of totalConnections={}", poolName, tc, new Exception());
}
final Connection connection = poolEntry.close();
closeConnectionExecutor.execute(new Runnable() {
@Override
public void run() {
quietlyCloseConnection(connection, closureReason);
}
});
}
}
// ***********************************************************************
// Private methods
// ***********************************************************************
/**
* Create and add a single connection to the pool.
*/
private PoolEntry createPoolEntry()
{
try {
final PoolEntry poolEntry = newPoolEntry();
final long maxLifetime = config.getMaxLifetime();
if (maxLifetime > 0) {
// variance up to 2.5% of the maxlifetime
final long variance = maxLifetime > 10_000 ? ThreadLocalRandom.current().nextLong( maxLifetime / 40 ) : 0;
final long lifetime = maxLifetime - variance;
poolEntry.setFutureEol(houseKeepingExecutorService.schedule(new Runnable() {
@Override
public void run() {
softEvictConnection(poolEntry, "(connection has passed maxLifetime)", false /* not owner */);
}
}, lifetime, MILLISECONDS));
}
LOGGER.debug("{} - Added connection {}", poolName, poolEntry.connection);
return poolEntry;
}
catch (Exception e) {
if (poolState == POOL_NORMAL) {
LOGGER.debug("{} - Cannot acquire connection from data source", poolName, e);
}
return null;
}
}
/**
* Fill pool up from current idle connections (as they are perceived at the point of execution) to minimumIdle connections.
*/
private void fillPool()
{
final int connectionsToAdd = Math.min(config.getMaximumPoolSize() - totalConnections.get(), config.getMinimumIdle() - getIdleConnections())
- addConnectionExecutor.getQueue().size();
for (int i = 0; i < connectionsToAdd; i++) {
addBagItem();
}
if (connectionsToAdd > 0 && LOGGER.isDebugEnabled()) {
addConnectionExecutor.execute(new Runnable() {
@Override
public void run() {
logPoolState("After adding ");
}
});
}
}
/**
* Attempt to abort() active connections, or close() them.
*/
private void abortActiveConnections(final ExecutorService assassinExecutor)
{
for (PoolEntry poolEntry : connectionBag.values(STATE_IN_USE)) {
try {
poolEntry.connection.abort(assassinExecutor);
}
catch (Throwable e) {
quietlyCloseConnection(poolEntry.connection, "(connection aborted during shutdown)");
}
finally {
poolEntry.close();
if (connectionBag.remove(poolEntry)) {
totalConnections.decrementAndGet();
}
}
}
}
/**
* Fill the pool up to the minimum size.
*/
private void checkFailFast()
{
if (config.isInitializationFailFast()) {
try {
newConnection().close();
}
catch (Throwable e) {
try {
shutdown();
}
catch (Throwable ex) {
e.addSuppressed(ex);
}
throw new PoolInitializationException(e);
}
}
}
private void softEvictConnection(final PoolEntry poolEntry, final String reason, final boolean owner)
{
if (owner || connectionBag.reserve(poolEntry)) {
closeConnection(poolEntry, reason);
}
else {
poolEntry.markEvicted();
}
}
private PoolStats getPoolStats()
{
return new PoolStats(SECONDS.toMillis(1)) {
@Override
protected void update() {
this.pendingThreads = HikariPool.this.getThreadsAwaitingConnection();
this.idleConnections = HikariPool.this.getIdleConnections();
this.totalConnections = HikariPool.this.getTotalConnections();
this.activeConnections = HikariPool.this.getActiveConnections();
}
};
}
// ***********************************************************************
// Non-anonymous Inner-classes
// ***********************************************************************
private class PoolEntryCreator implements Callable<Boolean>
{
@Override
public Boolean call() throws Exception
{
long sleepBackoff = 250L;
while (poolState == POOL_NORMAL && totalConnections.get() < config.getMaximumPoolSize()) {
final PoolEntry poolEntry = createPoolEntry();
if (poolEntry != null) {
totalConnections.incrementAndGet();
connectionBag.add(poolEntry);
return Boolean.TRUE;
}
// failed to get connection from db, sleep and retry
quietlySleep(sleepBackoff);
sleepBackoff = Math.min(SECONDS.toMillis(10), Math.min(connectionTimeout, (long) (sleepBackoff * 1.5)));
}
// Pool is suspended or shutdown or at max size
return Boolean.FALSE;
}
}
/**
* The house keeping task to retire idle connections.
*/
private class HouseKeeper implements Runnable
{
private volatile long previous = clockSource.plusMillis(clockSource.currentTime(), -HOUSEKEEPING_PERIOD_MS);
@Override
public void run()
{
// refresh timeouts in case they changed via MBean
connectionTimeout = config.getConnectionTimeout();
validationTimeout = config.getValidationTimeout();
leakTask.updateLeakDetectionThreshold(config.getLeakDetectionThreshold());
final long idleTimeout = config.getIdleTimeout();
final long now = clockSource.currentTime();
// Detect retrograde time, allowing +128ms as per NTP spec.
if (clockSource.plusMillis(now, 128) < clockSource.plusMillis(previous, HOUSEKEEPING_PERIOD_MS)) {
LOGGER.warn("{} - Retrograde clock change detected (housekeeper delta={}), soft-evicting connections from pool.",
clockSource.elapsedDisplayString(previous, now), poolName);
previous = now;
softEvictConnections();
fillPool();
return;
}
else if (now > clockSource.plusMillis(previous, (3 * HOUSEKEEPING_PERIOD_MS) / 2)) {
// No point evicting for forward clock motion, this merely accelerates connection retirement anyway
LOGGER.warn("{} - Thread starvation or clock leap detected (housekeeper delta={}).", clockSource.elapsedDisplayString(previous, now), poolName);
}
previous = now;
String afterPrefix = "Pool ";
if (idleTimeout > 0L) {
final List<PoolEntry> idleList = connectionBag.values(STATE_NOT_IN_USE);
int removable = idleList.size() - config.getMinimumIdle();
if (removable > 0) {
logPoolState("Before cleanup ");
afterPrefix = "After cleanup ";
// Sort pool entries on lastAccessed
Collections.sort(idleList, LAST_ACCESS_COMPARABLE);
for (PoolEntry poolEntry : idleList) {
if (clockSource.elapsedMillis(poolEntry.lastAccessed, now) > idleTimeout && connectionBag.reserve(poolEntry)) {
closeConnection(poolEntry, "(connection has passed idleTimeout)");
if (--removable == 0) {
break; // keep min<SUF>
}
}
}
}
}
logPoolState(afterPrefix);
fillPool(); // Try to maintain minimum connections
}
}
public static class PoolInitializationException extends RuntimeException
{
private static final long serialVersionUID = 929872118275916520L;
/**
* Construct an exception, possibly wrapping the provided Throwable as the cause.
* @param t the Throwable to wrap
*/
public PoolInitializationException(Throwable t)
{
super("Failed to initialize pool: " + t.getMessage(), t);
}
}
}
|
2148_5 | /* -*- mode: java; c-basic-offset: 2; indent-tabs-mode: nil -*- */
/*
Part of the Processing project - http://processing.org
Copyirght (c) 2012-19 The Processing Foundation
Copyright (c) 2004-12 Ben Fry and Casey Reas
Copyright (c) 2001-04 Massachusetts Institute of Technology
This program is free software; you can redistribute it and/or modify
it under the terms of the GNU General Public License as published by
the Free Software Foundation, version 2.
This program is distributed in the hope that it will be useful,
but WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
GNU General Public License for more details.
You should have received a copy of the GNU General Public License
along with this program; if not, write to the Free Software Foundation,
Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
*/
package processing.app.ui;
import java.awt.BorderLayout;
import java.awt.Color;
import java.awt.Dimension;
import java.awt.Font;
import java.awt.FontMetrics;
import java.awt.Graphics;
import java.awt.Graphics2D;
import java.awt.Image;
import java.awt.event.*;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.List;
import javax.swing.Box;
import javax.swing.JLabel;
import javax.swing.JPanel;
import javax.swing.JPopupMenu;
import processing.app.Base;
import processing.app.Language;
import processing.app.Mode;
/**
* Run/Stop button plus Mode selection
*/
abstract public class EditorToolbar extends JPanel implements KeyListener {
// haven't decided how to handle this/how to make public/consistency
// for components/does it live in theme.txt
static final int HIGH = Toolkit.zoom(53);
// horizontal gap between buttons
static final int GAP = Toolkit.zoom(9);
// corner radius on the mode selector
static final int RADIUS = Toolkit.zoom(3);
protected Editor editor;
protected Base base;
protected Mode mode;
protected EditorButton runButton;
protected EditorButton stopButton;
protected EditorButton rolloverButton;
protected JLabel rolloverLabel;
protected Box box;
protected Image gradient;
public EditorToolbar(Editor editor) {
this.editor = editor;
base = editor.getBase();
mode = editor.getMode();
gradient = mode.makeGradient("toolbar", Toolkit.zoom(400), HIGH);
rebuild();
}
public void rebuild() {
removeAll(); // remove previous components, if any
List<EditorButton> buttons = createButtons();
box = Box.createHorizontalBox();
box.add(Box.createHorizontalStrut(Editor.LEFT_GUTTER));
rolloverLabel = new JLabel();
rolloverLabel.setFont(mode.getFont("toolbar.rollover.font"));
rolloverLabel.setForeground(mode.getColor("toolbar.rollover.color"));
for (EditorButton button : buttons) {
box.add(button);
box.add(Box.createHorizontalStrut(GAP));
// registerButton(button);
}
// // remove the last gap
// box.remove(box.getComponentCount() - 1);
// box.add(Box.createHorizontalStrut(LABEL_GAP));
box.add(rolloverLabel);
// currentButton = runButton;
// runButton.setRolloverLabel(label);
// stopButton.setRolloverLabel(label);
box.add(Box.createHorizontalGlue());
addModeButtons(box, rolloverLabel);
// Component items = createModeButtons();
// if (items != null) {
// box.add(items);
// }
ModeSelector ms = new ModeSelector();
box.add(ms);
box.add(Box.createHorizontalStrut(Editor.RIGHT_GUTTER));
setLayout(new BorderLayout());
add(box, BorderLayout.CENTER);
}
// public void registerButton(EditorButton button) {
//button.setRolloverLabel(rolloverLabel);
//editor.getTextArea().addKeyListener(button);
// }
// public void setReverse(EditorButton button) {
// button.setGradient(reverseGradient);
// }
// public void setText(String text) {
// label.setText(text);
// }
public void paintComponent(Graphics g) {
Dimension size = getSize();
g.drawImage(gradient, 0, 0, size.width, size.height, this);
}
public List<EditorButton> createButtons() {
runButton = new EditorButton(this,
"/lib/toolbar/run",
Language.text("toolbar.run"),
Language.text("toolbar.present")) {
@Override
public void actionPerformed(ActionEvent e) {
handleRun(e.getModifiers());
}
};
stopButton = new EditorButton(this,
"/lib/toolbar/stop",
Language.text("toolbar.stop")) {
@Override
public void actionPerformed(ActionEvent e) {
handleStop();
}
};
return new ArrayList<>(Arrays.asList(runButton, stopButton));
}
public void addModeButtons(Box box, JLabel label) {
}
public void addGap(Box box) {
box.add(Box.createHorizontalStrut(GAP));
}
// public Component createModeSelector() {
// return new ModeSelector();
// }
// protected void swapButton(EditorButton replacement) {
// if (currentButton != replacement) {
// box.remove(currentButton);
// box.add(replacement, 1); // has to go after the strut
// box.revalidate();
// box.repaint(); // may be needed
// currentButton = replacement;
// }
// }
public void activateRun() {
runButton.setSelected(true);
repaint();
}
public void deactivateRun() {
runButton.setSelected(false);
repaint();
}
public void activateStop() {
stopButton.setSelected(true);
repaint();
}
public void deactivateStop() {
stopButton.setSelected(false);
repaint();
}
abstract public void handleRun(int modifiers);
abstract public void handleStop();
void setRollover(EditorButton button, InputEvent e) {
rolloverButton = button;
// if (rolloverButton != null) {
updateRollover(e);
// } else {
// rolloverLabel.setText("");
// }
}
void updateRollover(InputEvent e) {
if (rolloverButton != null) {
rolloverLabel.setText(rolloverButton.getRolloverText(e));
} else {
rolloverLabel.setText("");
}
}
@Override
public void keyTyped(KeyEvent e) { }
@Override
public void keyReleased(KeyEvent e) {
updateRollover(e);
}
@Override
public void keyPressed(KeyEvent e) {
updateRollover(e);
}
public Dimension getPreferredSize() {
return new Dimension(super.getPreferredSize().width, HIGH);
}
public Dimension getMinimumSize() {
return new Dimension(super.getMinimumSize().width, HIGH);
}
public Dimension getMaximumSize() {
return new Dimension(super.getMaximumSize().width, HIGH);
}
class ModeSelector extends JPanel {
Image offscreen;
int width, height;
String title;
Font titleFont;
Color titleColor;
int titleAscent;
int titleWidth;
final int MODE_GAP_WIDTH = Toolkit.zoom(13);
final int ARROW_GAP_WIDTH = Toolkit.zoom(6);
final int ARROW_WIDTH = Toolkit.zoom(6);
final int ARROW_TOP = Toolkit.zoom(12);
final int ARROW_BOTTOM = Toolkit.zoom(18);
int[] triangleX = new int[3];
int[] triangleY = new int[] { ARROW_TOP, ARROW_TOP, ARROW_BOTTOM };
// Image background;
Color backgroundColor;
Color outlineColor;
@SuppressWarnings("deprecation")
public ModeSelector() {
title = mode.getTitle(); //.toUpperCase();
titleFont = mode.getFont("mode.title.font");
titleColor = mode.getColor("mode.title.color");
// getGraphics() is null and no offscreen yet
titleWidth = getToolkit().getFontMetrics(titleFont).stringWidth(title);
addMouseListener(new MouseAdapter() {
public void mousePressed(MouseEvent event) {
JPopupMenu popup = editor.getModePopup();
popup.show(ModeSelector.this, event.getX(), event.getY());
}
});
//background = mode.getGradient("reversed", 100, EditorButton.DIM);
backgroundColor = mode.getColor("mode.background.color");
outlineColor = mode.getColor("mode.outline.color");
}
@Override
public void paintComponent(Graphics screen) {
// Toolkit.debugOpacity(this);
Dimension size = getSize();
width = 0;
if (width != size.width || height != size.height) {
offscreen = Toolkit.offscreenGraphics(this, size.width, size.height);
width = size.width;
height = size.height;
}
Graphics g = offscreen.getGraphics();
Graphics2D g2 = Toolkit.prepareGraphics(g);
//Toolkit.clearGraphics(g, width, height);
// g.clearRect(0, 0, width, height);
// g.setColor(Color.GREEN);
// g.fillRect(0, 0, width, height);
g.setFont(titleFont);
if (titleAscent == 0) {
titleAscent = (int) Toolkit.getAscent(g); //metrics.getAscent();
}
FontMetrics metrics = g.getFontMetrics();
titleWidth = metrics.stringWidth(title);
// clear the background
g.setColor(backgroundColor);
g.fillRect(0, 0, width, height);
// draw the outline for this feller
g.setColor(outlineColor);
//Toolkit.dpiStroke(g2);
g2.draw(Toolkit.createRoundRect(1, 1, width-1, height-1,
RADIUS, RADIUS, RADIUS, RADIUS));
g.setColor(titleColor);
g.drawString(title, MODE_GAP_WIDTH, (height + titleAscent) / 2);
int x = MODE_GAP_WIDTH + titleWidth + ARROW_GAP_WIDTH;
triangleX[0] = x;
triangleX[1] = x + ARROW_WIDTH;
triangleX[2] = x + ARROW_WIDTH/2;
g.fillPolygon(triangleX, triangleY, 3);
screen.drawImage(offscreen, 0, 0, width, height, this);
}
@Override
public Dimension getPreferredSize() {
return new Dimension(MODE_GAP_WIDTH + titleWidth +
ARROW_GAP_WIDTH + ARROW_WIDTH + MODE_GAP_WIDTH,
EditorButton.DIM);
}
@Override
public Dimension getMinimumSize() {
return getPreferredSize();
}
@Override
public Dimension getMaximumSize() {
return getPreferredSize();
}
}
} | processing/processing | app/src/processing/app/ui/EditorToolbar.java | 2,827 | // horizontal gap between buttons | line_comment | nl | /* -*- mode: java; c-basic-offset: 2; indent-tabs-mode: nil -*- */
/*
Part of the Processing project - http://processing.org
Copyirght (c) 2012-19 The Processing Foundation
Copyright (c) 2004-12 Ben Fry and Casey Reas
Copyright (c) 2001-04 Massachusetts Institute of Technology
This program is free software; you can redistribute it and/or modify
it under the terms of the GNU General Public License as published by
the Free Software Foundation, version 2.
This program is distributed in the hope that it will be useful,
but WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
GNU General Public License for more details.
You should have received a copy of the GNU General Public License
along with this program; if not, write to the Free Software Foundation,
Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
*/
package processing.app.ui;
import java.awt.BorderLayout;
import java.awt.Color;
import java.awt.Dimension;
import java.awt.Font;
import java.awt.FontMetrics;
import java.awt.Graphics;
import java.awt.Graphics2D;
import java.awt.Image;
import java.awt.event.*;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.List;
import javax.swing.Box;
import javax.swing.JLabel;
import javax.swing.JPanel;
import javax.swing.JPopupMenu;
import processing.app.Base;
import processing.app.Language;
import processing.app.Mode;
/**
* Run/Stop button plus Mode selection
*/
abstract public class EditorToolbar extends JPanel implements KeyListener {
// haven't decided how to handle this/how to make public/consistency
// for components/does it live in theme.txt
static final int HIGH = Toolkit.zoom(53);
// horizontal gap<SUF>
static final int GAP = Toolkit.zoom(9);
// corner radius on the mode selector
static final int RADIUS = Toolkit.zoom(3);
protected Editor editor;
protected Base base;
protected Mode mode;
protected EditorButton runButton;
protected EditorButton stopButton;
protected EditorButton rolloverButton;
protected JLabel rolloverLabel;
protected Box box;
protected Image gradient;
public EditorToolbar(Editor editor) {
this.editor = editor;
base = editor.getBase();
mode = editor.getMode();
gradient = mode.makeGradient("toolbar", Toolkit.zoom(400), HIGH);
rebuild();
}
public void rebuild() {
removeAll(); // remove previous components, if any
List<EditorButton> buttons = createButtons();
box = Box.createHorizontalBox();
box.add(Box.createHorizontalStrut(Editor.LEFT_GUTTER));
rolloverLabel = new JLabel();
rolloverLabel.setFont(mode.getFont("toolbar.rollover.font"));
rolloverLabel.setForeground(mode.getColor("toolbar.rollover.color"));
for (EditorButton button : buttons) {
box.add(button);
box.add(Box.createHorizontalStrut(GAP));
// registerButton(button);
}
// // remove the last gap
// box.remove(box.getComponentCount() - 1);
// box.add(Box.createHorizontalStrut(LABEL_GAP));
box.add(rolloverLabel);
// currentButton = runButton;
// runButton.setRolloverLabel(label);
// stopButton.setRolloverLabel(label);
box.add(Box.createHorizontalGlue());
addModeButtons(box, rolloverLabel);
// Component items = createModeButtons();
// if (items != null) {
// box.add(items);
// }
ModeSelector ms = new ModeSelector();
box.add(ms);
box.add(Box.createHorizontalStrut(Editor.RIGHT_GUTTER));
setLayout(new BorderLayout());
add(box, BorderLayout.CENTER);
}
// public void registerButton(EditorButton button) {
//button.setRolloverLabel(rolloverLabel);
//editor.getTextArea().addKeyListener(button);
// }
// public void setReverse(EditorButton button) {
// button.setGradient(reverseGradient);
// }
// public void setText(String text) {
// label.setText(text);
// }
public void paintComponent(Graphics g) {
Dimension size = getSize();
g.drawImage(gradient, 0, 0, size.width, size.height, this);
}
public List<EditorButton> createButtons() {
runButton = new EditorButton(this,
"/lib/toolbar/run",
Language.text("toolbar.run"),
Language.text("toolbar.present")) {
@Override
public void actionPerformed(ActionEvent e) {
handleRun(e.getModifiers());
}
};
stopButton = new EditorButton(this,
"/lib/toolbar/stop",
Language.text("toolbar.stop")) {
@Override
public void actionPerformed(ActionEvent e) {
handleStop();
}
};
return new ArrayList<>(Arrays.asList(runButton, stopButton));
}
public void addModeButtons(Box box, JLabel label) {
}
public void addGap(Box box) {
box.add(Box.createHorizontalStrut(GAP));
}
// public Component createModeSelector() {
// return new ModeSelector();
// }
// protected void swapButton(EditorButton replacement) {
// if (currentButton != replacement) {
// box.remove(currentButton);
// box.add(replacement, 1); // has to go after the strut
// box.revalidate();
// box.repaint(); // may be needed
// currentButton = replacement;
// }
// }
public void activateRun() {
runButton.setSelected(true);
repaint();
}
public void deactivateRun() {
runButton.setSelected(false);
repaint();
}
public void activateStop() {
stopButton.setSelected(true);
repaint();
}
public void deactivateStop() {
stopButton.setSelected(false);
repaint();
}
abstract public void handleRun(int modifiers);
abstract public void handleStop();
void setRollover(EditorButton button, InputEvent e) {
rolloverButton = button;
// if (rolloverButton != null) {
updateRollover(e);
// } else {
// rolloverLabel.setText("");
// }
}
void updateRollover(InputEvent e) {
if (rolloverButton != null) {
rolloverLabel.setText(rolloverButton.getRolloverText(e));
} else {
rolloverLabel.setText("");
}
}
@Override
public void keyTyped(KeyEvent e) { }
@Override
public void keyReleased(KeyEvent e) {
updateRollover(e);
}
@Override
public void keyPressed(KeyEvent e) {
updateRollover(e);
}
public Dimension getPreferredSize() {
return new Dimension(super.getPreferredSize().width, HIGH);
}
public Dimension getMinimumSize() {
return new Dimension(super.getMinimumSize().width, HIGH);
}
public Dimension getMaximumSize() {
return new Dimension(super.getMaximumSize().width, HIGH);
}
class ModeSelector extends JPanel {
Image offscreen;
int width, height;
String title;
Font titleFont;
Color titleColor;
int titleAscent;
int titleWidth;
final int MODE_GAP_WIDTH = Toolkit.zoom(13);
final int ARROW_GAP_WIDTH = Toolkit.zoom(6);
final int ARROW_WIDTH = Toolkit.zoom(6);
final int ARROW_TOP = Toolkit.zoom(12);
final int ARROW_BOTTOM = Toolkit.zoom(18);
int[] triangleX = new int[3];
int[] triangleY = new int[] { ARROW_TOP, ARROW_TOP, ARROW_BOTTOM };
// Image background;
Color backgroundColor;
Color outlineColor;
@SuppressWarnings("deprecation")
public ModeSelector() {
title = mode.getTitle(); //.toUpperCase();
titleFont = mode.getFont("mode.title.font");
titleColor = mode.getColor("mode.title.color");
// getGraphics() is null and no offscreen yet
titleWidth = getToolkit().getFontMetrics(titleFont).stringWidth(title);
addMouseListener(new MouseAdapter() {
public void mousePressed(MouseEvent event) {
JPopupMenu popup = editor.getModePopup();
popup.show(ModeSelector.this, event.getX(), event.getY());
}
});
//background = mode.getGradient("reversed", 100, EditorButton.DIM);
backgroundColor = mode.getColor("mode.background.color");
outlineColor = mode.getColor("mode.outline.color");
}
@Override
public void paintComponent(Graphics screen) {
// Toolkit.debugOpacity(this);
Dimension size = getSize();
width = 0;
if (width != size.width || height != size.height) {
offscreen = Toolkit.offscreenGraphics(this, size.width, size.height);
width = size.width;
height = size.height;
}
Graphics g = offscreen.getGraphics();
Graphics2D g2 = Toolkit.prepareGraphics(g);
//Toolkit.clearGraphics(g, width, height);
// g.clearRect(0, 0, width, height);
// g.setColor(Color.GREEN);
// g.fillRect(0, 0, width, height);
g.setFont(titleFont);
if (titleAscent == 0) {
titleAscent = (int) Toolkit.getAscent(g); //metrics.getAscent();
}
FontMetrics metrics = g.getFontMetrics();
titleWidth = metrics.stringWidth(title);
// clear the background
g.setColor(backgroundColor);
g.fillRect(0, 0, width, height);
// draw the outline for this feller
g.setColor(outlineColor);
//Toolkit.dpiStroke(g2);
g2.draw(Toolkit.createRoundRect(1, 1, width-1, height-1,
RADIUS, RADIUS, RADIUS, RADIUS));
g.setColor(titleColor);
g.drawString(title, MODE_GAP_WIDTH, (height + titleAscent) / 2);
int x = MODE_GAP_WIDTH + titleWidth + ARROW_GAP_WIDTH;
triangleX[0] = x;
triangleX[1] = x + ARROW_WIDTH;
triangleX[2] = x + ARROW_WIDTH/2;
g.fillPolygon(triangleX, triangleY, 3);
screen.drawImage(offscreen, 0, 0, width, height, this);
}
@Override
public Dimension getPreferredSize() {
return new Dimension(MODE_GAP_WIDTH + titleWidth +
ARROW_GAP_WIDTH + ARROW_WIDTH + MODE_GAP_WIDTH,
EditorButton.DIM);
}
@Override
public Dimension getMinimumSize() {
return getPreferredSize();
}
@Override
public Dimension getMaximumSize() {
return getPreferredSize();
}
}
} |
2159_1 | /*
* This is the source code of Telegram for Android v. 5.x.x.
* It is licensed under GNU GPL v. 2 or later.
* You should have received a copy of the license in this archive (see LICENSE).
*
* Copyright Nikolai Kudashov, 2013-2018.
*/
package org.telegram.messenger;
import android.graphics.Bitmap;
import android.graphics.BitmapFactory;
import android.graphics.Canvas;
import android.graphics.Paint;
import android.graphics.Path;
import android.graphics.Rect;
import com.carrotsearch.randomizedtesting.Xoroshiro128PlusRandom;
import java.io.File;
import java.io.FileInputStream;
import java.math.BigInteger;
import java.nio.ByteBuffer;
import java.security.MessageDigest;
import java.security.SecureRandom;
import java.util.Collection;
import java.util.HashMap;
import java.util.List;
import java.util.Random;
import java.util.regex.Matcher;
import java.util.regex.Pattern;
public class Utilities {
public static Pattern pattern = Pattern.compile("[\\-0-9]+");
public static SecureRandom random = new SecureRandom();
public static Random fastRandom = new Xoroshiro128PlusRandom(random.nextLong());
public static volatile DispatchQueue stageQueue = new DispatchQueue("stageQueue");
public static volatile DispatchQueue globalQueue = new DispatchQueue("globalQueue");
public static volatile DispatchQueue cacheClearQueue = new DispatchQueue("cacheClearQueue");
public static volatile DispatchQueue searchQueue = new DispatchQueue("searchQueue");
public static volatile DispatchQueue phoneBookQueue = new DispatchQueue("phoneBookQueue");
public static volatile DispatchQueue themeQueue = new DispatchQueue("themeQueue");
public static volatile DispatchQueue externalNetworkQueue = new DispatchQueue("externalNetworkQueue");
public static volatile DispatchQueue videoPlayerQueue;
private final static String RANDOM_STRING_CHARS = "0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ";
final protected static char[] hexArray = "0123456789ABCDEF".toCharArray();
static {
try {
File URANDOM_FILE = new File("/dev/urandom");
FileInputStream sUrandomIn = new FileInputStream(URANDOM_FILE);
byte[] buffer = new byte[1024];
sUrandomIn.read(buffer);
sUrandomIn.close();
random.setSeed(buffer);
} catch (Exception e) {
FileLog.e(e);
}
}
public native static int pinBitmap(Bitmap bitmap);
public native static void unpinBitmap(Bitmap bitmap);
public native static void blurBitmap(Object bitmap, int radius, int unpin, int width, int height, int stride);
public native static int needInvert(Object bitmap, int unpin, int width, int height, int stride);
public native static void calcCDT(ByteBuffer hsvBuffer, int width, int height, ByteBuffer buffer, ByteBuffer calcBuffer);
public native static boolean loadWebpImage(Bitmap bitmap, ByteBuffer buffer, int len, BitmapFactory.Options options, boolean unpin);
public native static int convertVideoFrame(ByteBuffer src, ByteBuffer dest, int destFormat, int width, int height, int padding, int swap);
private native static void aesIgeEncryption(ByteBuffer buffer, byte[] key, byte[] iv, boolean encrypt, int offset, int length);
private native static void aesIgeEncryptionByteArray(byte[] buffer, byte[] key, byte[] iv, boolean encrypt, int offset, int length);
public native static void aesCtrDecryption(ByteBuffer buffer, byte[] key, byte[] iv, int offset, int length);
public native static void aesCtrDecryptionByteArray(byte[] buffer, byte[] key, byte[] iv, int offset, long length, int n);
private native static void aesCbcEncryptionByteArray(byte[] buffer, byte[] key, byte[] iv, int offset, int length, int n, int encrypt);
public native static void aesCbcEncryption(ByteBuffer buffer, byte[] key, byte[] iv, int offset, int length, int encrypt);
public native static String readlink(String path);
public native static String readlinkFd(int fd);
public native static long getDirSize(String path, int docType, boolean subdirs);
public native static long getLastUsageFileTime(String path);
public native static void clearDir(String path, int docType, long time, boolean subdirs);
private native static int pbkdf2(byte[] password, byte[] salt, byte[] dst, int iterations);
public static native void stackBlurBitmap(Bitmap bitmap, int radius);
public static native void drawDitheredGradient(Bitmap bitmap, int[] colors, int startX, int startY, int endX, int endY);
public static native int saveProgressiveJpeg(Bitmap bitmap, int width, int height, int stride, int quality, String path);
public static native void generateGradient(Bitmap bitmap, boolean unpin, int phase, float progress, int width, int height, int stride, int[] colors);
public static native void setupNativeCrashesListener(String path);
public static Bitmap stackBlurBitmapMax(Bitmap bitmap) {
return stackBlurBitmapMax(bitmap, false);
}
public static Bitmap stackBlurBitmapMax(Bitmap bitmap, boolean round) {
int w = AndroidUtilities.dp(20);
int h = (int) (AndroidUtilities.dp(20) * (float) bitmap.getHeight() / bitmap.getWidth());
Bitmap scaledBitmap = Bitmap.createBitmap(w, h, Bitmap.Config.ARGB_8888);
Canvas canvas = new Canvas(scaledBitmap);
canvas.save();
canvas.scale((float) scaledBitmap.getWidth() / bitmap.getWidth(), (float) scaledBitmap.getHeight() / bitmap.getHeight());
if (round) {
Path path = new Path();
path.addCircle(bitmap.getWidth() / 2f, bitmap.getHeight() / 2f, Math.min(bitmap.getWidth(), bitmap.getHeight()) / 2f - 1, Path.Direction.CW);
canvas.clipPath(path);
}
canvas.drawBitmap(bitmap, 0, 0, null);
canvas.restore();
Utilities.stackBlurBitmap(scaledBitmap, Math.max(10, Math.max(w, h) / 150));
return scaledBitmap;
}
public static Bitmap stackBlurBitmapWithScaleFactor(Bitmap bitmap, float scaleFactor) {
int w = (int) Math.max(AndroidUtilities.dp(20), bitmap.getWidth() / scaleFactor);
int h = (int) Math.max(AndroidUtilities.dp(20) * (float) bitmap.getHeight() / bitmap.getWidth(), bitmap.getHeight() / scaleFactor);
Bitmap scaledBitmap = Bitmap.createBitmap(w, h, Bitmap.Config.ARGB_8888);
Canvas canvas = new Canvas(scaledBitmap);
canvas.save();
canvas.scale((float) scaledBitmap.getWidth() / bitmap.getWidth(), (float) scaledBitmap.getHeight() / bitmap.getHeight());
canvas.drawBitmap(bitmap, 0, 0, null);
canvas.restore();
Utilities.stackBlurBitmap(scaledBitmap, Math.max(10, Math.max(w, h) / 150));
return scaledBitmap;
}
public static Bitmap blurWallpaper(Bitmap src) {
if (src == null) {
return null;
}
Bitmap b;
if (src.getHeight() > src.getWidth()) {
b = Bitmap.createBitmap(Math.round(450f * src.getWidth() / src.getHeight()), 450, Bitmap.Config.ARGB_8888);
} else {
b = Bitmap.createBitmap(450, Math.round(450f * src.getHeight() / src.getWidth()), Bitmap.Config.ARGB_8888);
}
Paint paint = new Paint(Paint.FILTER_BITMAP_FLAG);
Rect rect = new Rect(0, 0, b.getWidth(), b.getHeight());
new Canvas(b).drawBitmap(src, null, rect, paint);
stackBlurBitmap(b, 12);
return b;
}
public static void aesIgeEncryption(ByteBuffer buffer, byte[] key, byte[] iv, boolean encrypt, boolean changeIv, int offset, int length) {
aesIgeEncryption(buffer, key, changeIv ? iv : iv.clone(), encrypt, offset, length);
}
public static void aesIgeEncryptionByteArray(byte[] buffer, byte[] key, byte[] iv, boolean encrypt, boolean changeIv, int offset, int length) {
aesIgeEncryptionByteArray(buffer, key, changeIv ? iv : iv.clone(), encrypt, offset, length);
}
public static void aesCbcEncryptionByteArraySafe(byte[] buffer, byte[] key, byte[] iv, int offset, int length, int n, int encrypt) {
aesCbcEncryptionByteArray(buffer, key, iv.clone(), offset, length, n, encrypt);
}
public static Integer parseInt(CharSequence value) {
if (value == null) {
return 0;
}
if (BuildConfig.BUILD_HOST_IS_WINDOWS) {
Matcher matcher = pattern.matcher(value);
if (matcher.find()) {
return Integer.valueOf(matcher.group());
}
} else {
int val = 0;
try {
int start = -1, end;
for (end = 0; end < value.length(); ++end) {
char character = value.charAt(end);
boolean allowedChar = character == '-' || character >= '0' && character <= '9';
if (allowedChar && start < 0) {
start = end;
} else if (!allowedChar && start >= 0) {
end++;
break;
}
}
if (start >= 0) {
String str = value.subSequence(start, end).toString();
// val = parseInt(str);
val = Integer.parseInt(str);
}
} catch (Exception ignore) {}
return val;
}
return 0;
}
private static int parseInt(final String s) {
int num = 0;
boolean negative = true;
final int len = s.length();
final char ch = s.charAt(0);
if (ch == '-') {
negative = false;
} else {
num = '0' - ch;
}
int i = 1;
while (i < len) {
num = num * 10 + '0' - s.charAt(i++);
}
return negative ? -num : num;
}
public static Long parseLong(String value) {
if (value == null) {
return 0L;
}
long val = 0L;
try {
Matcher matcher = pattern.matcher(value);
if (matcher.find()) {
String num = matcher.group(0);
val = Long.parseLong(num);
}
} catch (Exception ignore) {
}
return val;
}
public static String parseIntToString(String value) {
Matcher matcher = pattern.matcher(value);
if (matcher.find()) {
return matcher.group(0);
}
return null;
}
public static String bytesToHex(byte[] bytes) {
if (bytes == null) {
return "";
}
char[] hexChars = new char[bytes.length * 2];
int v;
for (int j = 0; j < bytes.length; j++) {
v = bytes[j] & 0xFF;
hexChars[j * 2] = hexArray[v >>> 4];
hexChars[j * 2 + 1] = hexArray[v & 0x0F];
}
return new String(hexChars);
}
public static byte[] hexToBytes(String hex) {
if (hex == null) {
return null;
}
int len = hex.length();
byte[] data = new byte[len / 2];
for (int i = 0; i < len; i += 2) {
data[i / 2] = (byte) ((Character.digit(hex.charAt(i), 16) << 4) + Character.digit(hex.charAt(i + 1), 16));
}
return data;
}
public static boolean isGoodPrime(byte[] prime, int g) {
if (!(g >= 2 && g <= 7)) {
return false;
}
if (prime.length != 256 || prime[0] >= 0) {
return false;
}
BigInteger dhBI = new BigInteger(1, prime);
if (g == 2) { // p mod 8 = 7 for g = 2;
BigInteger res = dhBI.mod(BigInteger.valueOf(8));
if (res.intValue() != 7) {
return false;
}
} else if (g == 3) { // p mod 3 = 2 for g = 3;
BigInteger res = dhBI.mod(BigInteger.valueOf(3));
if (res.intValue() != 2) {
return false;
}
} else if (g == 5) { // p mod 5 = 1 or 4 for g = 5;
BigInteger res = dhBI.mod(BigInteger.valueOf(5));
int val = res.intValue();
if (val != 1 && val != 4) {
return false;
}
} else if (g == 6) { // p mod 24 = 19 or 23 for g = 6;
BigInteger res = dhBI.mod(BigInteger.valueOf(24));
int val = res.intValue();
if (val != 19 && val != 23) {
return false;
}
} else if (g == 7) { // p mod 7 = 3, 5 or 6 for g = 7.
BigInteger res = dhBI.mod(BigInteger.valueOf(7));
int val = res.intValue();
if (val != 3 && val != 5 && val != 6) {
return false;
}
}
String hex = bytesToHex(prime);
if (hex.equals("C71CAEB9C6B1C9048E6C522F70F13F73980D40238E3E21C14934D037563D930F48198A0AA7C14058229493D22530F4DBFA336F6E0AC925139543AED44CCE7C3720FD51F69458705AC68CD4FE6B6B13ABDC9746512969328454F18FAF8C595F642477FE96BB2A941D5BCD1D4AC8CC49880708FA9B378E3C4F3A9060BEE67CF9A4A4A695811051907E162753B56B0F6B410DBA74D8A84B2A14B3144E0EF1284754FD17ED950D5965B4B9DD46582DB1178D169C6BC465B0D6FF9CA3928FEF5B9AE4E418FC15E83EBEA0F87FA9FF5EED70050DED2849F47BF959D956850CE929851F0D8115F635B105EE2E4E15D04B2454BF6F4FADF034B10403119CD8E3B92FCC5B")) {
return true;
}
BigInteger dhBI2 = dhBI.subtract(BigInteger.valueOf(1)).divide(BigInteger.valueOf(2));
return !(!dhBI.isProbablePrime(30) || !dhBI2.isProbablePrime(30));
}
public static boolean isGoodGaAndGb(BigInteger g_a, BigInteger p) {
return !(g_a.compareTo(BigInteger.valueOf(1)) <= 0 || g_a.compareTo(p.subtract(BigInteger.valueOf(1))) >= 0);
}
public static boolean arraysEquals(byte[] arr1, int offset1, byte[] arr2, int offset2) {
if (arr1 == null || arr2 == null || offset1 < 0 || offset2 < 0 || arr1.length - offset1 > arr2.length - offset2 || arr1.length - offset1 < 0 || arr2.length - offset2 < 0) {
return false;
}
boolean result = true;
for (int a = offset1; a < arr1.length; a++) {
if (arr1[a + offset1] != arr2[a + offset2]) {
result = false;
}
}
return result;
}
public static byte[] computeSHA1(byte[] convertme, int offset, int len) {
try {
MessageDigest md = MessageDigest.getInstance("SHA-1");
md.update(convertme, offset, len);
return md.digest();
} catch (Exception e) {
FileLog.e(e);
}
return new byte[20];
}
public static byte[] computeSHA1(ByteBuffer convertme, int offset, int len) {
int oldp = convertme.position();
int oldl = convertme.limit();
try {
MessageDigest md = MessageDigest.getInstance("SHA-1");
convertme.position(offset);
convertme.limit(len);
md.update(convertme);
return md.digest();
} catch (Exception e) {
FileLog.e(e);
} finally {
convertme.limit(oldl);
convertme.position(oldp);
}
return new byte[20];
}
public static byte[] computeSHA1(ByteBuffer convertme) {
return computeSHA1(convertme, 0, convertme.limit());
}
public static byte[] computeSHA1(byte[] convertme) {
return computeSHA1(convertme, 0, convertme.length);
}
public static byte[] computeSHA256(byte[] convertme) {
return computeSHA256(convertme, 0, convertme.length);
}
public static byte[] computeSHA256(byte[] convertme, int offset, long len) {
try {
MessageDigest md = MessageDigest.getInstance("SHA-256");
md.update(convertme, offset, (int) len);
return md.digest();
} catch (Exception e) {
FileLog.e(e);
}
return new byte[32];
}
public static byte[] computeSHA256(byte[]... args) {
try {
MessageDigest md = MessageDigest.getInstance("SHA-256");
for (int a = 0; a < args.length; a++) {
md.update(args[a], 0, args[a].length);
}
return md.digest();
} catch (Exception e) {
FileLog.e(e);
}
return new byte[32];
}
public static byte[] computeSHA512(byte[] convertme) {
try {
MessageDigest md = MessageDigest.getInstance("SHA-512");
md.update(convertme, 0, convertme.length);
return md.digest();
} catch (Exception e) {
FileLog.e(e);
}
return new byte[64];
}
public static byte[] computeSHA512(byte[] convertme, byte[] convertme2) {
try {
MessageDigest md = MessageDigest.getInstance("SHA-512");
md.update(convertme, 0, convertme.length);
md.update(convertme2, 0, convertme2.length);
return md.digest();
} catch (Exception e) {
FileLog.e(e);
}
return new byte[64];
}
public static byte[] computePBKDF2(byte[] password, byte[] salt) {
byte[] dst = new byte[64];
Utilities.pbkdf2(password, salt, dst, 100000);
return dst;
}
public static byte[] computeSHA512(byte[] convertme, byte[] convertme2, byte[] convertme3) {
try {
MessageDigest md = MessageDigest.getInstance("SHA-512");
md.update(convertme, 0, convertme.length);
md.update(convertme2, 0, convertme2.length);
md.update(convertme3, 0, convertme3.length);
return md.digest();
} catch (Exception e) {
FileLog.e(e);
}
return new byte[64];
}
public static byte[] computeSHA256(byte[] b1, int o1, int l1, ByteBuffer b2, int o2, int l2) {
int oldp = b2.position();
int oldl = b2.limit();
try {
MessageDigest md = MessageDigest.getInstance("SHA-256");
md.update(b1, o1, l1);
b2.position(o2);
b2.limit(l2);
md.update(b2);
return md.digest();
} catch (Exception e) {
FileLog.e(e);
} finally {
b2.limit(oldl);
b2.position(oldp);
}
return new byte[32];
}
public static long bytesToLong(byte[] bytes) {
return ((long) bytes[7] << 56) + (((long) bytes[6] & 0xFF) << 48) + (((long) bytes[5] & 0xFF) << 40) + (((long) bytes[4] & 0xFF) << 32)
+ (((long) bytes[3] & 0xFF) << 24) + (((long) bytes[2] & 0xFF) << 16) + (((long) bytes[1] & 0xFF) << 8) + ((long) bytes[0] & 0xFF);
}
public static int bytesToInt(byte[] bytes) {
return (((int) bytes[3] & 0xFF) << 24) + (((int) bytes[2] & 0xFF) << 16) + (((int) bytes[1] & 0xFF) << 8) + ((int) bytes[0] & 0xFF);
}
public static byte[] intToBytes(int value) {
return new byte[]{
(byte) (value >>> 24),
(byte) (value >>> 16),
(byte) (value >>> 8),
(byte) value};
}
public static String MD5(String md5) {
if (md5 == null) {
return null;
}
try {
java.security.MessageDigest md = java.security.MessageDigest.getInstance("MD5");
byte[] array = md.digest(AndroidUtilities.getStringBytes(md5));
StringBuilder sb = new StringBuilder();
for (int a = 0; a < array.length; a++) {
sb.append(Integer.toHexString((array[a] & 0xFF) | 0x100).substring(1, 3));
}
return sb.toString();
} catch (java.security.NoSuchAlgorithmException e) {
FileLog.e(e);
}
return null;
}
public static int clamp(int value, int maxValue, int minValue) {
return Math.max(Math.min(value, maxValue), minValue);
}
public static long clamp(long value, long maxValue, long minValue) {
return Math.max(Math.min(value, maxValue), minValue);
}
public static float clamp(float value, float maxValue, float minValue) {
if (Float.isNaN(value)) {
return minValue;
}
if (Float.isInfinite(value)) {
return maxValue;
}
return Math.max(Math.min(value, maxValue), minValue);
}
public static double clamp(double value, double maxValue, double minValue) {
if (Double.isNaN(value)) {
return minValue;
}
if (Double.isInfinite(value)) {
return maxValue;
}
return Math.max(Math.min(value, maxValue), minValue);
}
public static String generateRandomString() {
return generateRandomString(16);
}
public static String generateRandomString(int chars) {
StringBuilder sb = new StringBuilder();
for (int i = 0; i < chars; i++) {
sb.append(RANDOM_STRING_CHARS.charAt(fastRandom.nextInt(RANDOM_STRING_CHARS.length())));
}
return sb.toString();
}
public static String getExtension(String fileName) {
int idx = fileName.lastIndexOf('.');
String ext = null;
if (idx != -1) {
ext = fileName.substring(idx + 1);
}
if (ext == null) {
return null;
}
ext = ext.toUpperCase();
return ext;
}
public static interface Callback<T> {
public void run(T arg);
}
public static interface CallbackVoidReturn<ReturnType> {
public ReturnType run();
}
public static interface Callback0Return<ReturnType> {
public ReturnType run();
}
public static interface CallbackReturn<Arg, ReturnType> {
public ReturnType run(Arg arg);
}
public static interface Callback2Return<T1, T2, ReturnType> {
public ReturnType run(T1 arg, T2 arg2);
}
public static interface Callback3Return<T1, T2, T3, ReturnType> {
public ReturnType run(T1 arg, T2 arg2, T3 arg3);
}
public static interface Callback2<T, T2> {
public void run(T arg, T2 arg2);
}
public static interface Callback3<T, T2, T3> {
public void run(T arg, T2 arg2, T3 arg3);
}
public static interface Callback4<T, T2, T3, T4> {
public void run(T arg, T2 arg2, T3 arg3, T4 arg4);
}
public static interface Callback4Return<T, T2, T3, T4, ReturnType> {
public ReturnType run(T arg, T2 arg2, T3 arg3, T4 arg4);
}
public static interface Callback5<T, T2, T3, T4, T5> {
public void run(T arg, T2 arg2, T3 arg3, T4 arg4, T5 arg5);
}
public static interface Callback5Return<T, T2, T3, T4, T5, ReturnType> {
public ReturnType run(T arg, T2 arg2, T3 arg3, T4 arg4, T5 arg5);
}
public static interface IndexedConsumer<T> {
void accept(T t, int index);
}
public static <Key, Value> Value getOrDefault(HashMap<Key, Value> map, Key key, Value defaultValue) {
Value v = map.get(key);
if (v == null) {
return defaultValue;
}
return v;
}
public static void doCallbacks(Utilities.Callback<Runnable> ...actions) {
doCallbacks(0, actions);
}
private static void doCallbacks(int i, Utilities.Callback<Runnable> ...actions) {
if (actions != null && actions.length > i) {
actions[i].run(() -> doCallbacks(i + 1, actions));
}
}
public static void raceCallbacks(Runnable onFinish, Utilities.Callback<Runnable> ...actions) {
if (actions == null || actions.length == 0) {
if (onFinish != null) {
onFinish.run();
}
return;
}
final int[] finished = new int[] { 0 };
Runnable checkFinish = () -> {
finished[0]++;
if (finished[0] == actions.length) {
if (onFinish != null) {
onFinish.run();
}
}
};
for (int i = 0; i < actions.length; ++i) {
actions[i].run(checkFinish);
}
}
public static DispatchQueue getOrCreatePlayerQueue() {
if (videoPlayerQueue == null) {
videoPlayerQueue = new DispatchQueue("playerQueue");
}
return videoPlayerQueue;
}
public static boolean isNullOrEmpty(final Collection<?> list) {
return list == null || list.isEmpty();
}
}
| DrKLO/Telegram | TMessagesProj/src/main/java/org/telegram/messenger/Utilities.java | 7,210 | // val = parseInt(str); | line_comment | nl | /*
* This is the source code of Telegram for Android v. 5.x.x.
* It is licensed under GNU GPL v. 2 or later.
* You should have received a copy of the license in this archive (see LICENSE).
*
* Copyright Nikolai Kudashov, 2013-2018.
*/
package org.telegram.messenger;
import android.graphics.Bitmap;
import android.graphics.BitmapFactory;
import android.graphics.Canvas;
import android.graphics.Paint;
import android.graphics.Path;
import android.graphics.Rect;
import com.carrotsearch.randomizedtesting.Xoroshiro128PlusRandom;
import java.io.File;
import java.io.FileInputStream;
import java.math.BigInteger;
import java.nio.ByteBuffer;
import java.security.MessageDigest;
import java.security.SecureRandom;
import java.util.Collection;
import java.util.HashMap;
import java.util.List;
import java.util.Random;
import java.util.regex.Matcher;
import java.util.regex.Pattern;
public class Utilities {
public static Pattern pattern = Pattern.compile("[\\-0-9]+");
public static SecureRandom random = new SecureRandom();
public static Random fastRandom = new Xoroshiro128PlusRandom(random.nextLong());
public static volatile DispatchQueue stageQueue = new DispatchQueue("stageQueue");
public static volatile DispatchQueue globalQueue = new DispatchQueue("globalQueue");
public static volatile DispatchQueue cacheClearQueue = new DispatchQueue("cacheClearQueue");
public static volatile DispatchQueue searchQueue = new DispatchQueue("searchQueue");
public static volatile DispatchQueue phoneBookQueue = new DispatchQueue("phoneBookQueue");
public static volatile DispatchQueue themeQueue = new DispatchQueue("themeQueue");
public static volatile DispatchQueue externalNetworkQueue = new DispatchQueue("externalNetworkQueue");
public static volatile DispatchQueue videoPlayerQueue;
private final static String RANDOM_STRING_CHARS = "0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ";
final protected static char[] hexArray = "0123456789ABCDEF".toCharArray();
static {
try {
File URANDOM_FILE = new File("/dev/urandom");
FileInputStream sUrandomIn = new FileInputStream(URANDOM_FILE);
byte[] buffer = new byte[1024];
sUrandomIn.read(buffer);
sUrandomIn.close();
random.setSeed(buffer);
} catch (Exception e) {
FileLog.e(e);
}
}
public native static int pinBitmap(Bitmap bitmap);
public native static void unpinBitmap(Bitmap bitmap);
public native static void blurBitmap(Object bitmap, int radius, int unpin, int width, int height, int stride);
public native static int needInvert(Object bitmap, int unpin, int width, int height, int stride);
public native static void calcCDT(ByteBuffer hsvBuffer, int width, int height, ByteBuffer buffer, ByteBuffer calcBuffer);
public native static boolean loadWebpImage(Bitmap bitmap, ByteBuffer buffer, int len, BitmapFactory.Options options, boolean unpin);
public native static int convertVideoFrame(ByteBuffer src, ByteBuffer dest, int destFormat, int width, int height, int padding, int swap);
private native static void aesIgeEncryption(ByteBuffer buffer, byte[] key, byte[] iv, boolean encrypt, int offset, int length);
private native static void aesIgeEncryptionByteArray(byte[] buffer, byte[] key, byte[] iv, boolean encrypt, int offset, int length);
public native static void aesCtrDecryption(ByteBuffer buffer, byte[] key, byte[] iv, int offset, int length);
public native static void aesCtrDecryptionByteArray(byte[] buffer, byte[] key, byte[] iv, int offset, long length, int n);
private native static void aesCbcEncryptionByteArray(byte[] buffer, byte[] key, byte[] iv, int offset, int length, int n, int encrypt);
public native static void aesCbcEncryption(ByteBuffer buffer, byte[] key, byte[] iv, int offset, int length, int encrypt);
public native static String readlink(String path);
public native static String readlinkFd(int fd);
public native static long getDirSize(String path, int docType, boolean subdirs);
public native static long getLastUsageFileTime(String path);
public native static void clearDir(String path, int docType, long time, boolean subdirs);
private native static int pbkdf2(byte[] password, byte[] salt, byte[] dst, int iterations);
public static native void stackBlurBitmap(Bitmap bitmap, int radius);
public static native void drawDitheredGradient(Bitmap bitmap, int[] colors, int startX, int startY, int endX, int endY);
public static native int saveProgressiveJpeg(Bitmap bitmap, int width, int height, int stride, int quality, String path);
public static native void generateGradient(Bitmap bitmap, boolean unpin, int phase, float progress, int width, int height, int stride, int[] colors);
public static native void setupNativeCrashesListener(String path);
public static Bitmap stackBlurBitmapMax(Bitmap bitmap) {
return stackBlurBitmapMax(bitmap, false);
}
public static Bitmap stackBlurBitmapMax(Bitmap bitmap, boolean round) {
int w = AndroidUtilities.dp(20);
int h = (int) (AndroidUtilities.dp(20) * (float) bitmap.getHeight() / bitmap.getWidth());
Bitmap scaledBitmap = Bitmap.createBitmap(w, h, Bitmap.Config.ARGB_8888);
Canvas canvas = new Canvas(scaledBitmap);
canvas.save();
canvas.scale((float) scaledBitmap.getWidth() / bitmap.getWidth(), (float) scaledBitmap.getHeight() / bitmap.getHeight());
if (round) {
Path path = new Path();
path.addCircle(bitmap.getWidth() / 2f, bitmap.getHeight() / 2f, Math.min(bitmap.getWidth(), bitmap.getHeight()) / 2f - 1, Path.Direction.CW);
canvas.clipPath(path);
}
canvas.drawBitmap(bitmap, 0, 0, null);
canvas.restore();
Utilities.stackBlurBitmap(scaledBitmap, Math.max(10, Math.max(w, h) / 150));
return scaledBitmap;
}
public static Bitmap stackBlurBitmapWithScaleFactor(Bitmap bitmap, float scaleFactor) {
int w = (int) Math.max(AndroidUtilities.dp(20), bitmap.getWidth() / scaleFactor);
int h = (int) Math.max(AndroidUtilities.dp(20) * (float) bitmap.getHeight() / bitmap.getWidth(), bitmap.getHeight() / scaleFactor);
Bitmap scaledBitmap = Bitmap.createBitmap(w, h, Bitmap.Config.ARGB_8888);
Canvas canvas = new Canvas(scaledBitmap);
canvas.save();
canvas.scale((float) scaledBitmap.getWidth() / bitmap.getWidth(), (float) scaledBitmap.getHeight() / bitmap.getHeight());
canvas.drawBitmap(bitmap, 0, 0, null);
canvas.restore();
Utilities.stackBlurBitmap(scaledBitmap, Math.max(10, Math.max(w, h) / 150));
return scaledBitmap;
}
public static Bitmap blurWallpaper(Bitmap src) {
if (src == null) {
return null;
}
Bitmap b;
if (src.getHeight() > src.getWidth()) {
b = Bitmap.createBitmap(Math.round(450f * src.getWidth() / src.getHeight()), 450, Bitmap.Config.ARGB_8888);
} else {
b = Bitmap.createBitmap(450, Math.round(450f * src.getHeight() / src.getWidth()), Bitmap.Config.ARGB_8888);
}
Paint paint = new Paint(Paint.FILTER_BITMAP_FLAG);
Rect rect = new Rect(0, 0, b.getWidth(), b.getHeight());
new Canvas(b).drawBitmap(src, null, rect, paint);
stackBlurBitmap(b, 12);
return b;
}
public static void aesIgeEncryption(ByteBuffer buffer, byte[] key, byte[] iv, boolean encrypt, boolean changeIv, int offset, int length) {
aesIgeEncryption(buffer, key, changeIv ? iv : iv.clone(), encrypt, offset, length);
}
public static void aesIgeEncryptionByteArray(byte[] buffer, byte[] key, byte[] iv, boolean encrypt, boolean changeIv, int offset, int length) {
aesIgeEncryptionByteArray(buffer, key, changeIv ? iv : iv.clone(), encrypt, offset, length);
}
public static void aesCbcEncryptionByteArraySafe(byte[] buffer, byte[] key, byte[] iv, int offset, int length, int n, int encrypt) {
aesCbcEncryptionByteArray(buffer, key, iv.clone(), offset, length, n, encrypt);
}
public static Integer parseInt(CharSequence value) {
if (value == null) {
return 0;
}
if (BuildConfig.BUILD_HOST_IS_WINDOWS) {
Matcher matcher = pattern.matcher(value);
if (matcher.find()) {
return Integer.valueOf(matcher.group());
}
} else {
int val = 0;
try {
int start = -1, end;
for (end = 0; end < value.length(); ++end) {
char character = value.charAt(end);
boolean allowedChar = character == '-' || character >= '0' && character <= '9';
if (allowedChar && start < 0) {
start = end;
} else if (!allowedChar && start >= 0) {
end++;
break;
}
}
if (start >= 0) {
String str = value.subSequence(start, end).toString();
// val =<SUF>
val = Integer.parseInt(str);
}
} catch (Exception ignore) {}
return val;
}
return 0;
}
private static int parseInt(final String s) {
int num = 0;
boolean negative = true;
final int len = s.length();
final char ch = s.charAt(0);
if (ch == '-') {
negative = false;
} else {
num = '0' - ch;
}
int i = 1;
while (i < len) {
num = num * 10 + '0' - s.charAt(i++);
}
return negative ? -num : num;
}
public static Long parseLong(String value) {
if (value == null) {
return 0L;
}
long val = 0L;
try {
Matcher matcher = pattern.matcher(value);
if (matcher.find()) {
String num = matcher.group(0);
val = Long.parseLong(num);
}
} catch (Exception ignore) {
}
return val;
}
public static String parseIntToString(String value) {
Matcher matcher = pattern.matcher(value);
if (matcher.find()) {
return matcher.group(0);
}
return null;
}
public static String bytesToHex(byte[] bytes) {
if (bytes == null) {
return "";
}
char[] hexChars = new char[bytes.length * 2];
int v;
for (int j = 0; j < bytes.length; j++) {
v = bytes[j] & 0xFF;
hexChars[j * 2] = hexArray[v >>> 4];
hexChars[j * 2 + 1] = hexArray[v & 0x0F];
}
return new String(hexChars);
}
public static byte[] hexToBytes(String hex) {
if (hex == null) {
return null;
}
int len = hex.length();
byte[] data = new byte[len / 2];
for (int i = 0; i < len; i += 2) {
data[i / 2] = (byte) ((Character.digit(hex.charAt(i), 16) << 4) + Character.digit(hex.charAt(i + 1), 16));
}
return data;
}
public static boolean isGoodPrime(byte[] prime, int g) {
if (!(g >= 2 && g <= 7)) {
return false;
}
if (prime.length != 256 || prime[0] >= 0) {
return false;
}
BigInteger dhBI = new BigInteger(1, prime);
if (g == 2) { // p mod 8 = 7 for g = 2;
BigInteger res = dhBI.mod(BigInteger.valueOf(8));
if (res.intValue() != 7) {
return false;
}
} else if (g == 3) { // p mod 3 = 2 for g = 3;
BigInteger res = dhBI.mod(BigInteger.valueOf(3));
if (res.intValue() != 2) {
return false;
}
} else if (g == 5) { // p mod 5 = 1 or 4 for g = 5;
BigInteger res = dhBI.mod(BigInteger.valueOf(5));
int val = res.intValue();
if (val != 1 && val != 4) {
return false;
}
} else if (g == 6) { // p mod 24 = 19 or 23 for g = 6;
BigInteger res = dhBI.mod(BigInteger.valueOf(24));
int val = res.intValue();
if (val != 19 && val != 23) {
return false;
}
} else if (g == 7) { // p mod 7 = 3, 5 or 6 for g = 7.
BigInteger res = dhBI.mod(BigInteger.valueOf(7));
int val = res.intValue();
if (val != 3 && val != 5 && val != 6) {
return false;
}
}
String hex = bytesToHex(prime);
if (hex.equals("C71CAEB9C6B1C9048E6C522F70F13F73980D40238E3E21C14934D037563D930F48198A0AA7C14058229493D22530F4DBFA336F6E0AC925139543AED44CCE7C3720FD51F69458705AC68CD4FE6B6B13ABDC9746512969328454F18FAF8C595F642477FE96BB2A941D5BCD1D4AC8CC49880708FA9B378E3C4F3A9060BEE67CF9A4A4A695811051907E162753B56B0F6B410DBA74D8A84B2A14B3144E0EF1284754FD17ED950D5965B4B9DD46582DB1178D169C6BC465B0D6FF9CA3928FEF5B9AE4E418FC15E83EBEA0F87FA9FF5EED70050DED2849F47BF959D956850CE929851F0D8115F635B105EE2E4E15D04B2454BF6F4FADF034B10403119CD8E3B92FCC5B")) {
return true;
}
BigInteger dhBI2 = dhBI.subtract(BigInteger.valueOf(1)).divide(BigInteger.valueOf(2));
return !(!dhBI.isProbablePrime(30) || !dhBI2.isProbablePrime(30));
}
public static boolean isGoodGaAndGb(BigInteger g_a, BigInteger p) {
return !(g_a.compareTo(BigInteger.valueOf(1)) <= 0 || g_a.compareTo(p.subtract(BigInteger.valueOf(1))) >= 0);
}
public static boolean arraysEquals(byte[] arr1, int offset1, byte[] arr2, int offset2) {
if (arr1 == null || arr2 == null || offset1 < 0 || offset2 < 0 || arr1.length - offset1 > arr2.length - offset2 || arr1.length - offset1 < 0 || arr2.length - offset2 < 0) {
return false;
}
boolean result = true;
for (int a = offset1; a < arr1.length; a++) {
if (arr1[a + offset1] != arr2[a + offset2]) {
result = false;
}
}
return result;
}
public static byte[] computeSHA1(byte[] convertme, int offset, int len) {
try {
MessageDigest md = MessageDigest.getInstance("SHA-1");
md.update(convertme, offset, len);
return md.digest();
} catch (Exception e) {
FileLog.e(e);
}
return new byte[20];
}
public static byte[] computeSHA1(ByteBuffer convertme, int offset, int len) {
int oldp = convertme.position();
int oldl = convertme.limit();
try {
MessageDigest md = MessageDigest.getInstance("SHA-1");
convertme.position(offset);
convertme.limit(len);
md.update(convertme);
return md.digest();
} catch (Exception e) {
FileLog.e(e);
} finally {
convertme.limit(oldl);
convertme.position(oldp);
}
return new byte[20];
}
public static byte[] computeSHA1(ByteBuffer convertme) {
return computeSHA1(convertme, 0, convertme.limit());
}
public static byte[] computeSHA1(byte[] convertme) {
return computeSHA1(convertme, 0, convertme.length);
}
public static byte[] computeSHA256(byte[] convertme) {
return computeSHA256(convertme, 0, convertme.length);
}
public static byte[] computeSHA256(byte[] convertme, int offset, long len) {
try {
MessageDigest md = MessageDigest.getInstance("SHA-256");
md.update(convertme, offset, (int) len);
return md.digest();
} catch (Exception e) {
FileLog.e(e);
}
return new byte[32];
}
public static byte[] computeSHA256(byte[]... args) {
try {
MessageDigest md = MessageDigest.getInstance("SHA-256");
for (int a = 0; a < args.length; a++) {
md.update(args[a], 0, args[a].length);
}
return md.digest();
} catch (Exception e) {
FileLog.e(e);
}
return new byte[32];
}
public static byte[] computeSHA512(byte[] convertme) {
try {
MessageDigest md = MessageDigest.getInstance("SHA-512");
md.update(convertme, 0, convertme.length);
return md.digest();
} catch (Exception e) {
FileLog.e(e);
}
return new byte[64];
}
public static byte[] computeSHA512(byte[] convertme, byte[] convertme2) {
try {
MessageDigest md = MessageDigest.getInstance("SHA-512");
md.update(convertme, 0, convertme.length);
md.update(convertme2, 0, convertme2.length);
return md.digest();
} catch (Exception e) {
FileLog.e(e);
}
return new byte[64];
}
public static byte[] computePBKDF2(byte[] password, byte[] salt) {
byte[] dst = new byte[64];
Utilities.pbkdf2(password, salt, dst, 100000);
return dst;
}
public static byte[] computeSHA512(byte[] convertme, byte[] convertme2, byte[] convertme3) {
try {
MessageDigest md = MessageDigest.getInstance("SHA-512");
md.update(convertme, 0, convertme.length);
md.update(convertme2, 0, convertme2.length);
md.update(convertme3, 0, convertme3.length);
return md.digest();
} catch (Exception e) {
FileLog.e(e);
}
return new byte[64];
}
public static byte[] computeSHA256(byte[] b1, int o1, int l1, ByteBuffer b2, int o2, int l2) {
int oldp = b2.position();
int oldl = b2.limit();
try {
MessageDigest md = MessageDigest.getInstance("SHA-256");
md.update(b1, o1, l1);
b2.position(o2);
b2.limit(l2);
md.update(b2);
return md.digest();
} catch (Exception e) {
FileLog.e(e);
} finally {
b2.limit(oldl);
b2.position(oldp);
}
return new byte[32];
}
public static long bytesToLong(byte[] bytes) {
return ((long) bytes[7] << 56) + (((long) bytes[6] & 0xFF) << 48) + (((long) bytes[5] & 0xFF) << 40) + (((long) bytes[4] & 0xFF) << 32)
+ (((long) bytes[3] & 0xFF) << 24) + (((long) bytes[2] & 0xFF) << 16) + (((long) bytes[1] & 0xFF) << 8) + ((long) bytes[0] & 0xFF);
}
public static int bytesToInt(byte[] bytes) {
return (((int) bytes[3] & 0xFF) << 24) + (((int) bytes[2] & 0xFF) << 16) + (((int) bytes[1] & 0xFF) << 8) + ((int) bytes[0] & 0xFF);
}
public static byte[] intToBytes(int value) {
return new byte[]{
(byte) (value >>> 24),
(byte) (value >>> 16),
(byte) (value >>> 8),
(byte) value};
}
public static String MD5(String md5) {
if (md5 == null) {
return null;
}
try {
java.security.MessageDigest md = java.security.MessageDigest.getInstance("MD5");
byte[] array = md.digest(AndroidUtilities.getStringBytes(md5));
StringBuilder sb = new StringBuilder();
for (int a = 0; a < array.length; a++) {
sb.append(Integer.toHexString((array[a] & 0xFF) | 0x100).substring(1, 3));
}
return sb.toString();
} catch (java.security.NoSuchAlgorithmException e) {
FileLog.e(e);
}
return null;
}
public static int clamp(int value, int maxValue, int minValue) {
return Math.max(Math.min(value, maxValue), minValue);
}
public static long clamp(long value, long maxValue, long minValue) {
return Math.max(Math.min(value, maxValue), minValue);
}
public static float clamp(float value, float maxValue, float minValue) {
if (Float.isNaN(value)) {
return minValue;
}
if (Float.isInfinite(value)) {
return maxValue;
}
return Math.max(Math.min(value, maxValue), minValue);
}
public static double clamp(double value, double maxValue, double minValue) {
if (Double.isNaN(value)) {
return minValue;
}
if (Double.isInfinite(value)) {
return maxValue;
}
return Math.max(Math.min(value, maxValue), minValue);
}
public static String generateRandomString() {
return generateRandomString(16);
}
public static String generateRandomString(int chars) {
StringBuilder sb = new StringBuilder();
for (int i = 0; i < chars; i++) {
sb.append(RANDOM_STRING_CHARS.charAt(fastRandom.nextInt(RANDOM_STRING_CHARS.length())));
}
return sb.toString();
}
public static String getExtension(String fileName) {
int idx = fileName.lastIndexOf('.');
String ext = null;
if (idx != -1) {
ext = fileName.substring(idx + 1);
}
if (ext == null) {
return null;
}
ext = ext.toUpperCase();
return ext;
}
public static interface Callback<T> {
public void run(T arg);
}
public static interface CallbackVoidReturn<ReturnType> {
public ReturnType run();
}
public static interface Callback0Return<ReturnType> {
public ReturnType run();
}
public static interface CallbackReturn<Arg, ReturnType> {
public ReturnType run(Arg arg);
}
public static interface Callback2Return<T1, T2, ReturnType> {
public ReturnType run(T1 arg, T2 arg2);
}
public static interface Callback3Return<T1, T2, T3, ReturnType> {
public ReturnType run(T1 arg, T2 arg2, T3 arg3);
}
public static interface Callback2<T, T2> {
public void run(T arg, T2 arg2);
}
public static interface Callback3<T, T2, T3> {
public void run(T arg, T2 arg2, T3 arg3);
}
public static interface Callback4<T, T2, T3, T4> {
public void run(T arg, T2 arg2, T3 arg3, T4 arg4);
}
public static interface Callback4Return<T, T2, T3, T4, ReturnType> {
public ReturnType run(T arg, T2 arg2, T3 arg3, T4 arg4);
}
public static interface Callback5<T, T2, T3, T4, T5> {
public void run(T arg, T2 arg2, T3 arg3, T4 arg4, T5 arg5);
}
public static interface Callback5Return<T, T2, T3, T4, T5, ReturnType> {
public ReturnType run(T arg, T2 arg2, T3 arg3, T4 arg4, T5 arg5);
}
public static interface IndexedConsumer<T> {
void accept(T t, int index);
}
public static <Key, Value> Value getOrDefault(HashMap<Key, Value> map, Key key, Value defaultValue) {
Value v = map.get(key);
if (v == null) {
return defaultValue;
}
return v;
}
public static void doCallbacks(Utilities.Callback<Runnable> ...actions) {
doCallbacks(0, actions);
}
private static void doCallbacks(int i, Utilities.Callback<Runnable> ...actions) {
if (actions != null && actions.length > i) {
actions[i].run(() -> doCallbacks(i + 1, actions));
}
}
public static void raceCallbacks(Runnable onFinish, Utilities.Callback<Runnable> ...actions) {
if (actions == null || actions.length == 0) {
if (onFinish != null) {
onFinish.run();
}
return;
}
final int[] finished = new int[] { 0 };
Runnable checkFinish = () -> {
finished[0]++;
if (finished[0] == actions.length) {
if (onFinish != null) {
onFinish.run();
}
}
};
for (int i = 0; i < actions.length; ++i) {
actions[i].run(checkFinish);
}
}
public static DispatchQueue getOrCreatePlayerQueue() {
if (videoPlayerQueue == null) {
videoPlayerQueue = new DispatchQueue("playerQueue");
}
return videoPlayerQueue;
}
public static boolean isNullOrEmpty(final Collection<?> list) {
return list == null || list.isEmpty();
}
}
|
2202_0 | package domain;
import java.util.Objects;
/**
* Deze klasse stelt een Contact voor.
*/
public class Contact implements Cloneable {
private String achternaam;
private String voornaam;
private String tel;
/**
* Constructor voor een contact
* @param achternaam De achternaam voor het contact.
* @param voornaam De achternaam voor het contact.
* @param tel De telefoonnummer voor het contact.
* @ Wanneer achternaam, voornaam of telefoonnummer ongeldig zijn.
*/
public Contact(String achternaam, String voornaam, String tel) {
setAchternaam(achternaam);
setVoornaam(voornaam);
setTel(tel);
}
@Override
public Contact clone(){
return new Contact(this.getAchternaam(),this.getVoornaam(),this.getTel());
}
/**
* Retourneert de achternaam van het contact.
* @return De achternaam van het contact.
*/
public String getAchternaam() {
return achternaam;
}
private void setAchternaam(String achternaam)
{
if (achternaam == null || achternaam.equals("")) {
throw new IllegalArgumentException("Ongeldige achternaam.");
}
this.achternaam = achternaam;
}
/**
* Retourneert de voornaam van het contact.
* @return De voornaam van het contact.
*/
public String getVoornaam() {
return voornaam;
}
private void setVoornaam(String voornaam) {
if (voornaam == null || voornaam.equals("")) {
throw new IllegalArgumentException("Ongeldige voornaam.");
}
this.voornaam = voornaam;
}
/**
* Retourneert het telefoonnummer van het contact.
* @return Het telefoonnummer van het contact.
*/
public String getTel() {
return tel;
}
private void setTel(String tel) {
if (tel == null) {
throw new IllegalArgumentException("Ongeldig telefoonnummer.");
}
this.tel = tel;
}
/**
* Retourneert de hashcode van het contact.
*/
@Override
public int hashCode() {
return Objects.hash(achternaam, voornaam, tel);
}
/**
* Controleert of een object gelijk is aan het contact.
*/
@Override
public boolean equals(Object obj) {
if(obj instanceof Contact){
Contact c = (Contact) obj;
return achternaam == c.getAchternaam() && voornaam == c.getVoornaam() && tel == c.getTel();
}
return false;
}
/**
* toString
*/
@Override
public String toString(){
return voornaam + " " + achternaam + " " + tel;
}
}
| martijnmeeldijk/TI-oplossingen | Semester_2/OOP/Labo HashSet/src/domain/Contact.java | 713 | /**
* Deze klasse stelt een Contact voor.
*/ | block_comment | nl | package domain;
import java.util.Objects;
/**
* Deze klasse stelt<SUF>*/
public class Contact implements Cloneable {
private String achternaam;
private String voornaam;
private String tel;
/**
* Constructor voor een contact
* @param achternaam De achternaam voor het contact.
* @param voornaam De achternaam voor het contact.
* @param tel De telefoonnummer voor het contact.
* @ Wanneer achternaam, voornaam of telefoonnummer ongeldig zijn.
*/
public Contact(String achternaam, String voornaam, String tel) {
setAchternaam(achternaam);
setVoornaam(voornaam);
setTel(tel);
}
@Override
public Contact clone(){
return new Contact(this.getAchternaam(),this.getVoornaam(),this.getTel());
}
/**
* Retourneert de achternaam van het contact.
* @return De achternaam van het contact.
*/
public String getAchternaam() {
return achternaam;
}
private void setAchternaam(String achternaam)
{
if (achternaam == null || achternaam.equals("")) {
throw new IllegalArgumentException("Ongeldige achternaam.");
}
this.achternaam = achternaam;
}
/**
* Retourneert de voornaam van het contact.
* @return De voornaam van het contact.
*/
public String getVoornaam() {
return voornaam;
}
private void setVoornaam(String voornaam) {
if (voornaam == null || voornaam.equals("")) {
throw new IllegalArgumentException("Ongeldige voornaam.");
}
this.voornaam = voornaam;
}
/**
* Retourneert het telefoonnummer van het contact.
* @return Het telefoonnummer van het contact.
*/
public String getTel() {
return tel;
}
private void setTel(String tel) {
if (tel == null) {
throw new IllegalArgumentException("Ongeldig telefoonnummer.");
}
this.tel = tel;
}
/**
* Retourneert de hashcode van het contact.
*/
@Override
public int hashCode() {
return Objects.hash(achternaam, voornaam, tel);
}
/**
* Controleert of een object gelijk is aan het contact.
*/
@Override
public boolean equals(Object obj) {
if(obj instanceof Contact){
Contact c = (Contact) obj;
return achternaam == c.getAchternaam() && voornaam == c.getVoornaam() && tel == c.getTel();
}
return false;
}
/**
* toString
*/
@Override
public String toString(){
return voornaam + " " + achternaam + " " + tel;
}
}
|
2202_1 | package domain;
import java.util.Objects;
/**
* Deze klasse stelt een Contact voor.
*/
public class Contact implements Cloneable {
private String achternaam;
private String voornaam;
private String tel;
/**
* Constructor voor een contact
* @param achternaam De achternaam voor het contact.
* @param voornaam De achternaam voor het contact.
* @param tel De telefoonnummer voor het contact.
* @ Wanneer achternaam, voornaam of telefoonnummer ongeldig zijn.
*/
public Contact(String achternaam, String voornaam, String tel) {
setAchternaam(achternaam);
setVoornaam(voornaam);
setTel(tel);
}
@Override
public Contact clone(){
return new Contact(this.getAchternaam(),this.getVoornaam(),this.getTel());
}
/**
* Retourneert de achternaam van het contact.
* @return De achternaam van het contact.
*/
public String getAchternaam() {
return achternaam;
}
private void setAchternaam(String achternaam)
{
if (achternaam == null || achternaam.equals("")) {
throw new IllegalArgumentException("Ongeldige achternaam.");
}
this.achternaam = achternaam;
}
/**
* Retourneert de voornaam van het contact.
* @return De voornaam van het contact.
*/
public String getVoornaam() {
return voornaam;
}
private void setVoornaam(String voornaam) {
if (voornaam == null || voornaam.equals("")) {
throw new IllegalArgumentException("Ongeldige voornaam.");
}
this.voornaam = voornaam;
}
/**
* Retourneert het telefoonnummer van het contact.
* @return Het telefoonnummer van het contact.
*/
public String getTel() {
return tel;
}
private void setTel(String tel) {
if (tel == null) {
throw new IllegalArgumentException("Ongeldig telefoonnummer.");
}
this.tel = tel;
}
/**
* Retourneert de hashcode van het contact.
*/
@Override
public int hashCode() {
return Objects.hash(achternaam, voornaam, tel);
}
/**
* Controleert of een object gelijk is aan het contact.
*/
@Override
public boolean equals(Object obj) {
if(obj instanceof Contact){
Contact c = (Contact) obj;
return achternaam == c.getAchternaam() && voornaam == c.getVoornaam() && tel == c.getTel();
}
return false;
}
/**
* toString
*/
@Override
public String toString(){
return voornaam + " " + achternaam + " " + tel;
}
}
| martijnmeeldijk/TI-oplossingen | Semester_2/OOP/Labo HashSet/src/domain/Contact.java | 713 | /**
* Constructor voor een contact
* @param achternaam De achternaam voor het contact.
* @param voornaam De achternaam voor het contact.
* @param tel De telefoonnummer voor het contact.
* @ Wanneer achternaam, voornaam of telefoonnummer ongeldig zijn.
*/ | block_comment | nl | package domain;
import java.util.Objects;
/**
* Deze klasse stelt een Contact voor.
*/
public class Contact implements Cloneable {
private String achternaam;
private String voornaam;
private String tel;
/**
* Constructor voor een<SUF>*/
public Contact(String achternaam, String voornaam, String tel) {
setAchternaam(achternaam);
setVoornaam(voornaam);
setTel(tel);
}
@Override
public Contact clone(){
return new Contact(this.getAchternaam(),this.getVoornaam(),this.getTel());
}
/**
* Retourneert de achternaam van het contact.
* @return De achternaam van het contact.
*/
public String getAchternaam() {
return achternaam;
}
private void setAchternaam(String achternaam)
{
if (achternaam == null || achternaam.equals("")) {
throw new IllegalArgumentException("Ongeldige achternaam.");
}
this.achternaam = achternaam;
}
/**
* Retourneert de voornaam van het contact.
* @return De voornaam van het contact.
*/
public String getVoornaam() {
return voornaam;
}
private void setVoornaam(String voornaam) {
if (voornaam == null || voornaam.equals("")) {
throw new IllegalArgumentException("Ongeldige voornaam.");
}
this.voornaam = voornaam;
}
/**
* Retourneert het telefoonnummer van het contact.
* @return Het telefoonnummer van het contact.
*/
public String getTel() {
return tel;
}
private void setTel(String tel) {
if (tel == null) {
throw new IllegalArgumentException("Ongeldig telefoonnummer.");
}
this.tel = tel;
}
/**
* Retourneert de hashcode van het contact.
*/
@Override
public int hashCode() {
return Objects.hash(achternaam, voornaam, tel);
}
/**
* Controleert of een object gelijk is aan het contact.
*/
@Override
public boolean equals(Object obj) {
if(obj instanceof Contact){
Contact c = (Contact) obj;
return achternaam == c.getAchternaam() && voornaam == c.getVoornaam() && tel == c.getTel();
}
return false;
}
/**
* toString
*/
@Override
public String toString(){
return voornaam + " " + achternaam + " " + tel;
}
}
|
2202_2 | package domain;
import java.util.Objects;
/**
* Deze klasse stelt een Contact voor.
*/
public class Contact implements Cloneable {
private String achternaam;
private String voornaam;
private String tel;
/**
* Constructor voor een contact
* @param achternaam De achternaam voor het contact.
* @param voornaam De achternaam voor het contact.
* @param tel De telefoonnummer voor het contact.
* @ Wanneer achternaam, voornaam of telefoonnummer ongeldig zijn.
*/
public Contact(String achternaam, String voornaam, String tel) {
setAchternaam(achternaam);
setVoornaam(voornaam);
setTel(tel);
}
@Override
public Contact clone(){
return new Contact(this.getAchternaam(),this.getVoornaam(),this.getTel());
}
/**
* Retourneert de achternaam van het contact.
* @return De achternaam van het contact.
*/
public String getAchternaam() {
return achternaam;
}
private void setAchternaam(String achternaam)
{
if (achternaam == null || achternaam.equals("")) {
throw new IllegalArgumentException("Ongeldige achternaam.");
}
this.achternaam = achternaam;
}
/**
* Retourneert de voornaam van het contact.
* @return De voornaam van het contact.
*/
public String getVoornaam() {
return voornaam;
}
private void setVoornaam(String voornaam) {
if (voornaam == null || voornaam.equals("")) {
throw new IllegalArgumentException("Ongeldige voornaam.");
}
this.voornaam = voornaam;
}
/**
* Retourneert het telefoonnummer van het contact.
* @return Het telefoonnummer van het contact.
*/
public String getTel() {
return tel;
}
private void setTel(String tel) {
if (tel == null) {
throw new IllegalArgumentException("Ongeldig telefoonnummer.");
}
this.tel = tel;
}
/**
* Retourneert de hashcode van het contact.
*/
@Override
public int hashCode() {
return Objects.hash(achternaam, voornaam, tel);
}
/**
* Controleert of een object gelijk is aan het contact.
*/
@Override
public boolean equals(Object obj) {
if(obj instanceof Contact){
Contact c = (Contact) obj;
return achternaam == c.getAchternaam() && voornaam == c.getVoornaam() && tel == c.getTel();
}
return false;
}
/**
* toString
*/
@Override
public String toString(){
return voornaam + " " + achternaam + " " + tel;
}
}
| martijnmeeldijk/TI-oplossingen | Semester_2/OOP/Labo HashSet/src/domain/Contact.java | 713 | /**
* Retourneert de achternaam van het contact.
* @return De achternaam van het contact.
*/ | block_comment | nl | package domain;
import java.util.Objects;
/**
* Deze klasse stelt een Contact voor.
*/
public class Contact implements Cloneable {
private String achternaam;
private String voornaam;
private String tel;
/**
* Constructor voor een contact
* @param achternaam De achternaam voor het contact.
* @param voornaam De achternaam voor het contact.
* @param tel De telefoonnummer voor het contact.
* @ Wanneer achternaam, voornaam of telefoonnummer ongeldig zijn.
*/
public Contact(String achternaam, String voornaam, String tel) {
setAchternaam(achternaam);
setVoornaam(voornaam);
setTel(tel);
}
@Override
public Contact clone(){
return new Contact(this.getAchternaam(),this.getVoornaam(),this.getTel());
}
/**
* Retourneert de achternaam<SUF>*/
public String getAchternaam() {
return achternaam;
}
private void setAchternaam(String achternaam)
{
if (achternaam == null || achternaam.equals("")) {
throw new IllegalArgumentException("Ongeldige achternaam.");
}
this.achternaam = achternaam;
}
/**
* Retourneert de voornaam van het contact.
* @return De voornaam van het contact.
*/
public String getVoornaam() {
return voornaam;
}
private void setVoornaam(String voornaam) {
if (voornaam == null || voornaam.equals("")) {
throw new IllegalArgumentException("Ongeldige voornaam.");
}
this.voornaam = voornaam;
}
/**
* Retourneert het telefoonnummer van het contact.
* @return Het telefoonnummer van het contact.
*/
public String getTel() {
return tel;
}
private void setTel(String tel) {
if (tel == null) {
throw new IllegalArgumentException("Ongeldig telefoonnummer.");
}
this.tel = tel;
}
/**
* Retourneert de hashcode van het contact.
*/
@Override
public int hashCode() {
return Objects.hash(achternaam, voornaam, tel);
}
/**
* Controleert of een object gelijk is aan het contact.
*/
@Override
public boolean equals(Object obj) {
if(obj instanceof Contact){
Contact c = (Contact) obj;
return achternaam == c.getAchternaam() && voornaam == c.getVoornaam() && tel == c.getTel();
}
return false;
}
/**
* toString
*/
@Override
public String toString(){
return voornaam + " " + achternaam + " " + tel;
}
}
|
2202_3 | package domain;
import java.util.Objects;
/**
* Deze klasse stelt een Contact voor.
*/
public class Contact implements Cloneable {
private String achternaam;
private String voornaam;
private String tel;
/**
* Constructor voor een contact
* @param achternaam De achternaam voor het contact.
* @param voornaam De achternaam voor het contact.
* @param tel De telefoonnummer voor het contact.
* @ Wanneer achternaam, voornaam of telefoonnummer ongeldig zijn.
*/
public Contact(String achternaam, String voornaam, String tel) {
setAchternaam(achternaam);
setVoornaam(voornaam);
setTel(tel);
}
@Override
public Contact clone(){
return new Contact(this.getAchternaam(),this.getVoornaam(),this.getTel());
}
/**
* Retourneert de achternaam van het contact.
* @return De achternaam van het contact.
*/
public String getAchternaam() {
return achternaam;
}
private void setAchternaam(String achternaam)
{
if (achternaam == null || achternaam.equals("")) {
throw new IllegalArgumentException("Ongeldige achternaam.");
}
this.achternaam = achternaam;
}
/**
* Retourneert de voornaam van het contact.
* @return De voornaam van het contact.
*/
public String getVoornaam() {
return voornaam;
}
private void setVoornaam(String voornaam) {
if (voornaam == null || voornaam.equals("")) {
throw new IllegalArgumentException("Ongeldige voornaam.");
}
this.voornaam = voornaam;
}
/**
* Retourneert het telefoonnummer van het contact.
* @return Het telefoonnummer van het contact.
*/
public String getTel() {
return tel;
}
private void setTel(String tel) {
if (tel == null) {
throw new IllegalArgumentException("Ongeldig telefoonnummer.");
}
this.tel = tel;
}
/**
* Retourneert de hashcode van het contact.
*/
@Override
public int hashCode() {
return Objects.hash(achternaam, voornaam, tel);
}
/**
* Controleert of een object gelijk is aan het contact.
*/
@Override
public boolean equals(Object obj) {
if(obj instanceof Contact){
Contact c = (Contact) obj;
return achternaam == c.getAchternaam() && voornaam == c.getVoornaam() && tel == c.getTel();
}
return false;
}
/**
* toString
*/
@Override
public String toString(){
return voornaam + " " + achternaam + " " + tel;
}
}
| martijnmeeldijk/TI-oplossingen | Semester_2/OOP/Labo HashSet/src/domain/Contact.java | 713 | /**
* Retourneert de voornaam van het contact.
* @return De voornaam van het contact.
*/ | block_comment | nl | package domain;
import java.util.Objects;
/**
* Deze klasse stelt een Contact voor.
*/
public class Contact implements Cloneable {
private String achternaam;
private String voornaam;
private String tel;
/**
* Constructor voor een contact
* @param achternaam De achternaam voor het contact.
* @param voornaam De achternaam voor het contact.
* @param tel De telefoonnummer voor het contact.
* @ Wanneer achternaam, voornaam of telefoonnummer ongeldig zijn.
*/
public Contact(String achternaam, String voornaam, String tel) {
setAchternaam(achternaam);
setVoornaam(voornaam);
setTel(tel);
}
@Override
public Contact clone(){
return new Contact(this.getAchternaam(),this.getVoornaam(),this.getTel());
}
/**
* Retourneert de achternaam van het contact.
* @return De achternaam van het contact.
*/
public String getAchternaam() {
return achternaam;
}
private void setAchternaam(String achternaam)
{
if (achternaam == null || achternaam.equals("")) {
throw new IllegalArgumentException("Ongeldige achternaam.");
}
this.achternaam = achternaam;
}
/**
* Retourneert de voornaam<SUF>*/
public String getVoornaam() {
return voornaam;
}
private void setVoornaam(String voornaam) {
if (voornaam == null || voornaam.equals("")) {
throw new IllegalArgumentException("Ongeldige voornaam.");
}
this.voornaam = voornaam;
}
/**
* Retourneert het telefoonnummer van het contact.
* @return Het telefoonnummer van het contact.
*/
public String getTel() {
return tel;
}
private void setTel(String tel) {
if (tel == null) {
throw new IllegalArgumentException("Ongeldig telefoonnummer.");
}
this.tel = tel;
}
/**
* Retourneert de hashcode van het contact.
*/
@Override
public int hashCode() {
return Objects.hash(achternaam, voornaam, tel);
}
/**
* Controleert of een object gelijk is aan het contact.
*/
@Override
public boolean equals(Object obj) {
if(obj instanceof Contact){
Contact c = (Contact) obj;
return achternaam == c.getAchternaam() && voornaam == c.getVoornaam() && tel == c.getTel();
}
return false;
}
/**
* toString
*/
@Override
public String toString(){
return voornaam + " " + achternaam + " " + tel;
}
}
|
2202_4 | package domain;
import java.util.Objects;
/**
* Deze klasse stelt een Contact voor.
*/
public class Contact implements Cloneable {
private String achternaam;
private String voornaam;
private String tel;
/**
* Constructor voor een contact
* @param achternaam De achternaam voor het contact.
* @param voornaam De achternaam voor het contact.
* @param tel De telefoonnummer voor het contact.
* @ Wanneer achternaam, voornaam of telefoonnummer ongeldig zijn.
*/
public Contact(String achternaam, String voornaam, String tel) {
setAchternaam(achternaam);
setVoornaam(voornaam);
setTel(tel);
}
@Override
public Contact clone(){
return new Contact(this.getAchternaam(),this.getVoornaam(),this.getTel());
}
/**
* Retourneert de achternaam van het contact.
* @return De achternaam van het contact.
*/
public String getAchternaam() {
return achternaam;
}
private void setAchternaam(String achternaam)
{
if (achternaam == null || achternaam.equals("")) {
throw new IllegalArgumentException("Ongeldige achternaam.");
}
this.achternaam = achternaam;
}
/**
* Retourneert de voornaam van het contact.
* @return De voornaam van het contact.
*/
public String getVoornaam() {
return voornaam;
}
private void setVoornaam(String voornaam) {
if (voornaam == null || voornaam.equals("")) {
throw new IllegalArgumentException("Ongeldige voornaam.");
}
this.voornaam = voornaam;
}
/**
* Retourneert het telefoonnummer van het contact.
* @return Het telefoonnummer van het contact.
*/
public String getTel() {
return tel;
}
private void setTel(String tel) {
if (tel == null) {
throw new IllegalArgumentException("Ongeldig telefoonnummer.");
}
this.tel = tel;
}
/**
* Retourneert de hashcode van het contact.
*/
@Override
public int hashCode() {
return Objects.hash(achternaam, voornaam, tel);
}
/**
* Controleert of een object gelijk is aan het contact.
*/
@Override
public boolean equals(Object obj) {
if(obj instanceof Contact){
Contact c = (Contact) obj;
return achternaam == c.getAchternaam() && voornaam == c.getVoornaam() && tel == c.getTel();
}
return false;
}
/**
* toString
*/
@Override
public String toString(){
return voornaam + " " + achternaam + " " + tel;
}
}
| martijnmeeldijk/TI-oplossingen | Semester_2/OOP/Labo HashSet/src/domain/Contact.java | 713 | /**
* Retourneert het telefoonnummer van het contact.
* @return Het telefoonnummer van het contact.
*/ | block_comment | nl | package domain;
import java.util.Objects;
/**
* Deze klasse stelt een Contact voor.
*/
public class Contact implements Cloneable {
private String achternaam;
private String voornaam;
private String tel;
/**
* Constructor voor een contact
* @param achternaam De achternaam voor het contact.
* @param voornaam De achternaam voor het contact.
* @param tel De telefoonnummer voor het contact.
* @ Wanneer achternaam, voornaam of telefoonnummer ongeldig zijn.
*/
public Contact(String achternaam, String voornaam, String tel) {
setAchternaam(achternaam);
setVoornaam(voornaam);
setTel(tel);
}
@Override
public Contact clone(){
return new Contact(this.getAchternaam(),this.getVoornaam(),this.getTel());
}
/**
* Retourneert de achternaam van het contact.
* @return De achternaam van het contact.
*/
public String getAchternaam() {
return achternaam;
}
private void setAchternaam(String achternaam)
{
if (achternaam == null || achternaam.equals("")) {
throw new IllegalArgumentException("Ongeldige achternaam.");
}
this.achternaam = achternaam;
}
/**
* Retourneert de voornaam van het contact.
* @return De voornaam van het contact.
*/
public String getVoornaam() {
return voornaam;
}
private void setVoornaam(String voornaam) {
if (voornaam == null || voornaam.equals("")) {
throw new IllegalArgumentException("Ongeldige voornaam.");
}
this.voornaam = voornaam;
}
/**
* Retourneert het telefoonnummer<SUF>*/
public String getTel() {
return tel;
}
private void setTel(String tel) {
if (tel == null) {
throw new IllegalArgumentException("Ongeldig telefoonnummer.");
}
this.tel = tel;
}
/**
* Retourneert de hashcode van het contact.
*/
@Override
public int hashCode() {
return Objects.hash(achternaam, voornaam, tel);
}
/**
* Controleert of een object gelijk is aan het contact.
*/
@Override
public boolean equals(Object obj) {
if(obj instanceof Contact){
Contact c = (Contact) obj;
return achternaam == c.getAchternaam() && voornaam == c.getVoornaam() && tel == c.getTel();
}
return false;
}
/**
* toString
*/
@Override
public String toString(){
return voornaam + " " + achternaam + " " + tel;
}
}
|
2202_5 | package domain;
import java.util.Objects;
/**
* Deze klasse stelt een Contact voor.
*/
public class Contact implements Cloneable {
private String achternaam;
private String voornaam;
private String tel;
/**
* Constructor voor een contact
* @param achternaam De achternaam voor het contact.
* @param voornaam De achternaam voor het contact.
* @param tel De telefoonnummer voor het contact.
* @ Wanneer achternaam, voornaam of telefoonnummer ongeldig zijn.
*/
public Contact(String achternaam, String voornaam, String tel) {
setAchternaam(achternaam);
setVoornaam(voornaam);
setTel(tel);
}
@Override
public Contact clone(){
return new Contact(this.getAchternaam(),this.getVoornaam(),this.getTel());
}
/**
* Retourneert de achternaam van het contact.
* @return De achternaam van het contact.
*/
public String getAchternaam() {
return achternaam;
}
private void setAchternaam(String achternaam)
{
if (achternaam == null || achternaam.equals("")) {
throw new IllegalArgumentException("Ongeldige achternaam.");
}
this.achternaam = achternaam;
}
/**
* Retourneert de voornaam van het contact.
* @return De voornaam van het contact.
*/
public String getVoornaam() {
return voornaam;
}
private void setVoornaam(String voornaam) {
if (voornaam == null || voornaam.equals("")) {
throw new IllegalArgumentException("Ongeldige voornaam.");
}
this.voornaam = voornaam;
}
/**
* Retourneert het telefoonnummer van het contact.
* @return Het telefoonnummer van het contact.
*/
public String getTel() {
return tel;
}
private void setTel(String tel) {
if (tel == null) {
throw new IllegalArgumentException("Ongeldig telefoonnummer.");
}
this.tel = tel;
}
/**
* Retourneert de hashcode van het contact.
*/
@Override
public int hashCode() {
return Objects.hash(achternaam, voornaam, tel);
}
/**
* Controleert of een object gelijk is aan het contact.
*/
@Override
public boolean equals(Object obj) {
if(obj instanceof Contact){
Contact c = (Contact) obj;
return achternaam == c.getAchternaam() && voornaam == c.getVoornaam() && tel == c.getTel();
}
return false;
}
/**
* toString
*/
@Override
public String toString(){
return voornaam + " " + achternaam + " " + tel;
}
}
| martijnmeeldijk/TI-oplossingen | Semester_2/OOP/Labo HashSet/src/domain/Contact.java | 713 | /**
* Retourneert de hashcode van het contact.
*/ | block_comment | nl | package domain;
import java.util.Objects;
/**
* Deze klasse stelt een Contact voor.
*/
public class Contact implements Cloneable {
private String achternaam;
private String voornaam;
private String tel;
/**
* Constructor voor een contact
* @param achternaam De achternaam voor het contact.
* @param voornaam De achternaam voor het contact.
* @param tel De telefoonnummer voor het contact.
* @ Wanneer achternaam, voornaam of telefoonnummer ongeldig zijn.
*/
public Contact(String achternaam, String voornaam, String tel) {
setAchternaam(achternaam);
setVoornaam(voornaam);
setTel(tel);
}
@Override
public Contact clone(){
return new Contact(this.getAchternaam(),this.getVoornaam(),this.getTel());
}
/**
* Retourneert de achternaam van het contact.
* @return De achternaam van het contact.
*/
public String getAchternaam() {
return achternaam;
}
private void setAchternaam(String achternaam)
{
if (achternaam == null || achternaam.equals("")) {
throw new IllegalArgumentException("Ongeldige achternaam.");
}
this.achternaam = achternaam;
}
/**
* Retourneert de voornaam van het contact.
* @return De voornaam van het contact.
*/
public String getVoornaam() {
return voornaam;
}
private void setVoornaam(String voornaam) {
if (voornaam == null || voornaam.equals("")) {
throw new IllegalArgumentException("Ongeldige voornaam.");
}
this.voornaam = voornaam;
}
/**
* Retourneert het telefoonnummer van het contact.
* @return Het telefoonnummer van het contact.
*/
public String getTel() {
return tel;
}
private void setTel(String tel) {
if (tel == null) {
throw new IllegalArgumentException("Ongeldig telefoonnummer.");
}
this.tel = tel;
}
/**
* Retourneert de hashcode<SUF>*/
@Override
public int hashCode() {
return Objects.hash(achternaam, voornaam, tel);
}
/**
* Controleert of een object gelijk is aan het contact.
*/
@Override
public boolean equals(Object obj) {
if(obj instanceof Contact){
Contact c = (Contact) obj;
return achternaam == c.getAchternaam() && voornaam == c.getVoornaam() && tel == c.getTel();
}
return false;
}
/**
* toString
*/
@Override
public String toString(){
return voornaam + " " + achternaam + " " + tel;
}
}
|
2202_6 | package domain;
import java.util.Objects;
/**
* Deze klasse stelt een Contact voor.
*/
public class Contact implements Cloneable {
private String achternaam;
private String voornaam;
private String tel;
/**
* Constructor voor een contact
* @param achternaam De achternaam voor het contact.
* @param voornaam De achternaam voor het contact.
* @param tel De telefoonnummer voor het contact.
* @ Wanneer achternaam, voornaam of telefoonnummer ongeldig zijn.
*/
public Contact(String achternaam, String voornaam, String tel) {
setAchternaam(achternaam);
setVoornaam(voornaam);
setTel(tel);
}
@Override
public Contact clone(){
return new Contact(this.getAchternaam(),this.getVoornaam(),this.getTel());
}
/**
* Retourneert de achternaam van het contact.
* @return De achternaam van het contact.
*/
public String getAchternaam() {
return achternaam;
}
private void setAchternaam(String achternaam)
{
if (achternaam == null || achternaam.equals("")) {
throw new IllegalArgumentException("Ongeldige achternaam.");
}
this.achternaam = achternaam;
}
/**
* Retourneert de voornaam van het contact.
* @return De voornaam van het contact.
*/
public String getVoornaam() {
return voornaam;
}
private void setVoornaam(String voornaam) {
if (voornaam == null || voornaam.equals("")) {
throw new IllegalArgumentException("Ongeldige voornaam.");
}
this.voornaam = voornaam;
}
/**
* Retourneert het telefoonnummer van het contact.
* @return Het telefoonnummer van het contact.
*/
public String getTel() {
return tel;
}
private void setTel(String tel) {
if (tel == null) {
throw new IllegalArgumentException("Ongeldig telefoonnummer.");
}
this.tel = tel;
}
/**
* Retourneert de hashcode van het contact.
*/
@Override
public int hashCode() {
return Objects.hash(achternaam, voornaam, tel);
}
/**
* Controleert of een object gelijk is aan het contact.
*/
@Override
public boolean equals(Object obj) {
if(obj instanceof Contact){
Contact c = (Contact) obj;
return achternaam == c.getAchternaam() && voornaam == c.getVoornaam() && tel == c.getTel();
}
return false;
}
/**
* toString
*/
@Override
public String toString(){
return voornaam + " " + achternaam + " " + tel;
}
}
| martijnmeeldijk/TI-oplossingen | Semester_2/OOP/Labo HashSet/src/domain/Contact.java | 713 | /**
* Controleert of een object gelijk is aan het contact.
*/ | block_comment | nl | package domain;
import java.util.Objects;
/**
* Deze klasse stelt een Contact voor.
*/
public class Contact implements Cloneable {
private String achternaam;
private String voornaam;
private String tel;
/**
* Constructor voor een contact
* @param achternaam De achternaam voor het contact.
* @param voornaam De achternaam voor het contact.
* @param tel De telefoonnummer voor het contact.
* @ Wanneer achternaam, voornaam of telefoonnummer ongeldig zijn.
*/
public Contact(String achternaam, String voornaam, String tel) {
setAchternaam(achternaam);
setVoornaam(voornaam);
setTel(tel);
}
@Override
public Contact clone(){
return new Contact(this.getAchternaam(),this.getVoornaam(),this.getTel());
}
/**
* Retourneert de achternaam van het contact.
* @return De achternaam van het contact.
*/
public String getAchternaam() {
return achternaam;
}
private void setAchternaam(String achternaam)
{
if (achternaam == null || achternaam.equals("")) {
throw new IllegalArgumentException("Ongeldige achternaam.");
}
this.achternaam = achternaam;
}
/**
* Retourneert de voornaam van het contact.
* @return De voornaam van het contact.
*/
public String getVoornaam() {
return voornaam;
}
private void setVoornaam(String voornaam) {
if (voornaam == null || voornaam.equals("")) {
throw new IllegalArgumentException("Ongeldige voornaam.");
}
this.voornaam = voornaam;
}
/**
* Retourneert het telefoonnummer van het contact.
* @return Het telefoonnummer van het contact.
*/
public String getTel() {
return tel;
}
private void setTel(String tel) {
if (tel == null) {
throw new IllegalArgumentException("Ongeldig telefoonnummer.");
}
this.tel = tel;
}
/**
* Retourneert de hashcode van het contact.
*/
@Override
public int hashCode() {
return Objects.hash(achternaam, voornaam, tel);
}
/**
* Controleert of een<SUF>*/
@Override
public boolean equals(Object obj) {
if(obj instanceof Contact){
Contact c = (Contact) obj;
return achternaam == c.getAchternaam() && voornaam == c.getVoornaam() && tel == c.getTel();
}
return false;
}
/**
* toString
*/
@Override
public String toString(){
return voornaam + " " + achternaam + " " + tel;
}
}
|
2203_0 |
/**
* Abstract class Voorwerp - geef hier een beschrijving van deze class
*
* @author Willem Vansimpsen
* @author Jorim Tielemans
* @version 24/11/2014
*/
public abstract class Voorwerp
{
//getters
/**
* Is het voorwerp betreedbaar?
*
* @return true indien betreedbaar.
*/
abstract public boolean isBetreedbaar();
/**
* Laat dit voorwerp vuur door van een bom?
*
* @return true indien het vuur doorlaat.
*/
abstract public boolean isVuurDoorlaatbaar();
/**
* Staat het voorwerp in vuur en vlam, ten gevolgen van een explosie?
*
* @return true indien in brand.
*/
abstract public boolean isVuur();
/**
* Kan je dit voorwerp oprapen?
*
* @return true indien je het kan oprapen.
*/
public boolean isOpneembaar()
{
return false;
}
/**
* Is het voorwerp breekbaar, ten gevolgen van een explosie?
*
* @return true indien breekbaar.
*/
public boolean isBreekbaar()
{
return false;
}
}
| tjorim/bomberboy | Voorwerp.java | 324 | /**
* Abstract class Voorwerp - geef hier een beschrijving van deze class
*
* @author Willem Vansimpsen
* @author Jorim Tielemans
* @version 24/11/2014
*/ | block_comment | nl |
/**
* Abstract class Voorwerp<SUF>*/
public abstract class Voorwerp
{
//getters
/**
* Is het voorwerp betreedbaar?
*
* @return true indien betreedbaar.
*/
abstract public boolean isBetreedbaar();
/**
* Laat dit voorwerp vuur door van een bom?
*
* @return true indien het vuur doorlaat.
*/
abstract public boolean isVuurDoorlaatbaar();
/**
* Staat het voorwerp in vuur en vlam, ten gevolgen van een explosie?
*
* @return true indien in brand.
*/
abstract public boolean isVuur();
/**
* Kan je dit voorwerp oprapen?
*
* @return true indien je het kan oprapen.
*/
public boolean isOpneembaar()
{
return false;
}
/**
* Is het voorwerp breekbaar, ten gevolgen van een explosie?
*
* @return true indien breekbaar.
*/
public boolean isBreekbaar()
{
return false;
}
}
|
2203_2 |
/**
* Abstract class Voorwerp - geef hier een beschrijving van deze class
*
* @author Willem Vansimpsen
* @author Jorim Tielemans
* @version 24/11/2014
*/
public abstract class Voorwerp
{
//getters
/**
* Is het voorwerp betreedbaar?
*
* @return true indien betreedbaar.
*/
abstract public boolean isBetreedbaar();
/**
* Laat dit voorwerp vuur door van een bom?
*
* @return true indien het vuur doorlaat.
*/
abstract public boolean isVuurDoorlaatbaar();
/**
* Staat het voorwerp in vuur en vlam, ten gevolgen van een explosie?
*
* @return true indien in brand.
*/
abstract public boolean isVuur();
/**
* Kan je dit voorwerp oprapen?
*
* @return true indien je het kan oprapen.
*/
public boolean isOpneembaar()
{
return false;
}
/**
* Is het voorwerp breekbaar, ten gevolgen van een explosie?
*
* @return true indien breekbaar.
*/
public boolean isBreekbaar()
{
return false;
}
}
| tjorim/bomberboy | Voorwerp.java | 324 | /**
* Laat dit voorwerp vuur door van een bom?
*
* @return true indien het vuur doorlaat.
*/ | block_comment | nl |
/**
* Abstract class Voorwerp - geef hier een beschrijving van deze class
*
* @author Willem Vansimpsen
* @author Jorim Tielemans
* @version 24/11/2014
*/
public abstract class Voorwerp
{
//getters
/**
* Is het voorwerp betreedbaar?
*
* @return true indien betreedbaar.
*/
abstract public boolean isBetreedbaar();
/**
* Laat dit voorwerp<SUF>*/
abstract public boolean isVuurDoorlaatbaar();
/**
* Staat het voorwerp in vuur en vlam, ten gevolgen van een explosie?
*
* @return true indien in brand.
*/
abstract public boolean isVuur();
/**
* Kan je dit voorwerp oprapen?
*
* @return true indien je het kan oprapen.
*/
public boolean isOpneembaar()
{
return false;
}
/**
* Is het voorwerp breekbaar, ten gevolgen van een explosie?
*
* @return true indien breekbaar.
*/
public boolean isBreekbaar()
{
return false;
}
}
|
2203_3 |
/**
* Abstract class Voorwerp - geef hier een beschrijving van deze class
*
* @author Willem Vansimpsen
* @author Jorim Tielemans
* @version 24/11/2014
*/
public abstract class Voorwerp
{
//getters
/**
* Is het voorwerp betreedbaar?
*
* @return true indien betreedbaar.
*/
abstract public boolean isBetreedbaar();
/**
* Laat dit voorwerp vuur door van een bom?
*
* @return true indien het vuur doorlaat.
*/
abstract public boolean isVuurDoorlaatbaar();
/**
* Staat het voorwerp in vuur en vlam, ten gevolgen van een explosie?
*
* @return true indien in brand.
*/
abstract public boolean isVuur();
/**
* Kan je dit voorwerp oprapen?
*
* @return true indien je het kan oprapen.
*/
public boolean isOpneembaar()
{
return false;
}
/**
* Is het voorwerp breekbaar, ten gevolgen van een explosie?
*
* @return true indien breekbaar.
*/
public boolean isBreekbaar()
{
return false;
}
}
| tjorim/bomberboy | Voorwerp.java | 324 | /**
* Staat het voorwerp in vuur en vlam, ten gevolgen van een explosie?
*
* @return true indien in brand.
*/ | block_comment | nl |
/**
* Abstract class Voorwerp - geef hier een beschrijving van deze class
*
* @author Willem Vansimpsen
* @author Jorim Tielemans
* @version 24/11/2014
*/
public abstract class Voorwerp
{
//getters
/**
* Is het voorwerp betreedbaar?
*
* @return true indien betreedbaar.
*/
abstract public boolean isBetreedbaar();
/**
* Laat dit voorwerp vuur door van een bom?
*
* @return true indien het vuur doorlaat.
*/
abstract public boolean isVuurDoorlaatbaar();
/**
* Staat het voorwerp<SUF>*/
abstract public boolean isVuur();
/**
* Kan je dit voorwerp oprapen?
*
* @return true indien je het kan oprapen.
*/
public boolean isOpneembaar()
{
return false;
}
/**
* Is het voorwerp breekbaar, ten gevolgen van een explosie?
*
* @return true indien breekbaar.
*/
public boolean isBreekbaar()
{
return false;
}
}
|
2206_2 | package be.fedict.neweidapplet;
import javacard.framework.*;
public /*VF*ADDED*/final class ElementaryFile extends File {
/*@ predicate File(short theFileID, boolean activeState, quad<DedicatedFile, byte[], short, any> info) =
ElementaryFile(theFileID, ?dedFile, ?data, activeState, ?sz, ?ifo) &*& info == quad(dedFile, data, sz, ifo); @*/
/*@ predicate ElementaryFile(short fileID, DedicatedFile parentFile, byte[] data, boolean activeState, short size, any info) =
this.File(File.class)(fileID, activeState, _) &*& this.parentFile |-> parentFile &*&
this.data |-> data &*& data != null &*& this.size |-> size &*& array_slice(data, 0, data.length, _) &*&
size >= 0 &*& size <= data.length &*& info == unit &*& data.length <= 30000; @*/
// link to parent DF
public DedicatedFile parentFile;
// data stored in file
private byte[] data;
// current size of data stored in file
short size;
public ElementaryFile(short fid, DedicatedFile parent, byte[] d)
//@ requires d != null &*& array_slice(d, 0, d.length, _) &*& d.length <= 255 &*& parent != null &*& parent.DedicatedFile(?fileID, ?pf, ?activeState, _, _);
//@ ensures ElementaryFile(fid, parent, d, true, (short)d.length, _);
{
super(fid);
parentFile = parent;
parent.addSibling(this);
data = d;
size = (short) d.length;
//@ close ElementaryFile(fid, parent, d, true, (short)d.length, _);
}
public ElementaryFile(short fid, DedicatedFile parent, short maxSize)
//@ requires parent != null &*& 30000 >= maxSize &*& maxSize >= 0 &*& parent.DedicatedFile(?fileID, ?pf, ?activeState, ?siblist, ?info) &*& length(siblist) < DedicatedFile.MAX_SIBLINGS;
//@ ensures ElementaryFile(fid, parent, ?data, true, 0, _) &*& data != null &*& data.length == maxSize &*& parent.DedicatedFile(fileID, pf, activeState, append(siblist, cons(this, nil)), info) &*& length(append(siblist, cons(this, nil))) == length(siblist) + 1;
{
super(fid);
parentFile = parent;
parent.addSibling(this);
data = new byte[maxSize];
size = (short) 0;
//@ close ElementaryFile(fid, parent, data, true, size, _);
//@ length_append(siblist, cons(this, nil));
}
public byte[] getData()
//@ requires [?f]ElementaryFile(?fid, ?pf, ?d, ?a, ?size, ?info);
//@ ensures [f]ElementaryFile(fid, pf, d, a, size, info) &*& result == d;
{
if (active == true) {
return data;
} else {
ISOException.throwIt(ISO7816.SW_SECURITY_STATUS_NOT_SATISFIED);
return null; //~allow_dead_code
}
}
public short getCurrentSize()
//@ requires [?f]ElementaryFile(?fid, ?parent, ?data, ?state, ?thesize, ?info);
//@ ensures [f]ElementaryFile(fid, parent, data, state, thesize, info) &*& result == thesize;
{
//@ open [f]ElementaryFile(fid, parent, data, state, thesize, info);
//@ open [f]this.File(File.class)(fid, state, ?info2);
if (active == true) {
return size;
//@ close [f]this.File(File.class)(fid, state, info2);
//@ close [f]ElementaryFile(fid, parent, data, state, thesize, info);
} else {
ISOException.throwIt(ISO7816.SW_SECURITY_STATUS_NOT_SATISFIED);
}
return 0; //~allow_dead_code
}
public short getMaxSize()
//@ requires [?f]ElementaryFile(?fid, ?parent, ?data, ?state, ?thesize, ?info);
//@ ensures [f]ElementaryFile(fid, parent, data, state, thesize, info) &*& data != null &*& result == data.length &*& data.length <= 30000;
{
//@ open [f]ElementaryFile(fid, parent, data, state, thesize, info);
return (short) this.data.length;
//@ close [f]ElementaryFile(fid, parent, data, state, thesize, info);
}
public void eraseData(short offset)
//@ requires ElementaryFile(?fid, ?parent, ?theData, ?state, ?thesize, ?info) &*& offset >= 0 &*& offset <= thesize;
//@ ensures ElementaryFile(fid, parent, theData, state, thesize, info);
{
//@ open ElementaryFile(fid, parent, theData, state, thesize, info);
Util.arrayFillNonAtomic(data, offset, (short)(size - offset), (byte) 0);
//@ close ElementaryFile(fid, parent, theData, state, thesize, info);
}
public void updateData(short dataOffset, byte[] newData, short newDataOffset, short length)
/*@ requires ElementaryFile(?fid, ?parent, ?theData, ?state, ?thesize, ?info) &*& newData != null &*& array_slice(newData, 0, newData.length, _)
&*& newDataOffset >= 0 &*& length >= 0 &*& newDataOffset + length <= newData.length
&*& dataOffset >= 0 &*& theData != null &*& dataOffset + length <= theData.length; @*/
/*@ ensures ElementaryFile(fid, parent, theData, state, (short)(dataOffset + length), info) &*& array_slice(newData, 0, newData.length, _); @*/
{
//@ open ElementaryFile(fid, parent, theData, state, thesize, info);
// update size
size = (short) (dataOffset + length);
// copy new data
Util.arrayCopy(newData, newDataOffset, data, dataOffset, length);
//@ close ElementaryFile(fid, parent, theData, state, (short)(dataOffset + length), info);
}
/*VF* METHODE ERBIJ GEZET VOOR VERIFAST */
public short getFileID()
//@ requires [?f]valid_id(this);
//@ ensures [f]valid_id(this);
{
//@ open [f]valid_id(this);
return fileID;
//@ close [f]valid_id(this);
}
/*VF* METHODE ERBIJ GEZET VOOR VERIFAST */
public void setActive(boolean b)
//@ requires File(?fid, _, ?info);
//@ ensures File(fid, b, info);
{
//@ open File(fid, _, info);
//@ open ElementaryFile(fid, _, _, _, _, ?info2);
super.setActive(b);
//@ close ElementaryFile(fid, _, _, _, _, info2);
//@ close File(fid, _, info);
}
/*VF* METHODE ERBIJ GEZET VOOR VERIFAST */
public boolean isActive()
//@ requires [?f]File(?fid, ?state, ?info);
//@ ensures [f]File(fid, state, info) &*& result == state;
{
//@ open [f]File(fid, _, info);
//@ open [f]ElementaryFile(fid, _, _, _, _, ?info2);
boolean b = super.isActive();
//@ close [f]ElementaryFile(fid, _, _, _, _, info2);
//@ close [f]File(fid, _, info);
return b;
}
/*@
lemma void castFileToElementary()
requires [?f]File(?fid, ?state, ?info);
ensures switch(info) { case quad(dedFile, dta, sz, ifo) : return [f]ElementaryFile(fid, dedFile, dta, state, sz, ifo); };
{
open [f]File(fid, state, info);
}
lemma void castElementaryToFile()
requires [?f]ElementaryFile(?fid, ?dedFile, ?dta, ?state, ?sz, ?ifo);
ensures [f]File(fid, state, quad(dedFile, dta, sz, ifo));
{
close [f]File(fid, state, quad(dedFile, dta, sz, ifo));
}
lemma void neq(ElementaryFile other)
requires ElementaryFile(?fid, ?dedFile, ?dta, ?state, ?sz, ?ifo) &*& other.ElementaryFile(?fid2, ?dedFile2, ?dta2, ?state2, ?sz2, ?ifo2);
ensures ElementaryFile(fid, dedFile, dta, state, sz, ifo) &*& other.ElementaryFile(fid2, dedFile2, dta2, state2, sz2, ifo2) &*& this != other;
{
open ElementaryFile(fid, dedFile, dta, state, sz, ifo);
open other.ElementaryFile(fid2, dedFile2, dta2, state2, sz2, ifo2);
}
@*/
}
| verifast/verifast | examples/java/Java Card/NewEidCard/ElementaryFile.java | 2,439 | // link to parent DF
| line_comment | nl | package be.fedict.neweidapplet;
import javacard.framework.*;
public /*VF*ADDED*/final class ElementaryFile extends File {
/*@ predicate File(short theFileID, boolean activeState, quad<DedicatedFile, byte[], short, any> info) =
ElementaryFile(theFileID, ?dedFile, ?data, activeState, ?sz, ?ifo) &*& info == quad(dedFile, data, sz, ifo); @*/
/*@ predicate ElementaryFile(short fileID, DedicatedFile parentFile, byte[] data, boolean activeState, short size, any info) =
this.File(File.class)(fileID, activeState, _) &*& this.parentFile |-> parentFile &*&
this.data |-> data &*& data != null &*& this.size |-> size &*& array_slice(data, 0, data.length, _) &*&
size >= 0 &*& size <= data.length &*& info == unit &*& data.length <= 30000; @*/
// link to<SUF>
public DedicatedFile parentFile;
// data stored in file
private byte[] data;
// current size of data stored in file
short size;
public ElementaryFile(short fid, DedicatedFile parent, byte[] d)
//@ requires d != null &*& array_slice(d, 0, d.length, _) &*& d.length <= 255 &*& parent != null &*& parent.DedicatedFile(?fileID, ?pf, ?activeState, _, _);
//@ ensures ElementaryFile(fid, parent, d, true, (short)d.length, _);
{
super(fid);
parentFile = parent;
parent.addSibling(this);
data = d;
size = (short) d.length;
//@ close ElementaryFile(fid, parent, d, true, (short)d.length, _);
}
public ElementaryFile(short fid, DedicatedFile parent, short maxSize)
//@ requires parent != null &*& 30000 >= maxSize &*& maxSize >= 0 &*& parent.DedicatedFile(?fileID, ?pf, ?activeState, ?siblist, ?info) &*& length(siblist) < DedicatedFile.MAX_SIBLINGS;
//@ ensures ElementaryFile(fid, parent, ?data, true, 0, _) &*& data != null &*& data.length == maxSize &*& parent.DedicatedFile(fileID, pf, activeState, append(siblist, cons(this, nil)), info) &*& length(append(siblist, cons(this, nil))) == length(siblist) + 1;
{
super(fid);
parentFile = parent;
parent.addSibling(this);
data = new byte[maxSize];
size = (short) 0;
//@ close ElementaryFile(fid, parent, data, true, size, _);
//@ length_append(siblist, cons(this, nil));
}
public byte[] getData()
//@ requires [?f]ElementaryFile(?fid, ?pf, ?d, ?a, ?size, ?info);
//@ ensures [f]ElementaryFile(fid, pf, d, a, size, info) &*& result == d;
{
if (active == true) {
return data;
} else {
ISOException.throwIt(ISO7816.SW_SECURITY_STATUS_NOT_SATISFIED);
return null; //~allow_dead_code
}
}
public short getCurrentSize()
//@ requires [?f]ElementaryFile(?fid, ?parent, ?data, ?state, ?thesize, ?info);
//@ ensures [f]ElementaryFile(fid, parent, data, state, thesize, info) &*& result == thesize;
{
//@ open [f]ElementaryFile(fid, parent, data, state, thesize, info);
//@ open [f]this.File(File.class)(fid, state, ?info2);
if (active == true) {
return size;
//@ close [f]this.File(File.class)(fid, state, info2);
//@ close [f]ElementaryFile(fid, parent, data, state, thesize, info);
} else {
ISOException.throwIt(ISO7816.SW_SECURITY_STATUS_NOT_SATISFIED);
}
return 0; //~allow_dead_code
}
public short getMaxSize()
//@ requires [?f]ElementaryFile(?fid, ?parent, ?data, ?state, ?thesize, ?info);
//@ ensures [f]ElementaryFile(fid, parent, data, state, thesize, info) &*& data != null &*& result == data.length &*& data.length <= 30000;
{
//@ open [f]ElementaryFile(fid, parent, data, state, thesize, info);
return (short) this.data.length;
//@ close [f]ElementaryFile(fid, parent, data, state, thesize, info);
}
public void eraseData(short offset)
//@ requires ElementaryFile(?fid, ?parent, ?theData, ?state, ?thesize, ?info) &*& offset >= 0 &*& offset <= thesize;
//@ ensures ElementaryFile(fid, parent, theData, state, thesize, info);
{
//@ open ElementaryFile(fid, parent, theData, state, thesize, info);
Util.arrayFillNonAtomic(data, offset, (short)(size - offset), (byte) 0);
//@ close ElementaryFile(fid, parent, theData, state, thesize, info);
}
public void updateData(short dataOffset, byte[] newData, short newDataOffset, short length)
/*@ requires ElementaryFile(?fid, ?parent, ?theData, ?state, ?thesize, ?info) &*& newData != null &*& array_slice(newData, 0, newData.length, _)
&*& newDataOffset >= 0 &*& length >= 0 &*& newDataOffset + length <= newData.length
&*& dataOffset >= 0 &*& theData != null &*& dataOffset + length <= theData.length; @*/
/*@ ensures ElementaryFile(fid, parent, theData, state, (short)(dataOffset + length), info) &*& array_slice(newData, 0, newData.length, _); @*/
{
//@ open ElementaryFile(fid, parent, theData, state, thesize, info);
// update size
size = (short) (dataOffset + length);
// copy new data
Util.arrayCopy(newData, newDataOffset, data, dataOffset, length);
//@ close ElementaryFile(fid, parent, theData, state, (short)(dataOffset + length), info);
}
/*VF* METHODE ERBIJ GEZET VOOR VERIFAST */
public short getFileID()
//@ requires [?f]valid_id(this);
//@ ensures [f]valid_id(this);
{
//@ open [f]valid_id(this);
return fileID;
//@ close [f]valid_id(this);
}
/*VF* METHODE ERBIJ GEZET VOOR VERIFAST */
public void setActive(boolean b)
//@ requires File(?fid, _, ?info);
//@ ensures File(fid, b, info);
{
//@ open File(fid, _, info);
//@ open ElementaryFile(fid, _, _, _, _, ?info2);
super.setActive(b);
//@ close ElementaryFile(fid, _, _, _, _, info2);
//@ close File(fid, _, info);
}
/*VF* METHODE ERBIJ GEZET VOOR VERIFAST */
public boolean isActive()
//@ requires [?f]File(?fid, ?state, ?info);
//@ ensures [f]File(fid, state, info) &*& result == state;
{
//@ open [f]File(fid, _, info);
//@ open [f]ElementaryFile(fid, _, _, _, _, ?info2);
boolean b = super.isActive();
//@ close [f]ElementaryFile(fid, _, _, _, _, info2);
//@ close [f]File(fid, _, info);
return b;
}
/*@
lemma void castFileToElementary()
requires [?f]File(?fid, ?state, ?info);
ensures switch(info) { case quad(dedFile, dta, sz, ifo) : return [f]ElementaryFile(fid, dedFile, dta, state, sz, ifo); };
{
open [f]File(fid, state, info);
}
lemma void castElementaryToFile()
requires [?f]ElementaryFile(?fid, ?dedFile, ?dta, ?state, ?sz, ?ifo);
ensures [f]File(fid, state, quad(dedFile, dta, sz, ifo));
{
close [f]File(fid, state, quad(dedFile, dta, sz, ifo));
}
lemma void neq(ElementaryFile other)
requires ElementaryFile(?fid, ?dedFile, ?dta, ?state, ?sz, ?ifo) &*& other.ElementaryFile(?fid2, ?dedFile2, ?dta2, ?state2, ?sz2, ?ifo2);
ensures ElementaryFile(fid, dedFile, dta, state, sz, ifo) &*& other.ElementaryFile(fid2, dedFile2, dta2, state2, sz2, ifo2) &*& this != other;
{
open ElementaryFile(fid, dedFile, dta, state, sz, ifo);
open other.ElementaryFile(fid2, dedFile2, dta2, state2, sz2, ifo2);
}
@*/
}
|
2211_0 | /*
* Commando set voor de virtuele CPU
*/
public enum VirtualCPU {
LD ,
MV ,
ADD,
OUT;
public void exec(CPUState state, int oper1, int oper2) {
// Implementeer de virtual CPU
//System.exit(0);
for (;;) {
System.out.println("test");
}
}
}
| First8/mastersofjava | example.1 VirtualCPU/src/main/java/VirtualCPU.java | 103 | /*
* Commando set voor de virtuele CPU
*/ | block_comment | nl | /*
* Commando set voor<SUF>*/
public enum VirtualCPU {
LD ,
MV ,
ADD,
OUT;
public void exec(CPUState state, int oper1, int oper2) {
// Implementeer de virtual CPU
//System.exit(0);
for (;;) {
System.out.println("test");
}
}
}
|
2216_0 | package factory;
/*
De klassen in deze package demonstreren de werking van het Factory Pattern:
https://nl.wikipedia.org/wiki/Factory_(ontwerppatroon)
Er is een abstracte klasse (of een interface, maar in dit voorbeeld een abstracte klassse) die aangeeft wat voor soort
typen de factory zoal kan maken. De verschillende concrete Factories extenden deze abstracte klasse en geven desgewenst
een concrete implementatie van dit soort type.
Het voordeel van dit patroon is dat er binnen de client (de Demo in dit voorbeeld) geen referentie bestaat naar een
concrete implementatie van een specifiek type. De client delegeert dit concrete geval naar de factory, die in runtime
veranderd kan worden.
In dit specifieke voorbeeld zijn er verschillende soorten Document's (zie de betreffende abstracte klasse). Met een
document kun je verschillende dingen doen, maar bij verschillende concrete implementaties betekent dit iets
anders (zie de methoden in de verschillende klassen). Voor deze client is dat echter niet van belang:
zolang de concrete implementaties de juiste interface implementeren, kan ik hier eenvoudig (in runtime)
switchen tussen verschillende soorten documenten.
*/
public class Demo {
public static void main(String[] args) {
// Afhankelijk van wat ik op dit moment nodig heb, kan ik het concrete type van de variabele foo
// makkelijk aanpassen. Het enige wat ik hoef te doen is de juiste Factory aanroepen, en de rest van de
// code blijft onaangetast.
// Ik kan ook eenvoudig een nieuw type Document toevoegen: daarvoor hoef ik hier feitelijk niets te
// veranderen, behalve (opnieuw) de juiste Factory aanroepen.
DocumentFactory factory = new TEXFactory();
Document foo = factory.makeDocument();
foo = factory.makeDocument();
foo.open();
foo.save("Nieuwe_naam");
foo.close();
}
}
| bart314/OOP3 | week2/factory/Demo.java | 436 | /*
De klassen in deze package demonstreren de werking van het Factory Pattern:
https://nl.wikipedia.org/wiki/Factory_(ontwerppatroon)
Er is een abstracte klasse (of een interface, maar in dit voorbeeld een abstracte klassse) die aangeeft wat voor soort
typen de factory zoal kan maken. De verschillende concrete Factories extenden deze abstracte klasse en geven desgewenst
een concrete implementatie van dit soort type.
Het voordeel van dit patroon is dat er binnen de client (de Demo in dit voorbeeld) geen referentie bestaat naar een
concrete implementatie van een specifiek type. De client delegeert dit concrete geval naar de factory, die in runtime
veranderd kan worden.
In dit specifieke voorbeeld zijn er verschillende soorten Document's (zie de betreffende abstracte klasse). Met een
document kun je verschillende dingen doen, maar bij verschillende concrete implementaties betekent dit iets
anders (zie de methoden in de verschillende klassen). Voor deze client is dat echter niet van belang:
zolang de concrete implementaties de juiste interface implementeren, kan ik hier eenvoudig (in runtime)
switchen tussen verschillende soorten documenten.
*/ | block_comment | nl | package factory;
/*
De klassen in<SUF>*/
public class Demo {
public static void main(String[] args) {
// Afhankelijk van wat ik op dit moment nodig heb, kan ik het concrete type van de variabele foo
// makkelijk aanpassen. Het enige wat ik hoef te doen is de juiste Factory aanroepen, en de rest van de
// code blijft onaangetast.
// Ik kan ook eenvoudig een nieuw type Document toevoegen: daarvoor hoef ik hier feitelijk niets te
// veranderen, behalve (opnieuw) de juiste Factory aanroepen.
DocumentFactory factory = new TEXFactory();
Document foo = factory.makeDocument();
foo = factory.makeDocument();
foo.open();
foo.save("Nieuwe_naam");
foo.close();
}
}
|
2216_1 | package factory;
/*
De klassen in deze package demonstreren de werking van het Factory Pattern:
https://nl.wikipedia.org/wiki/Factory_(ontwerppatroon)
Er is een abstracte klasse (of een interface, maar in dit voorbeeld een abstracte klassse) die aangeeft wat voor soort
typen de factory zoal kan maken. De verschillende concrete Factories extenden deze abstracte klasse en geven desgewenst
een concrete implementatie van dit soort type.
Het voordeel van dit patroon is dat er binnen de client (de Demo in dit voorbeeld) geen referentie bestaat naar een
concrete implementatie van een specifiek type. De client delegeert dit concrete geval naar de factory, die in runtime
veranderd kan worden.
In dit specifieke voorbeeld zijn er verschillende soorten Document's (zie de betreffende abstracte klasse). Met een
document kun je verschillende dingen doen, maar bij verschillende concrete implementaties betekent dit iets
anders (zie de methoden in de verschillende klassen). Voor deze client is dat echter niet van belang:
zolang de concrete implementaties de juiste interface implementeren, kan ik hier eenvoudig (in runtime)
switchen tussen verschillende soorten documenten.
*/
public class Demo {
public static void main(String[] args) {
// Afhankelijk van wat ik op dit moment nodig heb, kan ik het concrete type van de variabele foo
// makkelijk aanpassen. Het enige wat ik hoef te doen is de juiste Factory aanroepen, en de rest van de
// code blijft onaangetast.
// Ik kan ook eenvoudig een nieuw type Document toevoegen: daarvoor hoef ik hier feitelijk niets te
// veranderen, behalve (opnieuw) de juiste Factory aanroepen.
DocumentFactory factory = new TEXFactory();
Document foo = factory.makeDocument();
foo = factory.makeDocument();
foo.open();
foo.save("Nieuwe_naam");
foo.close();
}
}
| bart314/OOP3 | week2/factory/Demo.java | 436 | // Afhankelijk van wat ik op dit moment nodig heb, kan ik het concrete type van de variabele foo | line_comment | nl | package factory;
/*
De klassen in deze package demonstreren de werking van het Factory Pattern:
https://nl.wikipedia.org/wiki/Factory_(ontwerppatroon)
Er is een abstracte klasse (of een interface, maar in dit voorbeeld een abstracte klassse) die aangeeft wat voor soort
typen de factory zoal kan maken. De verschillende concrete Factories extenden deze abstracte klasse en geven desgewenst
een concrete implementatie van dit soort type.
Het voordeel van dit patroon is dat er binnen de client (de Demo in dit voorbeeld) geen referentie bestaat naar een
concrete implementatie van een specifiek type. De client delegeert dit concrete geval naar de factory, die in runtime
veranderd kan worden.
In dit specifieke voorbeeld zijn er verschillende soorten Document's (zie de betreffende abstracte klasse). Met een
document kun je verschillende dingen doen, maar bij verschillende concrete implementaties betekent dit iets
anders (zie de methoden in de verschillende klassen). Voor deze client is dat echter niet van belang:
zolang de concrete implementaties de juiste interface implementeren, kan ik hier eenvoudig (in runtime)
switchen tussen verschillende soorten documenten.
*/
public class Demo {
public static void main(String[] args) {
// Afhankelijk van<SUF>
// makkelijk aanpassen. Het enige wat ik hoef te doen is de juiste Factory aanroepen, en de rest van de
// code blijft onaangetast.
// Ik kan ook eenvoudig een nieuw type Document toevoegen: daarvoor hoef ik hier feitelijk niets te
// veranderen, behalve (opnieuw) de juiste Factory aanroepen.
DocumentFactory factory = new TEXFactory();
Document foo = factory.makeDocument();
foo = factory.makeDocument();
foo.open();
foo.save("Nieuwe_naam");
foo.close();
}
}
|
2216_2 | package factory;
/*
De klassen in deze package demonstreren de werking van het Factory Pattern:
https://nl.wikipedia.org/wiki/Factory_(ontwerppatroon)
Er is een abstracte klasse (of een interface, maar in dit voorbeeld een abstracte klassse) die aangeeft wat voor soort
typen de factory zoal kan maken. De verschillende concrete Factories extenden deze abstracte klasse en geven desgewenst
een concrete implementatie van dit soort type.
Het voordeel van dit patroon is dat er binnen de client (de Demo in dit voorbeeld) geen referentie bestaat naar een
concrete implementatie van een specifiek type. De client delegeert dit concrete geval naar de factory, die in runtime
veranderd kan worden.
In dit specifieke voorbeeld zijn er verschillende soorten Document's (zie de betreffende abstracte klasse). Met een
document kun je verschillende dingen doen, maar bij verschillende concrete implementaties betekent dit iets
anders (zie de methoden in de verschillende klassen). Voor deze client is dat echter niet van belang:
zolang de concrete implementaties de juiste interface implementeren, kan ik hier eenvoudig (in runtime)
switchen tussen verschillende soorten documenten.
*/
public class Demo {
public static void main(String[] args) {
// Afhankelijk van wat ik op dit moment nodig heb, kan ik het concrete type van de variabele foo
// makkelijk aanpassen. Het enige wat ik hoef te doen is de juiste Factory aanroepen, en de rest van de
// code blijft onaangetast.
// Ik kan ook eenvoudig een nieuw type Document toevoegen: daarvoor hoef ik hier feitelijk niets te
// veranderen, behalve (opnieuw) de juiste Factory aanroepen.
DocumentFactory factory = new TEXFactory();
Document foo = factory.makeDocument();
foo = factory.makeDocument();
foo.open();
foo.save("Nieuwe_naam");
foo.close();
}
}
| bart314/OOP3 | week2/factory/Demo.java | 436 | // makkelijk aanpassen. Het enige wat ik hoef te doen is de juiste Factory aanroepen, en de rest van de | line_comment | nl | package factory;
/*
De klassen in deze package demonstreren de werking van het Factory Pattern:
https://nl.wikipedia.org/wiki/Factory_(ontwerppatroon)
Er is een abstracte klasse (of een interface, maar in dit voorbeeld een abstracte klassse) die aangeeft wat voor soort
typen de factory zoal kan maken. De verschillende concrete Factories extenden deze abstracte klasse en geven desgewenst
een concrete implementatie van dit soort type.
Het voordeel van dit patroon is dat er binnen de client (de Demo in dit voorbeeld) geen referentie bestaat naar een
concrete implementatie van een specifiek type. De client delegeert dit concrete geval naar de factory, die in runtime
veranderd kan worden.
In dit specifieke voorbeeld zijn er verschillende soorten Document's (zie de betreffende abstracte klasse). Met een
document kun je verschillende dingen doen, maar bij verschillende concrete implementaties betekent dit iets
anders (zie de methoden in de verschillende klassen). Voor deze client is dat echter niet van belang:
zolang de concrete implementaties de juiste interface implementeren, kan ik hier eenvoudig (in runtime)
switchen tussen verschillende soorten documenten.
*/
public class Demo {
public static void main(String[] args) {
// Afhankelijk van wat ik op dit moment nodig heb, kan ik het concrete type van de variabele foo
// makkelijk aanpassen.<SUF>
// code blijft onaangetast.
// Ik kan ook eenvoudig een nieuw type Document toevoegen: daarvoor hoef ik hier feitelijk niets te
// veranderen, behalve (opnieuw) de juiste Factory aanroepen.
DocumentFactory factory = new TEXFactory();
Document foo = factory.makeDocument();
foo = factory.makeDocument();
foo.open();
foo.save("Nieuwe_naam");
foo.close();
}
}
|
2216_3 | package factory;
/*
De klassen in deze package demonstreren de werking van het Factory Pattern:
https://nl.wikipedia.org/wiki/Factory_(ontwerppatroon)
Er is een abstracte klasse (of een interface, maar in dit voorbeeld een abstracte klassse) die aangeeft wat voor soort
typen de factory zoal kan maken. De verschillende concrete Factories extenden deze abstracte klasse en geven desgewenst
een concrete implementatie van dit soort type.
Het voordeel van dit patroon is dat er binnen de client (de Demo in dit voorbeeld) geen referentie bestaat naar een
concrete implementatie van een specifiek type. De client delegeert dit concrete geval naar de factory, die in runtime
veranderd kan worden.
In dit specifieke voorbeeld zijn er verschillende soorten Document's (zie de betreffende abstracte klasse). Met een
document kun je verschillende dingen doen, maar bij verschillende concrete implementaties betekent dit iets
anders (zie de methoden in de verschillende klassen). Voor deze client is dat echter niet van belang:
zolang de concrete implementaties de juiste interface implementeren, kan ik hier eenvoudig (in runtime)
switchen tussen verschillende soorten documenten.
*/
public class Demo {
public static void main(String[] args) {
// Afhankelijk van wat ik op dit moment nodig heb, kan ik het concrete type van de variabele foo
// makkelijk aanpassen. Het enige wat ik hoef te doen is de juiste Factory aanroepen, en de rest van de
// code blijft onaangetast.
// Ik kan ook eenvoudig een nieuw type Document toevoegen: daarvoor hoef ik hier feitelijk niets te
// veranderen, behalve (opnieuw) de juiste Factory aanroepen.
DocumentFactory factory = new TEXFactory();
Document foo = factory.makeDocument();
foo = factory.makeDocument();
foo.open();
foo.save("Nieuwe_naam");
foo.close();
}
}
| bart314/OOP3 | week2/factory/Demo.java | 436 | // code blijft onaangetast. | line_comment | nl | package factory;
/*
De klassen in deze package demonstreren de werking van het Factory Pattern:
https://nl.wikipedia.org/wiki/Factory_(ontwerppatroon)
Er is een abstracte klasse (of een interface, maar in dit voorbeeld een abstracte klassse) die aangeeft wat voor soort
typen de factory zoal kan maken. De verschillende concrete Factories extenden deze abstracte klasse en geven desgewenst
een concrete implementatie van dit soort type.
Het voordeel van dit patroon is dat er binnen de client (de Demo in dit voorbeeld) geen referentie bestaat naar een
concrete implementatie van een specifiek type. De client delegeert dit concrete geval naar de factory, die in runtime
veranderd kan worden.
In dit specifieke voorbeeld zijn er verschillende soorten Document's (zie de betreffende abstracte klasse). Met een
document kun je verschillende dingen doen, maar bij verschillende concrete implementaties betekent dit iets
anders (zie de methoden in de verschillende klassen). Voor deze client is dat echter niet van belang:
zolang de concrete implementaties de juiste interface implementeren, kan ik hier eenvoudig (in runtime)
switchen tussen verschillende soorten documenten.
*/
public class Demo {
public static void main(String[] args) {
// Afhankelijk van wat ik op dit moment nodig heb, kan ik het concrete type van de variabele foo
// makkelijk aanpassen. Het enige wat ik hoef te doen is de juiste Factory aanroepen, en de rest van de
// code blijft<SUF>
// Ik kan ook eenvoudig een nieuw type Document toevoegen: daarvoor hoef ik hier feitelijk niets te
// veranderen, behalve (opnieuw) de juiste Factory aanroepen.
DocumentFactory factory = new TEXFactory();
Document foo = factory.makeDocument();
foo = factory.makeDocument();
foo.open();
foo.save("Nieuwe_naam");
foo.close();
}
}
|
2216_4 | package factory;
/*
De klassen in deze package demonstreren de werking van het Factory Pattern:
https://nl.wikipedia.org/wiki/Factory_(ontwerppatroon)
Er is een abstracte klasse (of een interface, maar in dit voorbeeld een abstracte klassse) die aangeeft wat voor soort
typen de factory zoal kan maken. De verschillende concrete Factories extenden deze abstracte klasse en geven desgewenst
een concrete implementatie van dit soort type.
Het voordeel van dit patroon is dat er binnen de client (de Demo in dit voorbeeld) geen referentie bestaat naar een
concrete implementatie van een specifiek type. De client delegeert dit concrete geval naar de factory, die in runtime
veranderd kan worden.
In dit specifieke voorbeeld zijn er verschillende soorten Document's (zie de betreffende abstracte klasse). Met een
document kun je verschillende dingen doen, maar bij verschillende concrete implementaties betekent dit iets
anders (zie de methoden in de verschillende klassen). Voor deze client is dat echter niet van belang:
zolang de concrete implementaties de juiste interface implementeren, kan ik hier eenvoudig (in runtime)
switchen tussen verschillende soorten documenten.
*/
public class Demo {
public static void main(String[] args) {
// Afhankelijk van wat ik op dit moment nodig heb, kan ik het concrete type van de variabele foo
// makkelijk aanpassen. Het enige wat ik hoef te doen is de juiste Factory aanroepen, en de rest van de
// code blijft onaangetast.
// Ik kan ook eenvoudig een nieuw type Document toevoegen: daarvoor hoef ik hier feitelijk niets te
// veranderen, behalve (opnieuw) de juiste Factory aanroepen.
DocumentFactory factory = new TEXFactory();
Document foo = factory.makeDocument();
foo = factory.makeDocument();
foo.open();
foo.save("Nieuwe_naam");
foo.close();
}
}
| bart314/OOP3 | week2/factory/Demo.java | 436 | // Ik kan ook eenvoudig een nieuw type Document toevoegen: daarvoor hoef ik hier feitelijk niets te | line_comment | nl | package factory;
/*
De klassen in deze package demonstreren de werking van het Factory Pattern:
https://nl.wikipedia.org/wiki/Factory_(ontwerppatroon)
Er is een abstracte klasse (of een interface, maar in dit voorbeeld een abstracte klassse) die aangeeft wat voor soort
typen de factory zoal kan maken. De verschillende concrete Factories extenden deze abstracte klasse en geven desgewenst
een concrete implementatie van dit soort type.
Het voordeel van dit patroon is dat er binnen de client (de Demo in dit voorbeeld) geen referentie bestaat naar een
concrete implementatie van een specifiek type. De client delegeert dit concrete geval naar de factory, die in runtime
veranderd kan worden.
In dit specifieke voorbeeld zijn er verschillende soorten Document's (zie de betreffende abstracte klasse). Met een
document kun je verschillende dingen doen, maar bij verschillende concrete implementaties betekent dit iets
anders (zie de methoden in de verschillende klassen). Voor deze client is dat echter niet van belang:
zolang de concrete implementaties de juiste interface implementeren, kan ik hier eenvoudig (in runtime)
switchen tussen verschillende soorten documenten.
*/
public class Demo {
public static void main(String[] args) {
// Afhankelijk van wat ik op dit moment nodig heb, kan ik het concrete type van de variabele foo
// makkelijk aanpassen. Het enige wat ik hoef te doen is de juiste Factory aanroepen, en de rest van de
// code blijft onaangetast.
// Ik kan<SUF>
// veranderen, behalve (opnieuw) de juiste Factory aanroepen.
DocumentFactory factory = new TEXFactory();
Document foo = factory.makeDocument();
foo = factory.makeDocument();
foo.open();
foo.save("Nieuwe_naam");
foo.close();
}
}
|
2216_5 | package factory;
/*
De klassen in deze package demonstreren de werking van het Factory Pattern:
https://nl.wikipedia.org/wiki/Factory_(ontwerppatroon)
Er is een abstracte klasse (of een interface, maar in dit voorbeeld een abstracte klassse) die aangeeft wat voor soort
typen de factory zoal kan maken. De verschillende concrete Factories extenden deze abstracte klasse en geven desgewenst
een concrete implementatie van dit soort type.
Het voordeel van dit patroon is dat er binnen de client (de Demo in dit voorbeeld) geen referentie bestaat naar een
concrete implementatie van een specifiek type. De client delegeert dit concrete geval naar de factory, die in runtime
veranderd kan worden.
In dit specifieke voorbeeld zijn er verschillende soorten Document's (zie de betreffende abstracte klasse). Met een
document kun je verschillende dingen doen, maar bij verschillende concrete implementaties betekent dit iets
anders (zie de methoden in de verschillende klassen). Voor deze client is dat echter niet van belang:
zolang de concrete implementaties de juiste interface implementeren, kan ik hier eenvoudig (in runtime)
switchen tussen verschillende soorten documenten.
*/
public class Demo {
public static void main(String[] args) {
// Afhankelijk van wat ik op dit moment nodig heb, kan ik het concrete type van de variabele foo
// makkelijk aanpassen. Het enige wat ik hoef te doen is de juiste Factory aanroepen, en de rest van de
// code blijft onaangetast.
// Ik kan ook eenvoudig een nieuw type Document toevoegen: daarvoor hoef ik hier feitelijk niets te
// veranderen, behalve (opnieuw) de juiste Factory aanroepen.
DocumentFactory factory = new TEXFactory();
Document foo = factory.makeDocument();
foo = factory.makeDocument();
foo.open();
foo.save("Nieuwe_naam");
foo.close();
}
}
| bart314/OOP3 | week2/factory/Demo.java | 436 | // veranderen, behalve (opnieuw) de juiste Factory aanroepen. | line_comment | nl | package factory;
/*
De klassen in deze package demonstreren de werking van het Factory Pattern:
https://nl.wikipedia.org/wiki/Factory_(ontwerppatroon)
Er is een abstracte klasse (of een interface, maar in dit voorbeeld een abstracte klassse) die aangeeft wat voor soort
typen de factory zoal kan maken. De verschillende concrete Factories extenden deze abstracte klasse en geven desgewenst
een concrete implementatie van dit soort type.
Het voordeel van dit patroon is dat er binnen de client (de Demo in dit voorbeeld) geen referentie bestaat naar een
concrete implementatie van een specifiek type. De client delegeert dit concrete geval naar de factory, die in runtime
veranderd kan worden.
In dit specifieke voorbeeld zijn er verschillende soorten Document's (zie de betreffende abstracte klasse). Met een
document kun je verschillende dingen doen, maar bij verschillende concrete implementaties betekent dit iets
anders (zie de methoden in de verschillende klassen). Voor deze client is dat echter niet van belang:
zolang de concrete implementaties de juiste interface implementeren, kan ik hier eenvoudig (in runtime)
switchen tussen verschillende soorten documenten.
*/
public class Demo {
public static void main(String[] args) {
// Afhankelijk van wat ik op dit moment nodig heb, kan ik het concrete type van de variabele foo
// makkelijk aanpassen. Het enige wat ik hoef te doen is de juiste Factory aanroepen, en de rest van de
// code blijft onaangetast.
// Ik kan ook eenvoudig een nieuw type Document toevoegen: daarvoor hoef ik hier feitelijk niets te
// veranderen, behalve<SUF>
DocumentFactory factory = new TEXFactory();
Document foo = factory.makeDocument();
foo = factory.makeDocument();
foo.open();
foo.save("Nieuwe_naam");
foo.close();
}
}
|
2218_3 | /*
* CSVReader.java can be used to construct CSV's from a reader.
*
* Copyright (C) 1999 Jaco de Groot ([email protected])
*
* This program is free software; you can redistribute it and/or
* modify it under the terms of the GNU General Public License
* as published by the Free Software Foundation; either version 2
* of the License, or (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program; if not, write to the Free Software
* Foundation, Inc., 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA.
*
*/
// Slightly changed version of nl.dynasol.csv.CSVReader (use List instead of Vector)
package nl.nn.testtool.util;
import java.io.IOException;
import java.io.Reader;
import java.util.ArrayList;
import java.util.List;
import java.util.NoSuchElementException;
/**
* This class considers lines to be terminated by the line feed ('\n')
* character. You may want to use the LineNumberReader class to translate
* carriage return ('\r') or a carriage return followed immediately by a
* line feed to a single line feed.
*
* <br>
* <br>
*
* You could for example use the following code to read csv files:
* <pre>
* FileReader fr = new FileReader(file);
* LineNumberReader lnr = new LineNumberReader(fr);
* CSVReader cr = new CSVReader(lnr);
* Vector v;
* while (cr.hasMoreElements()) {
* v = cr.nextCSV();
* ...
* }
* cr.close();
* </pre>
*
* @author Jaco de Groot
*/
public class CSVReader {
Reader r;
char separator = ',';
int state;
int lineNumberLast = -1;
int lineNumberNext = 1;
public CSVReader(Reader r) {
this.r = r;
state = 0;
}
public void setSeparator(char c) {
separator = c;
}
public boolean hasMoreElements() {
boolean hasMoreElements;
if (state == 4) {
hasMoreElements = false;
} else {
hasMoreElements = true;
}
return hasMoreElements;
}
/*
+--------------+-----------------------------+
| | |
+-->(0)--','---+ |
| | |
+--'\n'---+ |
| |
| +-------------'"'---+---','---+
| | | |
+---'"'---+------->(1)--'"'->(2)-'\n'---+
| | | | |
| +---rem---+ | |
| | |
+--'-1'->(4)<-----------'-1'--+ |
| | |
+---rem-------------+------->(3)--','---+
| | |
+---rem---+--'\n'---+
Def: rem is alle characters behalve waar al een pijl voor is.
Opm: rem bevat nooit -1.
Een komma is scheidingsteken voor csv-velden en newline is scheidingsteken
voor csv's. Dus op einde stream verwacht je geen newline tenzij er natuurlijk
een csv met 1 leeg veld op het einde zit. Met deze regel kun je CSVReader ook
gebruiken om een string m.b.v. stringreader om te zetten naar csv. Want bij een
string verwacht je op het einde ook geen newline tenzij...
*/
public List<String> nextCSV() throws NoSuchElementException, IOException {
if (state == 4) {
throw new NoSuchElementException();
}
lineNumberLast = lineNumberNext;
int c;
List<String> l = new ArrayList<>();
StringBuilder sb = new StringBuilder();
while (true) {
c = r.read();
if (state == 0) {
if (c == separator) {
l.add(null);
} else if (c == '\n') {
l.add(null);
lineNumberNext++;
return l;
} else if (c == '"') {
state = 1;
} else if (c == -1) {
state = 4;
l.add(null);
return l;
} else {
state = 3;
sb.append((char) c);
}
} else if (state == 1) {
if (c == '"') {
state = 2;
} else if (c == -1) {
// nog doen:
// throw new IllegalEndOfStreamException(); strikte modus maken? en alleen in strikte modes doen?
l.add(sb.toString());
return l;
} else {
if (c == '\n') {
lineNumberNext++;
}
sb.append((char) c);
}
} else if (state == 2) {
if (c == '"') {
state = 1;
sb.append('"');
} else if (c == separator) {
state = 0;
l.add(sb.toString());
sb = new StringBuilder();
} else if (c == '\n') {
state = 0;
l.add(sb.toString());
lineNumberNext++;
return l;
} else if (c == -1) {
state = 4;
l.add(sb.toString());
return l;
} else {
// nog doen:
// throw IllegalCharacterException; strikte modus maken? en alleen in strikte modes doen?
}
} else { // state == 3
if (c == separator) {
state = 0;
l.add(sb.toString());
sb = new StringBuilder();
} else if (c == '\n') {
state = 0;
l.add(sb.toString());
lineNumberNext++;
return l;
} else if (c == -1) {
state = 4;
l.add(sb.toString());
return l;
} else {
sb.append((char) c);
}
}
}
}
/**
* Get first line number of the last CSV record.
* @return ...
*/
public int getLineNumberLast() {
return lineNumberLast;
}
/**
* Get first line number of the next CSV record.
* @return ...
*/
public int getLineNumberNext() {
return lineNumberNext;
}
public void close() throws IOException {
r.close();
}
}
| wearefrank/ladybug | src/main/java/nl/nn/testtool/util/CSVReader.java | 1,710 | /*
+--------------+-----------------------------+
| | |
+-->(0)--','---+ |
| | |
+--'\n'---+ |
| |
| +-------------'"'---+---','---+
| | | |
+---'"'---+------->(1)--'"'->(2)-'\n'---+
| | | | |
| +---rem---+ | |
| | |
+--'-1'->(4)<-----------'-1'--+ |
| | |
+---rem-------------+------->(3)--','---+
| | |
+---rem---+--'\n'---+
Def: rem is alle characters behalve waar al een pijl voor is.
Opm: rem bevat nooit -1.
Een komma is scheidingsteken voor csv-velden en newline is scheidingsteken
voor csv's. Dus op einde stream verwacht je geen newline tenzij er natuurlijk
een csv met 1 leeg veld op het einde zit. Met deze regel kun je CSVReader ook
gebruiken om een string m.b.v. stringreader om te zetten naar csv. Want bij een
string verwacht je op het einde ook geen newline tenzij...
*/ | block_comment | nl | /*
* CSVReader.java can be used to construct CSV's from a reader.
*
* Copyright (C) 1999 Jaco de Groot ([email protected])
*
* This program is free software; you can redistribute it and/or
* modify it under the terms of the GNU General Public License
* as published by the Free Software Foundation; either version 2
* of the License, or (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program; if not, write to the Free Software
* Foundation, Inc., 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA.
*
*/
// Slightly changed version of nl.dynasol.csv.CSVReader (use List instead of Vector)
package nl.nn.testtool.util;
import java.io.IOException;
import java.io.Reader;
import java.util.ArrayList;
import java.util.List;
import java.util.NoSuchElementException;
/**
* This class considers lines to be terminated by the line feed ('\n')
* character. You may want to use the LineNumberReader class to translate
* carriage return ('\r') or a carriage return followed immediately by a
* line feed to a single line feed.
*
* <br>
* <br>
*
* You could for example use the following code to read csv files:
* <pre>
* FileReader fr = new FileReader(file);
* LineNumberReader lnr = new LineNumberReader(fr);
* CSVReader cr = new CSVReader(lnr);
* Vector v;
* while (cr.hasMoreElements()) {
* v = cr.nextCSV();
* ...
* }
* cr.close();
* </pre>
*
* @author Jaco de Groot
*/
public class CSVReader {
Reader r;
char separator = ',';
int state;
int lineNumberLast = -1;
int lineNumberNext = 1;
public CSVReader(Reader r) {
this.r = r;
state = 0;
}
public void setSeparator(char c) {
separator = c;
}
public boolean hasMoreElements() {
boolean hasMoreElements;
if (state == 4) {
hasMoreElements = false;
} else {
hasMoreElements = true;
}
return hasMoreElements;
}
/*
+--------------+-----------------------------+
<SUF>*/
public List<String> nextCSV() throws NoSuchElementException, IOException {
if (state == 4) {
throw new NoSuchElementException();
}
lineNumberLast = lineNumberNext;
int c;
List<String> l = new ArrayList<>();
StringBuilder sb = new StringBuilder();
while (true) {
c = r.read();
if (state == 0) {
if (c == separator) {
l.add(null);
} else if (c == '\n') {
l.add(null);
lineNumberNext++;
return l;
} else if (c == '"') {
state = 1;
} else if (c == -1) {
state = 4;
l.add(null);
return l;
} else {
state = 3;
sb.append((char) c);
}
} else if (state == 1) {
if (c == '"') {
state = 2;
} else if (c == -1) {
// nog doen:
// throw new IllegalEndOfStreamException(); strikte modus maken? en alleen in strikte modes doen?
l.add(sb.toString());
return l;
} else {
if (c == '\n') {
lineNumberNext++;
}
sb.append((char) c);
}
} else if (state == 2) {
if (c == '"') {
state = 1;
sb.append('"');
} else if (c == separator) {
state = 0;
l.add(sb.toString());
sb = new StringBuilder();
} else if (c == '\n') {
state = 0;
l.add(sb.toString());
lineNumberNext++;
return l;
} else if (c == -1) {
state = 4;
l.add(sb.toString());
return l;
} else {
// nog doen:
// throw IllegalCharacterException; strikte modus maken? en alleen in strikte modes doen?
}
} else { // state == 3
if (c == separator) {
state = 0;
l.add(sb.toString());
sb = new StringBuilder();
} else if (c == '\n') {
state = 0;
l.add(sb.toString());
lineNumberNext++;
return l;
} else if (c == -1) {
state = 4;
l.add(sb.toString());
return l;
} else {
sb.append((char) c);
}
}
}
}
/**
* Get first line number of the last CSV record.
* @return ...
*/
public int getLineNumberLast() {
return lineNumberLast;
}
/**
* Get first line number of the next CSV record.
* @return ...
*/
public int getLineNumberNext() {
return lineNumberNext;
}
public void close() throws IOException {
r.close();
}
}
|
2218_4 | /*
* CSVReader.java can be used to construct CSV's from a reader.
*
* Copyright (C) 1999 Jaco de Groot ([email protected])
*
* This program is free software; you can redistribute it and/or
* modify it under the terms of the GNU General Public License
* as published by the Free Software Foundation; either version 2
* of the License, or (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program; if not, write to the Free Software
* Foundation, Inc., 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA.
*
*/
// Slightly changed version of nl.dynasol.csv.CSVReader (use List instead of Vector)
package nl.nn.testtool.util;
import java.io.IOException;
import java.io.Reader;
import java.util.ArrayList;
import java.util.List;
import java.util.NoSuchElementException;
/**
* This class considers lines to be terminated by the line feed ('\n')
* character. You may want to use the LineNumberReader class to translate
* carriage return ('\r') or a carriage return followed immediately by a
* line feed to a single line feed.
*
* <br>
* <br>
*
* You could for example use the following code to read csv files:
* <pre>
* FileReader fr = new FileReader(file);
* LineNumberReader lnr = new LineNumberReader(fr);
* CSVReader cr = new CSVReader(lnr);
* Vector v;
* while (cr.hasMoreElements()) {
* v = cr.nextCSV();
* ...
* }
* cr.close();
* </pre>
*
* @author Jaco de Groot
*/
public class CSVReader {
Reader r;
char separator = ',';
int state;
int lineNumberLast = -1;
int lineNumberNext = 1;
public CSVReader(Reader r) {
this.r = r;
state = 0;
}
public void setSeparator(char c) {
separator = c;
}
public boolean hasMoreElements() {
boolean hasMoreElements;
if (state == 4) {
hasMoreElements = false;
} else {
hasMoreElements = true;
}
return hasMoreElements;
}
/*
+--------------+-----------------------------+
| | |
+-->(0)--','---+ |
| | |
+--'\n'---+ |
| |
| +-------------'"'---+---','---+
| | | |
+---'"'---+------->(1)--'"'->(2)-'\n'---+
| | | | |
| +---rem---+ | |
| | |
+--'-1'->(4)<-----------'-1'--+ |
| | |
+---rem-------------+------->(3)--','---+
| | |
+---rem---+--'\n'---+
Def: rem is alle characters behalve waar al een pijl voor is.
Opm: rem bevat nooit -1.
Een komma is scheidingsteken voor csv-velden en newline is scheidingsteken
voor csv's. Dus op einde stream verwacht je geen newline tenzij er natuurlijk
een csv met 1 leeg veld op het einde zit. Met deze regel kun je CSVReader ook
gebruiken om een string m.b.v. stringreader om te zetten naar csv. Want bij een
string verwacht je op het einde ook geen newline tenzij...
*/
public List<String> nextCSV() throws NoSuchElementException, IOException {
if (state == 4) {
throw new NoSuchElementException();
}
lineNumberLast = lineNumberNext;
int c;
List<String> l = new ArrayList<>();
StringBuilder sb = new StringBuilder();
while (true) {
c = r.read();
if (state == 0) {
if (c == separator) {
l.add(null);
} else if (c == '\n') {
l.add(null);
lineNumberNext++;
return l;
} else if (c == '"') {
state = 1;
} else if (c == -1) {
state = 4;
l.add(null);
return l;
} else {
state = 3;
sb.append((char) c);
}
} else if (state == 1) {
if (c == '"') {
state = 2;
} else if (c == -1) {
// nog doen:
// throw new IllegalEndOfStreamException(); strikte modus maken? en alleen in strikte modes doen?
l.add(sb.toString());
return l;
} else {
if (c == '\n') {
lineNumberNext++;
}
sb.append((char) c);
}
} else if (state == 2) {
if (c == '"') {
state = 1;
sb.append('"');
} else if (c == separator) {
state = 0;
l.add(sb.toString());
sb = new StringBuilder();
} else if (c == '\n') {
state = 0;
l.add(sb.toString());
lineNumberNext++;
return l;
} else if (c == -1) {
state = 4;
l.add(sb.toString());
return l;
} else {
// nog doen:
// throw IllegalCharacterException; strikte modus maken? en alleen in strikte modes doen?
}
} else { // state == 3
if (c == separator) {
state = 0;
l.add(sb.toString());
sb = new StringBuilder();
} else if (c == '\n') {
state = 0;
l.add(sb.toString());
lineNumberNext++;
return l;
} else if (c == -1) {
state = 4;
l.add(sb.toString());
return l;
} else {
sb.append((char) c);
}
}
}
}
/**
* Get first line number of the last CSV record.
* @return ...
*/
public int getLineNumberLast() {
return lineNumberLast;
}
/**
* Get first line number of the next CSV record.
* @return ...
*/
public int getLineNumberNext() {
return lineNumberNext;
}
public void close() throws IOException {
r.close();
}
}
| wearefrank/ladybug | src/main/java/nl/nn/testtool/util/CSVReader.java | 1,710 | // throw new IllegalEndOfStreamException(); strikte modus maken? en alleen in strikte modes doen? | line_comment | nl | /*
* CSVReader.java can be used to construct CSV's from a reader.
*
* Copyright (C) 1999 Jaco de Groot ([email protected])
*
* This program is free software; you can redistribute it and/or
* modify it under the terms of the GNU General Public License
* as published by the Free Software Foundation; either version 2
* of the License, or (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program; if not, write to the Free Software
* Foundation, Inc., 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA.
*
*/
// Slightly changed version of nl.dynasol.csv.CSVReader (use List instead of Vector)
package nl.nn.testtool.util;
import java.io.IOException;
import java.io.Reader;
import java.util.ArrayList;
import java.util.List;
import java.util.NoSuchElementException;
/**
* This class considers lines to be terminated by the line feed ('\n')
* character. You may want to use the LineNumberReader class to translate
* carriage return ('\r') or a carriage return followed immediately by a
* line feed to a single line feed.
*
* <br>
* <br>
*
* You could for example use the following code to read csv files:
* <pre>
* FileReader fr = new FileReader(file);
* LineNumberReader lnr = new LineNumberReader(fr);
* CSVReader cr = new CSVReader(lnr);
* Vector v;
* while (cr.hasMoreElements()) {
* v = cr.nextCSV();
* ...
* }
* cr.close();
* </pre>
*
* @author Jaco de Groot
*/
public class CSVReader {
Reader r;
char separator = ',';
int state;
int lineNumberLast = -1;
int lineNumberNext = 1;
public CSVReader(Reader r) {
this.r = r;
state = 0;
}
public void setSeparator(char c) {
separator = c;
}
public boolean hasMoreElements() {
boolean hasMoreElements;
if (state == 4) {
hasMoreElements = false;
} else {
hasMoreElements = true;
}
return hasMoreElements;
}
/*
+--------------+-----------------------------+
| | |
+-->(0)--','---+ |
| | |
+--'\n'---+ |
| |
| +-------------'"'---+---','---+
| | | |
+---'"'---+------->(1)--'"'->(2)-'\n'---+
| | | | |
| +---rem---+ | |
| | |
+--'-1'->(4)<-----------'-1'--+ |
| | |
+---rem-------------+------->(3)--','---+
| | |
+---rem---+--'\n'---+
Def: rem is alle characters behalve waar al een pijl voor is.
Opm: rem bevat nooit -1.
Een komma is scheidingsteken voor csv-velden en newline is scheidingsteken
voor csv's. Dus op einde stream verwacht je geen newline tenzij er natuurlijk
een csv met 1 leeg veld op het einde zit. Met deze regel kun je CSVReader ook
gebruiken om een string m.b.v. stringreader om te zetten naar csv. Want bij een
string verwacht je op het einde ook geen newline tenzij...
*/
public List<String> nextCSV() throws NoSuchElementException, IOException {
if (state == 4) {
throw new NoSuchElementException();
}
lineNumberLast = lineNumberNext;
int c;
List<String> l = new ArrayList<>();
StringBuilder sb = new StringBuilder();
while (true) {
c = r.read();
if (state == 0) {
if (c == separator) {
l.add(null);
} else if (c == '\n') {
l.add(null);
lineNumberNext++;
return l;
} else if (c == '"') {
state = 1;
} else if (c == -1) {
state = 4;
l.add(null);
return l;
} else {
state = 3;
sb.append((char) c);
}
} else if (state == 1) {
if (c == '"') {
state = 2;
} else if (c == -1) {
// nog doen:
// throw new<SUF>
l.add(sb.toString());
return l;
} else {
if (c == '\n') {
lineNumberNext++;
}
sb.append((char) c);
}
} else if (state == 2) {
if (c == '"') {
state = 1;
sb.append('"');
} else if (c == separator) {
state = 0;
l.add(sb.toString());
sb = new StringBuilder();
} else if (c == '\n') {
state = 0;
l.add(sb.toString());
lineNumberNext++;
return l;
} else if (c == -1) {
state = 4;
l.add(sb.toString());
return l;
} else {
// nog doen:
// throw IllegalCharacterException; strikte modus maken? en alleen in strikte modes doen?
}
} else { // state == 3
if (c == separator) {
state = 0;
l.add(sb.toString());
sb = new StringBuilder();
} else if (c == '\n') {
state = 0;
l.add(sb.toString());
lineNumberNext++;
return l;
} else if (c == -1) {
state = 4;
l.add(sb.toString());
return l;
} else {
sb.append((char) c);
}
}
}
}
/**
* Get first line number of the last CSV record.
* @return ...
*/
public int getLineNumberLast() {
return lineNumberLast;
}
/**
* Get first line number of the next CSV record.
* @return ...
*/
public int getLineNumberNext() {
return lineNumberNext;
}
public void close() throws IOException {
r.close();
}
}
|
2218_5 | /*
* CSVReader.java can be used to construct CSV's from a reader.
*
* Copyright (C) 1999 Jaco de Groot ([email protected])
*
* This program is free software; you can redistribute it and/or
* modify it under the terms of the GNU General Public License
* as published by the Free Software Foundation; either version 2
* of the License, or (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program; if not, write to the Free Software
* Foundation, Inc., 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA.
*
*/
// Slightly changed version of nl.dynasol.csv.CSVReader (use List instead of Vector)
package nl.nn.testtool.util;
import java.io.IOException;
import java.io.Reader;
import java.util.ArrayList;
import java.util.List;
import java.util.NoSuchElementException;
/**
* This class considers lines to be terminated by the line feed ('\n')
* character. You may want to use the LineNumberReader class to translate
* carriage return ('\r') or a carriage return followed immediately by a
* line feed to a single line feed.
*
* <br>
* <br>
*
* You could for example use the following code to read csv files:
* <pre>
* FileReader fr = new FileReader(file);
* LineNumberReader lnr = new LineNumberReader(fr);
* CSVReader cr = new CSVReader(lnr);
* Vector v;
* while (cr.hasMoreElements()) {
* v = cr.nextCSV();
* ...
* }
* cr.close();
* </pre>
*
* @author Jaco de Groot
*/
public class CSVReader {
Reader r;
char separator = ',';
int state;
int lineNumberLast = -1;
int lineNumberNext = 1;
public CSVReader(Reader r) {
this.r = r;
state = 0;
}
public void setSeparator(char c) {
separator = c;
}
public boolean hasMoreElements() {
boolean hasMoreElements;
if (state == 4) {
hasMoreElements = false;
} else {
hasMoreElements = true;
}
return hasMoreElements;
}
/*
+--------------+-----------------------------+
| | |
+-->(0)--','---+ |
| | |
+--'\n'---+ |
| |
| +-------------'"'---+---','---+
| | | |
+---'"'---+------->(1)--'"'->(2)-'\n'---+
| | | | |
| +---rem---+ | |
| | |
+--'-1'->(4)<-----------'-1'--+ |
| | |
+---rem-------------+------->(3)--','---+
| | |
+---rem---+--'\n'---+
Def: rem is alle characters behalve waar al een pijl voor is.
Opm: rem bevat nooit -1.
Een komma is scheidingsteken voor csv-velden en newline is scheidingsteken
voor csv's. Dus op einde stream verwacht je geen newline tenzij er natuurlijk
een csv met 1 leeg veld op het einde zit. Met deze regel kun je CSVReader ook
gebruiken om een string m.b.v. stringreader om te zetten naar csv. Want bij een
string verwacht je op het einde ook geen newline tenzij...
*/
public List<String> nextCSV() throws NoSuchElementException, IOException {
if (state == 4) {
throw new NoSuchElementException();
}
lineNumberLast = lineNumberNext;
int c;
List<String> l = new ArrayList<>();
StringBuilder sb = new StringBuilder();
while (true) {
c = r.read();
if (state == 0) {
if (c == separator) {
l.add(null);
} else if (c == '\n') {
l.add(null);
lineNumberNext++;
return l;
} else if (c == '"') {
state = 1;
} else if (c == -1) {
state = 4;
l.add(null);
return l;
} else {
state = 3;
sb.append((char) c);
}
} else if (state == 1) {
if (c == '"') {
state = 2;
} else if (c == -1) {
// nog doen:
// throw new IllegalEndOfStreamException(); strikte modus maken? en alleen in strikte modes doen?
l.add(sb.toString());
return l;
} else {
if (c == '\n') {
lineNumberNext++;
}
sb.append((char) c);
}
} else if (state == 2) {
if (c == '"') {
state = 1;
sb.append('"');
} else if (c == separator) {
state = 0;
l.add(sb.toString());
sb = new StringBuilder();
} else if (c == '\n') {
state = 0;
l.add(sb.toString());
lineNumberNext++;
return l;
} else if (c == -1) {
state = 4;
l.add(sb.toString());
return l;
} else {
// nog doen:
// throw IllegalCharacterException; strikte modus maken? en alleen in strikte modes doen?
}
} else { // state == 3
if (c == separator) {
state = 0;
l.add(sb.toString());
sb = new StringBuilder();
} else if (c == '\n') {
state = 0;
l.add(sb.toString());
lineNumberNext++;
return l;
} else if (c == -1) {
state = 4;
l.add(sb.toString());
return l;
} else {
sb.append((char) c);
}
}
}
}
/**
* Get first line number of the last CSV record.
* @return ...
*/
public int getLineNumberLast() {
return lineNumberLast;
}
/**
* Get first line number of the next CSV record.
* @return ...
*/
public int getLineNumberNext() {
return lineNumberNext;
}
public void close() throws IOException {
r.close();
}
}
| wearefrank/ladybug | src/main/java/nl/nn/testtool/util/CSVReader.java | 1,710 | // throw IllegalCharacterException; strikte modus maken? en alleen in strikte modes doen? | line_comment | nl | /*
* CSVReader.java can be used to construct CSV's from a reader.
*
* Copyright (C) 1999 Jaco de Groot ([email protected])
*
* This program is free software; you can redistribute it and/or
* modify it under the terms of the GNU General Public License
* as published by the Free Software Foundation; either version 2
* of the License, or (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program; if not, write to the Free Software
* Foundation, Inc., 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA.
*
*/
// Slightly changed version of nl.dynasol.csv.CSVReader (use List instead of Vector)
package nl.nn.testtool.util;
import java.io.IOException;
import java.io.Reader;
import java.util.ArrayList;
import java.util.List;
import java.util.NoSuchElementException;
/**
* This class considers lines to be terminated by the line feed ('\n')
* character. You may want to use the LineNumberReader class to translate
* carriage return ('\r') or a carriage return followed immediately by a
* line feed to a single line feed.
*
* <br>
* <br>
*
* You could for example use the following code to read csv files:
* <pre>
* FileReader fr = new FileReader(file);
* LineNumberReader lnr = new LineNumberReader(fr);
* CSVReader cr = new CSVReader(lnr);
* Vector v;
* while (cr.hasMoreElements()) {
* v = cr.nextCSV();
* ...
* }
* cr.close();
* </pre>
*
* @author Jaco de Groot
*/
public class CSVReader {
Reader r;
char separator = ',';
int state;
int lineNumberLast = -1;
int lineNumberNext = 1;
public CSVReader(Reader r) {
this.r = r;
state = 0;
}
public void setSeparator(char c) {
separator = c;
}
public boolean hasMoreElements() {
boolean hasMoreElements;
if (state == 4) {
hasMoreElements = false;
} else {
hasMoreElements = true;
}
return hasMoreElements;
}
/*
+--------------+-----------------------------+
| | |
+-->(0)--','---+ |
| | |
+--'\n'---+ |
| |
| +-------------'"'---+---','---+
| | | |
+---'"'---+------->(1)--'"'->(2)-'\n'---+
| | | | |
| +---rem---+ | |
| | |
+--'-1'->(4)<-----------'-1'--+ |
| | |
+---rem-------------+------->(3)--','---+
| | |
+---rem---+--'\n'---+
Def: rem is alle characters behalve waar al een pijl voor is.
Opm: rem bevat nooit -1.
Een komma is scheidingsteken voor csv-velden en newline is scheidingsteken
voor csv's. Dus op einde stream verwacht je geen newline tenzij er natuurlijk
een csv met 1 leeg veld op het einde zit. Met deze regel kun je CSVReader ook
gebruiken om een string m.b.v. stringreader om te zetten naar csv. Want bij een
string verwacht je op het einde ook geen newline tenzij...
*/
public List<String> nextCSV() throws NoSuchElementException, IOException {
if (state == 4) {
throw new NoSuchElementException();
}
lineNumberLast = lineNumberNext;
int c;
List<String> l = new ArrayList<>();
StringBuilder sb = new StringBuilder();
while (true) {
c = r.read();
if (state == 0) {
if (c == separator) {
l.add(null);
} else if (c == '\n') {
l.add(null);
lineNumberNext++;
return l;
} else if (c == '"') {
state = 1;
} else if (c == -1) {
state = 4;
l.add(null);
return l;
} else {
state = 3;
sb.append((char) c);
}
} else if (state == 1) {
if (c == '"') {
state = 2;
} else if (c == -1) {
// nog doen:
// throw new IllegalEndOfStreamException(); strikte modus maken? en alleen in strikte modes doen?
l.add(sb.toString());
return l;
} else {
if (c == '\n') {
lineNumberNext++;
}
sb.append((char) c);
}
} else if (state == 2) {
if (c == '"') {
state = 1;
sb.append('"');
} else if (c == separator) {
state = 0;
l.add(sb.toString());
sb = new StringBuilder();
} else if (c == '\n') {
state = 0;
l.add(sb.toString());
lineNumberNext++;
return l;
} else if (c == -1) {
state = 4;
l.add(sb.toString());
return l;
} else {
// nog doen:
// throw IllegalCharacterException;<SUF>
}
} else { // state == 3
if (c == separator) {
state = 0;
l.add(sb.toString());
sb = new StringBuilder();
} else if (c == '\n') {
state = 0;
l.add(sb.toString());
lineNumberNext++;
return l;
} else if (c == -1) {
state = 4;
l.add(sb.toString());
return l;
} else {
sb.append((char) c);
}
}
}
}
/**
* Get first line number of the last CSV record.
* @return ...
*/
public int getLineNumberLast() {
return lineNumberLast;
}
/**
* Get first line number of the next CSV record.
* @return ...
*/
public int getLineNumberNext() {
return lineNumberNext;
}
public void close() throws IOException {
r.close();
}
}
|
2219_0 | package server;
import Machiavelli.Interfaces.Remotes.SpelRemote;
import Machiavelli.Models.Spel;
import java.rmi.registry.LocateRegistry;
import java.rmi.registry.Registry;
import java.rmi.server.UnicastRemoteObject;
/**
* Server class voor de Machiavelli applicatie. Maakt een nieuw Registry en
* plaats een Spel skeleton in het registry.
*
* @author Daan Rosbergen
* @version 1.0
*/
public class Server {
/**
* Maakt een nieuw Registry aan en plaatst een Spel skeleton in het registry
*/
public void startServer(){
try {
// Hardcode ipadres van server, zet deze uit voor lokale tests.
//System.setProperty("java.rmi.server.hostname", "145.97.16.203"); // Hardcode ipadres van server
System.out.println("RMI Registry starter");
Registry registry = LocateRegistry.createRegistry(1099); // default port 1099 // run RMI registry on local host
Spel spel = new Spel();
// Maak van spel een skeleton
SpelRemote spelSkeleton = (SpelRemote) UnicastRemoteObject.exportObject(spel, 1099);
registry.rebind("Spel", spelSkeleton); // bind Spel to RMI registry
System.out.println("Spel skeleton bound");
System.out.println("Server running...");
} catch (Exception e) {
System.out.println("EXCEPTION: " + e);
}
}
/**
* Maakt een nieuw Server object en roept startServer() aan.
*
* @param args
*/
public static void main(String args[]){
Server server = new Server();
server.startServer();
}
}
| Badmuts/Machiavelli | src/server/Server.java | 422 | /**
* Server class voor de Machiavelli applicatie. Maakt een nieuw Registry en
* plaats een Spel skeleton in het registry.
*
* @author Daan Rosbergen
* @version 1.0
*/ | block_comment | nl | package server;
import Machiavelli.Interfaces.Remotes.SpelRemote;
import Machiavelli.Models.Spel;
import java.rmi.registry.LocateRegistry;
import java.rmi.registry.Registry;
import java.rmi.server.UnicastRemoteObject;
/**
* Server class voor<SUF>*/
public class Server {
/**
* Maakt een nieuw Registry aan en plaatst een Spel skeleton in het registry
*/
public void startServer(){
try {
// Hardcode ipadres van server, zet deze uit voor lokale tests.
//System.setProperty("java.rmi.server.hostname", "145.97.16.203"); // Hardcode ipadres van server
System.out.println("RMI Registry starter");
Registry registry = LocateRegistry.createRegistry(1099); // default port 1099 // run RMI registry on local host
Spel spel = new Spel();
// Maak van spel een skeleton
SpelRemote spelSkeleton = (SpelRemote) UnicastRemoteObject.exportObject(spel, 1099);
registry.rebind("Spel", spelSkeleton); // bind Spel to RMI registry
System.out.println("Spel skeleton bound");
System.out.println("Server running...");
} catch (Exception e) {
System.out.println("EXCEPTION: " + e);
}
}
/**
* Maakt een nieuw Server object en roept startServer() aan.
*
* @param args
*/
public static void main(String args[]){
Server server = new Server();
server.startServer();
}
}
|
2219_1 | package server;
import Machiavelli.Interfaces.Remotes.SpelRemote;
import Machiavelli.Models.Spel;
import java.rmi.registry.LocateRegistry;
import java.rmi.registry.Registry;
import java.rmi.server.UnicastRemoteObject;
/**
* Server class voor de Machiavelli applicatie. Maakt een nieuw Registry en
* plaats een Spel skeleton in het registry.
*
* @author Daan Rosbergen
* @version 1.0
*/
public class Server {
/**
* Maakt een nieuw Registry aan en plaatst een Spel skeleton in het registry
*/
public void startServer(){
try {
// Hardcode ipadres van server, zet deze uit voor lokale tests.
//System.setProperty("java.rmi.server.hostname", "145.97.16.203"); // Hardcode ipadres van server
System.out.println("RMI Registry starter");
Registry registry = LocateRegistry.createRegistry(1099); // default port 1099 // run RMI registry on local host
Spel spel = new Spel();
// Maak van spel een skeleton
SpelRemote spelSkeleton = (SpelRemote) UnicastRemoteObject.exportObject(spel, 1099);
registry.rebind("Spel", spelSkeleton); // bind Spel to RMI registry
System.out.println("Spel skeleton bound");
System.out.println("Server running...");
} catch (Exception e) {
System.out.println("EXCEPTION: " + e);
}
}
/**
* Maakt een nieuw Server object en roept startServer() aan.
*
* @param args
*/
public static void main(String args[]){
Server server = new Server();
server.startServer();
}
}
| Badmuts/Machiavelli | src/server/Server.java | 422 | /**
* Maakt een nieuw Registry aan en plaatst een Spel skeleton in het registry
*/ | block_comment | nl | package server;
import Machiavelli.Interfaces.Remotes.SpelRemote;
import Machiavelli.Models.Spel;
import java.rmi.registry.LocateRegistry;
import java.rmi.registry.Registry;
import java.rmi.server.UnicastRemoteObject;
/**
* Server class voor de Machiavelli applicatie. Maakt een nieuw Registry en
* plaats een Spel skeleton in het registry.
*
* @author Daan Rosbergen
* @version 1.0
*/
public class Server {
/**
* Maakt een nieuw<SUF>*/
public void startServer(){
try {
// Hardcode ipadres van server, zet deze uit voor lokale tests.
//System.setProperty("java.rmi.server.hostname", "145.97.16.203"); // Hardcode ipadres van server
System.out.println("RMI Registry starter");
Registry registry = LocateRegistry.createRegistry(1099); // default port 1099 // run RMI registry on local host
Spel spel = new Spel();
// Maak van spel een skeleton
SpelRemote spelSkeleton = (SpelRemote) UnicastRemoteObject.exportObject(spel, 1099);
registry.rebind("Spel", spelSkeleton); // bind Spel to RMI registry
System.out.println("Spel skeleton bound");
System.out.println("Server running...");
} catch (Exception e) {
System.out.println("EXCEPTION: " + e);
}
}
/**
* Maakt een nieuw Server object en roept startServer() aan.
*
* @param args
*/
public static void main(String args[]){
Server server = new Server();
server.startServer();
}
}
|
2219_2 | package server;
import Machiavelli.Interfaces.Remotes.SpelRemote;
import Machiavelli.Models.Spel;
import java.rmi.registry.LocateRegistry;
import java.rmi.registry.Registry;
import java.rmi.server.UnicastRemoteObject;
/**
* Server class voor de Machiavelli applicatie. Maakt een nieuw Registry en
* plaats een Spel skeleton in het registry.
*
* @author Daan Rosbergen
* @version 1.0
*/
public class Server {
/**
* Maakt een nieuw Registry aan en plaatst een Spel skeleton in het registry
*/
public void startServer(){
try {
// Hardcode ipadres van server, zet deze uit voor lokale tests.
//System.setProperty("java.rmi.server.hostname", "145.97.16.203"); // Hardcode ipadres van server
System.out.println("RMI Registry starter");
Registry registry = LocateRegistry.createRegistry(1099); // default port 1099 // run RMI registry on local host
Spel spel = new Spel();
// Maak van spel een skeleton
SpelRemote spelSkeleton = (SpelRemote) UnicastRemoteObject.exportObject(spel, 1099);
registry.rebind("Spel", spelSkeleton); // bind Spel to RMI registry
System.out.println("Spel skeleton bound");
System.out.println("Server running...");
} catch (Exception e) {
System.out.println("EXCEPTION: " + e);
}
}
/**
* Maakt een nieuw Server object en roept startServer() aan.
*
* @param args
*/
public static void main(String args[]){
Server server = new Server();
server.startServer();
}
}
| Badmuts/Machiavelli | src/server/Server.java | 422 | // Hardcode ipadres van server, zet deze uit voor lokale tests. | line_comment | nl | package server;
import Machiavelli.Interfaces.Remotes.SpelRemote;
import Machiavelli.Models.Spel;
import java.rmi.registry.LocateRegistry;
import java.rmi.registry.Registry;
import java.rmi.server.UnicastRemoteObject;
/**
* Server class voor de Machiavelli applicatie. Maakt een nieuw Registry en
* plaats een Spel skeleton in het registry.
*
* @author Daan Rosbergen
* @version 1.0
*/
public class Server {
/**
* Maakt een nieuw Registry aan en plaatst een Spel skeleton in het registry
*/
public void startServer(){
try {
// Hardcode ipadres<SUF>
//System.setProperty("java.rmi.server.hostname", "145.97.16.203"); // Hardcode ipadres van server
System.out.println("RMI Registry starter");
Registry registry = LocateRegistry.createRegistry(1099); // default port 1099 // run RMI registry on local host
Spel spel = new Spel();
// Maak van spel een skeleton
SpelRemote spelSkeleton = (SpelRemote) UnicastRemoteObject.exportObject(spel, 1099);
registry.rebind("Spel", spelSkeleton); // bind Spel to RMI registry
System.out.println("Spel skeleton bound");
System.out.println("Server running...");
} catch (Exception e) {
System.out.println("EXCEPTION: " + e);
}
}
/**
* Maakt een nieuw Server object en roept startServer() aan.
*
* @param args
*/
public static void main(String args[]){
Server server = new Server();
server.startServer();
}
}
|
2219_7 | package server;
import Machiavelli.Interfaces.Remotes.SpelRemote;
import Machiavelli.Models.Spel;
import java.rmi.registry.LocateRegistry;
import java.rmi.registry.Registry;
import java.rmi.server.UnicastRemoteObject;
/**
* Server class voor de Machiavelli applicatie. Maakt een nieuw Registry en
* plaats een Spel skeleton in het registry.
*
* @author Daan Rosbergen
* @version 1.0
*/
public class Server {
/**
* Maakt een nieuw Registry aan en plaatst een Spel skeleton in het registry
*/
public void startServer(){
try {
// Hardcode ipadres van server, zet deze uit voor lokale tests.
//System.setProperty("java.rmi.server.hostname", "145.97.16.203"); // Hardcode ipadres van server
System.out.println("RMI Registry starter");
Registry registry = LocateRegistry.createRegistry(1099); // default port 1099 // run RMI registry on local host
Spel spel = new Spel();
// Maak van spel een skeleton
SpelRemote spelSkeleton = (SpelRemote) UnicastRemoteObject.exportObject(spel, 1099);
registry.rebind("Spel", spelSkeleton); // bind Spel to RMI registry
System.out.println("Spel skeleton bound");
System.out.println("Server running...");
} catch (Exception e) {
System.out.println("EXCEPTION: " + e);
}
}
/**
* Maakt een nieuw Server object en roept startServer() aan.
*
* @param args
*/
public static void main(String args[]){
Server server = new Server();
server.startServer();
}
}
| Badmuts/Machiavelli | src/server/Server.java | 422 | /**
* Maakt een nieuw Server object en roept startServer() aan.
*
* @param args
*/ | block_comment | nl | package server;
import Machiavelli.Interfaces.Remotes.SpelRemote;
import Machiavelli.Models.Spel;
import java.rmi.registry.LocateRegistry;
import java.rmi.registry.Registry;
import java.rmi.server.UnicastRemoteObject;
/**
* Server class voor de Machiavelli applicatie. Maakt een nieuw Registry en
* plaats een Spel skeleton in het registry.
*
* @author Daan Rosbergen
* @version 1.0
*/
public class Server {
/**
* Maakt een nieuw Registry aan en plaatst een Spel skeleton in het registry
*/
public void startServer(){
try {
// Hardcode ipadres van server, zet deze uit voor lokale tests.
//System.setProperty("java.rmi.server.hostname", "145.97.16.203"); // Hardcode ipadres van server
System.out.println("RMI Registry starter");
Registry registry = LocateRegistry.createRegistry(1099); // default port 1099 // run RMI registry on local host
Spel spel = new Spel();
// Maak van spel een skeleton
SpelRemote spelSkeleton = (SpelRemote) UnicastRemoteObject.exportObject(spel, 1099);
registry.rebind("Spel", spelSkeleton); // bind Spel to RMI registry
System.out.println("Spel skeleton bound");
System.out.println("Server running...");
} catch (Exception e) {
System.out.println("EXCEPTION: " + e);
}
}
/**
* Maakt een nieuw<SUF>*/
public static void main(String args[]){
Server server = new Server();
server.startServer();
}
}
|
2220_2 | /*
* Copyright 2007 Pieter De Rycke
*
* This file is part of JMTP.
*
* JTMP is free software: you can redistribute it and/or modify
* it under the terms of the GNU Lesser General Public License as
* published by the Free Software Foundation, either version 3 of
* the License, or any later version.
*
* JMTP is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU Lesser General Public License for more details.
*
* You should have received a copy of the GNU LesserGeneral Public
* License along with JMTP. If not, see <http://www.gnu.org/licenses/>.
*/
package be.derycke.pieter.com;
import java.lang.ref.WeakReference;
import java.util.HashSet;
import java.util.Set;
/**
*
* @author Pieter De Rycke
*/
public class COMReference {
private static Set<WeakReference<COMReference>> references;
private static Object lock;
static {
lock = new Object();
references = new HashSet<WeakReference<COMReference>>();
//dit wordt nog voor de finalizers aangeroepen als finalizen
//bij exit aan staat
//dit is voor de objecten die niet of nog niet door de gc
//gefinalized werden
//http://en.allexperts.com/q/Java-1046/Constructor-destructor.htm
Runtime.getRuntime().addShutdownHook(new Thread() {
@Override
public void run() {
synchronized(lock) {
for(WeakReference<COMReference> reference : references) {
try {
reference.get().release();
}
catch(NullPointerException e) {}
}
}
}
});
}
private WeakReference<COMReference> reference;
private long pIUnknown;
public COMReference(long pIUnkown) {
this.pIUnknown = pIUnkown;
reference = new WeakReference<COMReference>(this);
synchronized(lock) {
references.add(reference);
}
}
public long getMemoryAddress() {
return pIUnknown;
}
native long release();
native long addRef();
@Override
protected void finalize() {
synchronized(lock) {
references.remove(reference);
release();
}
}
}
| reindahl/jmtp | java/src/be/derycke/pieter/com/COMReference.java | 630 | //dit wordt nog voor de finalizers aangeroepen als finalizen | line_comment | nl | /*
* Copyright 2007 Pieter De Rycke
*
* This file is part of JMTP.
*
* JTMP is free software: you can redistribute it and/or modify
* it under the terms of the GNU Lesser General Public License as
* published by the Free Software Foundation, either version 3 of
* the License, or any later version.
*
* JMTP is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU Lesser General Public License for more details.
*
* You should have received a copy of the GNU LesserGeneral Public
* License along with JMTP. If not, see <http://www.gnu.org/licenses/>.
*/
package be.derycke.pieter.com;
import java.lang.ref.WeakReference;
import java.util.HashSet;
import java.util.Set;
/**
*
* @author Pieter De Rycke
*/
public class COMReference {
private static Set<WeakReference<COMReference>> references;
private static Object lock;
static {
lock = new Object();
references = new HashSet<WeakReference<COMReference>>();
//dit wordt<SUF>
//bij exit aan staat
//dit is voor de objecten die niet of nog niet door de gc
//gefinalized werden
//http://en.allexperts.com/q/Java-1046/Constructor-destructor.htm
Runtime.getRuntime().addShutdownHook(new Thread() {
@Override
public void run() {
synchronized(lock) {
for(WeakReference<COMReference> reference : references) {
try {
reference.get().release();
}
catch(NullPointerException e) {}
}
}
}
});
}
private WeakReference<COMReference> reference;
private long pIUnknown;
public COMReference(long pIUnkown) {
this.pIUnknown = pIUnkown;
reference = new WeakReference<COMReference>(this);
synchronized(lock) {
references.add(reference);
}
}
public long getMemoryAddress() {
return pIUnknown;
}
native long release();
native long addRef();
@Override
protected void finalize() {
synchronized(lock) {
references.remove(reference);
release();
}
}
}
|
2220_3 | /*
* Copyright 2007 Pieter De Rycke
*
* This file is part of JMTP.
*
* JTMP is free software: you can redistribute it and/or modify
* it under the terms of the GNU Lesser General Public License as
* published by the Free Software Foundation, either version 3 of
* the License, or any later version.
*
* JMTP is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU Lesser General Public License for more details.
*
* You should have received a copy of the GNU LesserGeneral Public
* License along with JMTP. If not, see <http://www.gnu.org/licenses/>.
*/
package be.derycke.pieter.com;
import java.lang.ref.WeakReference;
import java.util.HashSet;
import java.util.Set;
/**
*
* @author Pieter De Rycke
*/
public class COMReference {
private static Set<WeakReference<COMReference>> references;
private static Object lock;
static {
lock = new Object();
references = new HashSet<WeakReference<COMReference>>();
//dit wordt nog voor de finalizers aangeroepen als finalizen
//bij exit aan staat
//dit is voor de objecten die niet of nog niet door de gc
//gefinalized werden
//http://en.allexperts.com/q/Java-1046/Constructor-destructor.htm
Runtime.getRuntime().addShutdownHook(new Thread() {
@Override
public void run() {
synchronized(lock) {
for(WeakReference<COMReference> reference : references) {
try {
reference.get().release();
}
catch(NullPointerException e) {}
}
}
}
});
}
private WeakReference<COMReference> reference;
private long pIUnknown;
public COMReference(long pIUnkown) {
this.pIUnknown = pIUnkown;
reference = new WeakReference<COMReference>(this);
synchronized(lock) {
references.add(reference);
}
}
public long getMemoryAddress() {
return pIUnknown;
}
native long release();
native long addRef();
@Override
protected void finalize() {
synchronized(lock) {
references.remove(reference);
release();
}
}
}
| reindahl/jmtp | java/src/be/derycke/pieter/com/COMReference.java | 630 | //bij exit aan staat | line_comment | nl | /*
* Copyright 2007 Pieter De Rycke
*
* This file is part of JMTP.
*
* JTMP is free software: you can redistribute it and/or modify
* it under the terms of the GNU Lesser General Public License as
* published by the Free Software Foundation, either version 3 of
* the License, or any later version.
*
* JMTP is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU Lesser General Public License for more details.
*
* You should have received a copy of the GNU LesserGeneral Public
* License along with JMTP. If not, see <http://www.gnu.org/licenses/>.
*/
package be.derycke.pieter.com;
import java.lang.ref.WeakReference;
import java.util.HashSet;
import java.util.Set;
/**
*
* @author Pieter De Rycke
*/
public class COMReference {
private static Set<WeakReference<COMReference>> references;
private static Object lock;
static {
lock = new Object();
references = new HashSet<WeakReference<COMReference>>();
//dit wordt nog voor de finalizers aangeroepen als finalizen
//bij exit<SUF>
//dit is voor de objecten die niet of nog niet door de gc
//gefinalized werden
//http://en.allexperts.com/q/Java-1046/Constructor-destructor.htm
Runtime.getRuntime().addShutdownHook(new Thread() {
@Override
public void run() {
synchronized(lock) {
for(WeakReference<COMReference> reference : references) {
try {
reference.get().release();
}
catch(NullPointerException e) {}
}
}
}
});
}
private WeakReference<COMReference> reference;
private long pIUnknown;
public COMReference(long pIUnkown) {
this.pIUnknown = pIUnkown;
reference = new WeakReference<COMReference>(this);
synchronized(lock) {
references.add(reference);
}
}
public long getMemoryAddress() {
return pIUnknown;
}
native long release();
native long addRef();
@Override
protected void finalize() {
synchronized(lock) {
references.remove(reference);
release();
}
}
}
|
2220_4 | /*
* Copyright 2007 Pieter De Rycke
*
* This file is part of JMTP.
*
* JTMP is free software: you can redistribute it and/or modify
* it under the terms of the GNU Lesser General Public License as
* published by the Free Software Foundation, either version 3 of
* the License, or any later version.
*
* JMTP is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU Lesser General Public License for more details.
*
* You should have received a copy of the GNU LesserGeneral Public
* License along with JMTP. If not, see <http://www.gnu.org/licenses/>.
*/
package be.derycke.pieter.com;
import java.lang.ref.WeakReference;
import java.util.HashSet;
import java.util.Set;
/**
*
* @author Pieter De Rycke
*/
public class COMReference {
private static Set<WeakReference<COMReference>> references;
private static Object lock;
static {
lock = new Object();
references = new HashSet<WeakReference<COMReference>>();
//dit wordt nog voor de finalizers aangeroepen als finalizen
//bij exit aan staat
//dit is voor de objecten die niet of nog niet door de gc
//gefinalized werden
//http://en.allexperts.com/q/Java-1046/Constructor-destructor.htm
Runtime.getRuntime().addShutdownHook(new Thread() {
@Override
public void run() {
synchronized(lock) {
for(WeakReference<COMReference> reference : references) {
try {
reference.get().release();
}
catch(NullPointerException e) {}
}
}
}
});
}
private WeakReference<COMReference> reference;
private long pIUnknown;
public COMReference(long pIUnkown) {
this.pIUnknown = pIUnkown;
reference = new WeakReference<COMReference>(this);
synchronized(lock) {
references.add(reference);
}
}
public long getMemoryAddress() {
return pIUnknown;
}
native long release();
native long addRef();
@Override
protected void finalize() {
synchronized(lock) {
references.remove(reference);
release();
}
}
}
| reindahl/jmtp | java/src/be/derycke/pieter/com/COMReference.java | 630 | //dit is voor de objecten die niet of nog niet door de gc | line_comment | nl | /*
* Copyright 2007 Pieter De Rycke
*
* This file is part of JMTP.
*
* JTMP is free software: you can redistribute it and/or modify
* it under the terms of the GNU Lesser General Public License as
* published by the Free Software Foundation, either version 3 of
* the License, or any later version.
*
* JMTP is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU Lesser General Public License for more details.
*
* You should have received a copy of the GNU LesserGeneral Public
* License along with JMTP. If not, see <http://www.gnu.org/licenses/>.
*/
package be.derycke.pieter.com;
import java.lang.ref.WeakReference;
import java.util.HashSet;
import java.util.Set;
/**
*
* @author Pieter De Rycke
*/
public class COMReference {
private static Set<WeakReference<COMReference>> references;
private static Object lock;
static {
lock = new Object();
references = new HashSet<WeakReference<COMReference>>();
//dit wordt nog voor de finalizers aangeroepen als finalizen
//bij exit aan staat
//dit is<SUF>
//gefinalized werden
//http://en.allexperts.com/q/Java-1046/Constructor-destructor.htm
Runtime.getRuntime().addShutdownHook(new Thread() {
@Override
public void run() {
synchronized(lock) {
for(WeakReference<COMReference> reference : references) {
try {
reference.get().release();
}
catch(NullPointerException e) {}
}
}
}
});
}
private WeakReference<COMReference> reference;
private long pIUnknown;
public COMReference(long pIUnkown) {
this.pIUnknown = pIUnkown;
reference = new WeakReference<COMReference>(this);
synchronized(lock) {
references.add(reference);
}
}
public long getMemoryAddress() {
return pIUnknown;
}
native long release();
native long addRef();
@Override
protected void finalize() {
synchronized(lock) {
references.remove(reference);
release();
}
}
}
|
2221_3 | package bolanimatie;
/**
*
*/
import java.awt.*;
import java.awt.event.*;
import java.util.*;
import javax.swing.*;
class BolAnimatie extends JPanel
{ // Constants
public static final int SIZE = 350; // omvang Canvas: 350x350
public static final int BOLSIZE = 20; // omvang vierkant: 20x20
public static final int COLORSTEP = 255/(BOLSIZE/2);
public static final int STARTSNELHEID = 10; // sleeptime is 1000/snelheid
public static final int STARTRICHTING = 45; // schuin
private double xpos = (SIZE-BOLSIZE)/2; // zet balletje in het midden
private double ypos = (SIZE-BOLSIZE)/2; // linksbovenhoek van bounding vierkant!
private double xspeed = 7;
private double yspeed = 7;
private int xdir = 1; // -1 of +1
private int ydir = 1;
private int sleeptime = 1000/STARTSNELHEID; // sleeptime van de thread
/**
* constructor
*/
public BolAnimatie()
{ // ----- uiterlijk
setBackground(Color.white);
setSize(SIZE, SIZE);
}
/**
* Balletje verplaatsen.
* NB: de x- en y-component in de stap zijn altijd positief. De variabelen xdir en
* ydir zijn -1 of 1 en bepalen de richting door vermenigvuldiging
* (bijvoorbeeld xdir*xspeed)
* Wanneer het balletje de rand van het speelveld dreigt te passeren, wordt de
* betreffende dir-variable omgeklapt, waardoor de richting van de bal omdraait.
*/
private void moveBol()
{ xpos = xpos + xdir*xspeed;
if ( xpos <= 0 ) // kan als xdir = -1, bal loopt links weg
{ xpos = 0;
xdir = 1; // change dir
}
if ( xpos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt rechts weg
{ xpos = SIZE-BOLSIZE;
xdir = -1; // change dir
}
ypos = ypos + ydir*yspeed;
if ( ypos <= 0 ) // kan als ydir = -1, bal loopt boven weg
{ ypos = 0;
ydir = 1; // change dir
}
if ( ypos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt onder weg
{ ypos = SIZE-BOLSIZE;
ydir = -1; // change dir
}
}
// ------- Gebruikersacties --------------------
/**
* Richting instellen: De hoek van de richting (in graden) wordt omgerekend
* in radialen. Daarna sin en cos gebruiken om de y- en x-component van een
* stap uit te rekenen
*
* @param ri De gekozen hoek uit de regelaar
*/
public void setRichting(int ri)
{ if ( ri >= 0 && ri <= 90 )
{ double rad = (Math.PI/2)*( ((double)ri)/90);
xspeed = Math.cos(rad)*10;
yspeed = Math.sin(rad)*10;
} // else do nothing
}
/**
* Snelheid instellen: hogere snelheid realiseren door de tijd bij sleep(int t)
* te verlagen. Dit wordt bereikt door 1000/snelheid als slaaptijd te nemen.
*
* @param s De gekozen snelheid uit de regelaar
*/
public void setSnelheid(int s)
{ if ( s>=1 && s<=50 )
{ sleeptime = 1000/s; // hogere snelheid: kortere slaaptijd!
} // else do nothing
}
/**
* Teken een stap: verplaats het balletje en teken opnieuw
*/
public void paintStep() // Regelpaneel: knop 'Stap'
{ moveBol();
repaint();
}
// ------- Painting and buffering --------------------
/**
* Teken het speelveld (wit vlak!) en het balletje
*/
public void paintComponent(Graphics g)
{ // verplicht, zorgt voor witte achtergrond
super.paintComponent(g);
// Bol bestaat uit in kleur verlopende concentrische cirkels (blauw -> rood)
int ixpos = (int)Math.round(xpos);
int iypos = (int)Math.round(ypos);
for ( int k=0; k<=BOLSIZE/2; k++ )
{ g.setColor(new Color(COLORSTEP*k, 0, 255-COLORSTEP*k));
g.fillOval(ixpos+k, iypos+k, BOLSIZE-2*k, BOLSIZE-2*k);
}
}
}
| ddoa/dea-code-examples | exercises/bolanimatie/src/main/java/bolanimatie/BolAnimatie.java | 1,240 | // zet balletje in het midden | line_comment | nl | package bolanimatie;
/**
*
*/
import java.awt.*;
import java.awt.event.*;
import java.util.*;
import javax.swing.*;
class BolAnimatie extends JPanel
{ // Constants
public static final int SIZE = 350; // omvang Canvas: 350x350
public static final int BOLSIZE = 20; // omvang vierkant: 20x20
public static final int COLORSTEP = 255/(BOLSIZE/2);
public static final int STARTSNELHEID = 10; // sleeptime is 1000/snelheid
public static final int STARTRICHTING = 45; // schuin
private double xpos = (SIZE-BOLSIZE)/2; // zet balletje<SUF>
private double ypos = (SIZE-BOLSIZE)/2; // linksbovenhoek van bounding vierkant!
private double xspeed = 7;
private double yspeed = 7;
private int xdir = 1; // -1 of +1
private int ydir = 1;
private int sleeptime = 1000/STARTSNELHEID; // sleeptime van de thread
/**
* constructor
*/
public BolAnimatie()
{ // ----- uiterlijk
setBackground(Color.white);
setSize(SIZE, SIZE);
}
/**
* Balletje verplaatsen.
* NB: de x- en y-component in de stap zijn altijd positief. De variabelen xdir en
* ydir zijn -1 of 1 en bepalen de richting door vermenigvuldiging
* (bijvoorbeeld xdir*xspeed)
* Wanneer het balletje de rand van het speelveld dreigt te passeren, wordt de
* betreffende dir-variable omgeklapt, waardoor de richting van de bal omdraait.
*/
private void moveBol()
{ xpos = xpos + xdir*xspeed;
if ( xpos <= 0 ) // kan als xdir = -1, bal loopt links weg
{ xpos = 0;
xdir = 1; // change dir
}
if ( xpos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt rechts weg
{ xpos = SIZE-BOLSIZE;
xdir = -1; // change dir
}
ypos = ypos + ydir*yspeed;
if ( ypos <= 0 ) // kan als ydir = -1, bal loopt boven weg
{ ypos = 0;
ydir = 1; // change dir
}
if ( ypos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt onder weg
{ ypos = SIZE-BOLSIZE;
ydir = -1; // change dir
}
}
// ------- Gebruikersacties --------------------
/**
* Richting instellen: De hoek van de richting (in graden) wordt omgerekend
* in radialen. Daarna sin en cos gebruiken om de y- en x-component van een
* stap uit te rekenen
*
* @param ri De gekozen hoek uit de regelaar
*/
public void setRichting(int ri)
{ if ( ri >= 0 && ri <= 90 )
{ double rad = (Math.PI/2)*( ((double)ri)/90);
xspeed = Math.cos(rad)*10;
yspeed = Math.sin(rad)*10;
} // else do nothing
}
/**
* Snelheid instellen: hogere snelheid realiseren door de tijd bij sleep(int t)
* te verlagen. Dit wordt bereikt door 1000/snelheid als slaaptijd te nemen.
*
* @param s De gekozen snelheid uit de regelaar
*/
public void setSnelheid(int s)
{ if ( s>=1 && s<=50 )
{ sleeptime = 1000/s; // hogere snelheid: kortere slaaptijd!
} // else do nothing
}
/**
* Teken een stap: verplaats het balletje en teken opnieuw
*/
public void paintStep() // Regelpaneel: knop 'Stap'
{ moveBol();
repaint();
}
// ------- Painting and buffering --------------------
/**
* Teken het speelveld (wit vlak!) en het balletje
*/
public void paintComponent(Graphics g)
{ // verplicht, zorgt voor witte achtergrond
super.paintComponent(g);
// Bol bestaat uit in kleur verlopende concentrische cirkels (blauw -> rood)
int ixpos = (int)Math.round(xpos);
int iypos = (int)Math.round(ypos);
for ( int k=0; k<=BOLSIZE/2; k++ )
{ g.setColor(new Color(COLORSTEP*k, 0, 255-COLORSTEP*k));
g.fillOval(ixpos+k, iypos+k, BOLSIZE-2*k, BOLSIZE-2*k);
}
}
}
|
2221_6 | package bolanimatie;
/**
*
*/
import java.awt.*;
import java.awt.event.*;
import java.util.*;
import javax.swing.*;
class BolAnimatie extends JPanel
{ // Constants
public static final int SIZE = 350; // omvang Canvas: 350x350
public static final int BOLSIZE = 20; // omvang vierkant: 20x20
public static final int COLORSTEP = 255/(BOLSIZE/2);
public static final int STARTSNELHEID = 10; // sleeptime is 1000/snelheid
public static final int STARTRICHTING = 45; // schuin
private double xpos = (SIZE-BOLSIZE)/2; // zet balletje in het midden
private double ypos = (SIZE-BOLSIZE)/2; // linksbovenhoek van bounding vierkant!
private double xspeed = 7;
private double yspeed = 7;
private int xdir = 1; // -1 of +1
private int ydir = 1;
private int sleeptime = 1000/STARTSNELHEID; // sleeptime van de thread
/**
* constructor
*/
public BolAnimatie()
{ // ----- uiterlijk
setBackground(Color.white);
setSize(SIZE, SIZE);
}
/**
* Balletje verplaatsen.
* NB: de x- en y-component in de stap zijn altijd positief. De variabelen xdir en
* ydir zijn -1 of 1 en bepalen de richting door vermenigvuldiging
* (bijvoorbeeld xdir*xspeed)
* Wanneer het balletje de rand van het speelveld dreigt te passeren, wordt de
* betreffende dir-variable omgeklapt, waardoor de richting van de bal omdraait.
*/
private void moveBol()
{ xpos = xpos + xdir*xspeed;
if ( xpos <= 0 ) // kan als xdir = -1, bal loopt links weg
{ xpos = 0;
xdir = 1; // change dir
}
if ( xpos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt rechts weg
{ xpos = SIZE-BOLSIZE;
xdir = -1; // change dir
}
ypos = ypos + ydir*yspeed;
if ( ypos <= 0 ) // kan als ydir = -1, bal loopt boven weg
{ ypos = 0;
ydir = 1; // change dir
}
if ( ypos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt onder weg
{ ypos = SIZE-BOLSIZE;
ydir = -1; // change dir
}
}
// ------- Gebruikersacties --------------------
/**
* Richting instellen: De hoek van de richting (in graden) wordt omgerekend
* in radialen. Daarna sin en cos gebruiken om de y- en x-component van een
* stap uit te rekenen
*
* @param ri De gekozen hoek uit de regelaar
*/
public void setRichting(int ri)
{ if ( ri >= 0 && ri <= 90 )
{ double rad = (Math.PI/2)*( ((double)ri)/90);
xspeed = Math.cos(rad)*10;
yspeed = Math.sin(rad)*10;
} // else do nothing
}
/**
* Snelheid instellen: hogere snelheid realiseren door de tijd bij sleep(int t)
* te verlagen. Dit wordt bereikt door 1000/snelheid als slaaptijd te nemen.
*
* @param s De gekozen snelheid uit de regelaar
*/
public void setSnelheid(int s)
{ if ( s>=1 && s<=50 )
{ sleeptime = 1000/s; // hogere snelheid: kortere slaaptijd!
} // else do nothing
}
/**
* Teken een stap: verplaats het balletje en teken opnieuw
*/
public void paintStep() // Regelpaneel: knop 'Stap'
{ moveBol();
repaint();
}
// ------- Painting and buffering --------------------
/**
* Teken het speelveld (wit vlak!) en het balletje
*/
public void paintComponent(Graphics g)
{ // verplicht, zorgt voor witte achtergrond
super.paintComponent(g);
// Bol bestaat uit in kleur verlopende concentrische cirkels (blauw -> rood)
int ixpos = (int)Math.round(xpos);
int iypos = (int)Math.round(ypos);
for ( int k=0; k<=BOLSIZE/2; k++ )
{ g.setColor(new Color(COLORSTEP*k, 0, 255-COLORSTEP*k));
g.fillOval(ixpos+k, iypos+k, BOLSIZE-2*k, BOLSIZE-2*k);
}
}
}
| ddoa/dea-code-examples | exercises/bolanimatie/src/main/java/bolanimatie/BolAnimatie.java | 1,240 | // sleeptime van de thread | line_comment | nl | package bolanimatie;
/**
*
*/
import java.awt.*;
import java.awt.event.*;
import java.util.*;
import javax.swing.*;
class BolAnimatie extends JPanel
{ // Constants
public static final int SIZE = 350; // omvang Canvas: 350x350
public static final int BOLSIZE = 20; // omvang vierkant: 20x20
public static final int COLORSTEP = 255/(BOLSIZE/2);
public static final int STARTSNELHEID = 10; // sleeptime is 1000/snelheid
public static final int STARTRICHTING = 45; // schuin
private double xpos = (SIZE-BOLSIZE)/2; // zet balletje in het midden
private double ypos = (SIZE-BOLSIZE)/2; // linksbovenhoek van bounding vierkant!
private double xspeed = 7;
private double yspeed = 7;
private int xdir = 1; // -1 of +1
private int ydir = 1;
private int sleeptime = 1000/STARTSNELHEID; // sleeptime van<SUF>
/**
* constructor
*/
public BolAnimatie()
{ // ----- uiterlijk
setBackground(Color.white);
setSize(SIZE, SIZE);
}
/**
* Balletje verplaatsen.
* NB: de x- en y-component in de stap zijn altijd positief. De variabelen xdir en
* ydir zijn -1 of 1 en bepalen de richting door vermenigvuldiging
* (bijvoorbeeld xdir*xspeed)
* Wanneer het balletje de rand van het speelveld dreigt te passeren, wordt de
* betreffende dir-variable omgeklapt, waardoor de richting van de bal omdraait.
*/
private void moveBol()
{ xpos = xpos + xdir*xspeed;
if ( xpos <= 0 ) // kan als xdir = -1, bal loopt links weg
{ xpos = 0;
xdir = 1; // change dir
}
if ( xpos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt rechts weg
{ xpos = SIZE-BOLSIZE;
xdir = -1; // change dir
}
ypos = ypos + ydir*yspeed;
if ( ypos <= 0 ) // kan als ydir = -1, bal loopt boven weg
{ ypos = 0;
ydir = 1; // change dir
}
if ( ypos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt onder weg
{ ypos = SIZE-BOLSIZE;
ydir = -1; // change dir
}
}
// ------- Gebruikersacties --------------------
/**
* Richting instellen: De hoek van de richting (in graden) wordt omgerekend
* in radialen. Daarna sin en cos gebruiken om de y- en x-component van een
* stap uit te rekenen
*
* @param ri De gekozen hoek uit de regelaar
*/
public void setRichting(int ri)
{ if ( ri >= 0 && ri <= 90 )
{ double rad = (Math.PI/2)*( ((double)ri)/90);
xspeed = Math.cos(rad)*10;
yspeed = Math.sin(rad)*10;
} // else do nothing
}
/**
* Snelheid instellen: hogere snelheid realiseren door de tijd bij sleep(int t)
* te verlagen. Dit wordt bereikt door 1000/snelheid als slaaptijd te nemen.
*
* @param s De gekozen snelheid uit de regelaar
*/
public void setSnelheid(int s)
{ if ( s>=1 && s<=50 )
{ sleeptime = 1000/s; // hogere snelheid: kortere slaaptijd!
} // else do nothing
}
/**
* Teken een stap: verplaats het balletje en teken opnieuw
*/
public void paintStep() // Regelpaneel: knop 'Stap'
{ moveBol();
repaint();
}
// ------- Painting and buffering --------------------
/**
* Teken het speelveld (wit vlak!) en het balletje
*/
public void paintComponent(Graphics g)
{ // verplicht, zorgt voor witte achtergrond
super.paintComponent(g);
// Bol bestaat uit in kleur verlopende concentrische cirkels (blauw -> rood)
int ixpos = (int)Math.round(xpos);
int iypos = (int)Math.round(ypos);
for ( int k=0; k<=BOLSIZE/2; k++ )
{ g.setColor(new Color(COLORSTEP*k, 0, 255-COLORSTEP*k));
g.fillOval(ixpos+k, iypos+k, BOLSIZE-2*k, BOLSIZE-2*k);
}
}
}
|
2221_7 | package bolanimatie;
/**
*
*/
import java.awt.*;
import java.awt.event.*;
import java.util.*;
import javax.swing.*;
class BolAnimatie extends JPanel
{ // Constants
public static final int SIZE = 350; // omvang Canvas: 350x350
public static final int BOLSIZE = 20; // omvang vierkant: 20x20
public static final int COLORSTEP = 255/(BOLSIZE/2);
public static final int STARTSNELHEID = 10; // sleeptime is 1000/snelheid
public static final int STARTRICHTING = 45; // schuin
private double xpos = (SIZE-BOLSIZE)/2; // zet balletje in het midden
private double ypos = (SIZE-BOLSIZE)/2; // linksbovenhoek van bounding vierkant!
private double xspeed = 7;
private double yspeed = 7;
private int xdir = 1; // -1 of +1
private int ydir = 1;
private int sleeptime = 1000/STARTSNELHEID; // sleeptime van de thread
/**
* constructor
*/
public BolAnimatie()
{ // ----- uiterlijk
setBackground(Color.white);
setSize(SIZE, SIZE);
}
/**
* Balletje verplaatsen.
* NB: de x- en y-component in de stap zijn altijd positief. De variabelen xdir en
* ydir zijn -1 of 1 en bepalen de richting door vermenigvuldiging
* (bijvoorbeeld xdir*xspeed)
* Wanneer het balletje de rand van het speelveld dreigt te passeren, wordt de
* betreffende dir-variable omgeklapt, waardoor de richting van de bal omdraait.
*/
private void moveBol()
{ xpos = xpos + xdir*xspeed;
if ( xpos <= 0 ) // kan als xdir = -1, bal loopt links weg
{ xpos = 0;
xdir = 1; // change dir
}
if ( xpos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt rechts weg
{ xpos = SIZE-BOLSIZE;
xdir = -1; // change dir
}
ypos = ypos + ydir*yspeed;
if ( ypos <= 0 ) // kan als ydir = -1, bal loopt boven weg
{ ypos = 0;
ydir = 1; // change dir
}
if ( ypos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt onder weg
{ ypos = SIZE-BOLSIZE;
ydir = -1; // change dir
}
}
// ------- Gebruikersacties --------------------
/**
* Richting instellen: De hoek van de richting (in graden) wordt omgerekend
* in radialen. Daarna sin en cos gebruiken om de y- en x-component van een
* stap uit te rekenen
*
* @param ri De gekozen hoek uit de regelaar
*/
public void setRichting(int ri)
{ if ( ri >= 0 && ri <= 90 )
{ double rad = (Math.PI/2)*( ((double)ri)/90);
xspeed = Math.cos(rad)*10;
yspeed = Math.sin(rad)*10;
} // else do nothing
}
/**
* Snelheid instellen: hogere snelheid realiseren door de tijd bij sleep(int t)
* te verlagen. Dit wordt bereikt door 1000/snelheid als slaaptijd te nemen.
*
* @param s De gekozen snelheid uit de regelaar
*/
public void setSnelheid(int s)
{ if ( s>=1 && s<=50 )
{ sleeptime = 1000/s; // hogere snelheid: kortere slaaptijd!
} // else do nothing
}
/**
* Teken een stap: verplaats het balletje en teken opnieuw
*/
public void paintStep() // Regelpaneel: knop 'Stap'
{ moveBol();
repaint();
}
// ------- Painting and buffering --------------------
/**
* Teken het speelveld (wit vlak!) en het balletje
*/
public void paintComponent(Graphics g)
{ // verplicht, zorgt voor witte achtergrond
super.paintComponent(g);
// Bol bestaat uit in kleur verlopende concentrische cirkels (blauw -> rood)
int ixpos = (int)Math.round(xpos);
int iypos = (int)Math.round(ypos);
for ( int k=0; k<=BOLSIZE/2; k++ )
{ g.setColor(new Color(COLORSTEP*k, 0, 255-COLORSTEP*k));
g.fillOval(ixpos+k, iypos+k, BOLSIZE-2*k, BOLSIZE-2*k);
}
}
}
| ddoa/dea-code-examples | exercises/bolanimatie/src/main/java/bolanimatie/BolAnimatie.java | 1,240 | /**
* Balletje verplaatsen.
* NB: de x- en y-component in de stap zijn altijd positief. De variabelen xdir en
* ydir zijn -1 of 1 en bepalen de richting door vermenigvuldiging
* (bijvoorbeeld xdir*xspeed)
* Wanneer het balletje de rand van het speelveld dreigt te passeren, wordt de
* betreffende dir-variable omgeklapt, waardoor de richting van de bal omdraait.
*/ | block_comment | nl | package bolanimatie;
/**
*
*/
import java.awt.*;
import java.awt.event.*;
import java.util.*;
import javax.swing.*;
class BolAnimatie extends JPanel
{ // Constants
public static final int SIZE = 350; // omvang Canvas: 350x350
public static final int BOLSIZE = 20; // omvang vierkant: 20x20
public static final int COLORSTEP = 255/(BOLSIZE/2);
public static final int STARTSNELHEID = 10; // sleeptime is 1000/snelheid
public static final int STARTRICHTING = 45; // schuin
private double xpos = (SIZE-BOLSIZE)/2; // zet balletje in het midden
private double ypos = (SIZE-BOLSIZE)/2; // linksbovenhoek van bounding vierkant!
private double xspeed = 7;
private double yspeed = 7;
private int xdir = 1; // -1 of +1
private int ydir = 1;
private int sleeptime = 1000/STARTSNELHEID; // sleeptime van de thread
/**
* constructor
*/
public BolAnimatie()
{ // ----- uiterlijk
setBackground(Color.white);
setSize(SIZE, SIZE);
}
/**
* Balletje verplaatsen.
<SUF>*/
private void moveBol()
{ xpos = xpos + xdir*xspeed;
if ( xpos <= 0 ) // kan als xdir = -1, bal loopt links weg
{ xpos = 0;
xdir = 1; // change dir
}
if ( xpos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt rechts weg
{ xpos = SIZE-BOLSIZE;
xdir = -1; // change dir
}
ypos = ypos + ydir*yspeed;
if ( ypos <= 0 ) // kan als ydir = -1, bal loopt boven weg
{ ypos = 0;
ydir = 1; // change dir
}
if ( ypos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt onder weg
{ ypos = SIZE-BOLSIZE;
ydir = -1; // change dir
}
}
// ------- Gebruikersacties --------------------
/**
* Richting instellen: De hoek van de richting (in graden) wordt omgerekend
* in radialen. Daarna sin en cos gebruiken om de y- en x-component van een
* stap uit te rekenen
*
* @param ri De gekozen hoek uit de regelaar
*/
public void setRichting(int ri)
{ if ( ri >= 0 && ri <= 90 )
{ double rad = (Math.PI/2)*( ((double)ri)/90);
xspeed = Math.cos(rad)*10;
yspeed = Math.sin(rad)*10;
} // else do nothing
}
/**
* Snelheid instellen: hogere snelheid realiseren door de tijd bij sleep(int t)
* te verlagen. Dit wordt bereikt door 1000/snelheid als slaaptijd te nemen.
*
* @param s De gekozen snelheid uit de regelaar
*/
public void setSnelheid(int s)
{ if ( s>=1 && s<=50 )
{ sleeptime = 1000/s; // hogere snelheid: kortere slaaptijd!
} // else do nothing
}
/**
* Teken een stap: verplaats het balletje en teken opnieuw
*/
public void paintStep() // Regelpaneel: knop 'Stap'
{ moveBol();
repaint();
}
// ------- Painting and buffering --------------------
/**
* Teken het speelveld (wit vlak!) en het balletje
*/
public void paintComponent(Graphics g)
{ // verplicht, zorgt voor witte achtergrond
super.paintComponent(g);
// Bol bestaat uit in kleur verlopende concentrische cirkels (blauw -> rood)
int ixpos = (int)Math.round(xpos);
int iypos = (int)Math.round(ypos);
for ( int k=0; k<=BOLSIZE/2; k++ )
{ g.setColor(new Color(COLORSTEP*k, 0, 255-COLORSTEP*k));
g.fillOval(ixpos+k, iypos+k, BOLSIZE-2*k, BOLSIZE-2*k);
}
}
}
|
2221_9 | package bolanimatie;
/**
*
*/
import java.awt.*;
import java.awt.event.*;
import java.util.*;
import javax.swing.*;
class BolAnimatie extends JPanel
{ // Constants
public static final int SIZE = 350; // omvang Canvas: 350x350
public static final int BOLSIZE = 20; // omvang vierkant: 20x20
public static final int COLORSTEP = 255/(BOLSIZE/2);
public static final int STARTSNELHEID = 10; // sleeptime is 1000/snelheid
public static final int STARTRICHTING = 45; // schuin
private double xpos = (SIZE-BOLSIZE)/2; // zet balletje in het midden
private double ypos = (SIZE-BOLSIZE)/2; // linksbovenhoek van bounding vierkant!
private double xspeed = 7;
private double yspeed = 7;
private int xdir = 1; // -1 of +1
private int ydir = 1;
private int sleeptime = 1000/STARTSNELHEID; // sleeptime van de thread
/**
* constructor
*/
public BolAnimatie()
{ // ----- uiterlijk
setBackground(Color.white);
setSize(SIZE, SIZE);
}
/**
* Balletje verplaatsen.
* NB: de x- en y-component in de stap zijn altijd positief. De variabelen xdir en
* ydir zijn -1 of 1 en bepalen de richting door vermenigvuldiging
* (bijvoorbeeld xdir*xspeed)
* Wanneer het balletje de rand van het speelveld dreigt te passeren, wordt de
* betreffende dir-variable omgeklapt, waardoor de richting van de bal omdraait.
*/
private void moveBol()
{ xpos = xpos + xdir*xspeed;
if ( xpos <= 0 ) // kan als xdir = -1, bal loopt links weg
{ xpos = 0;
xdir = 1; // change dir
}
if ( xpos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt rechts weg
{ xpos = SIZE-BOLSIZE;
xdir = -1; // change dir
}
ypos = ypos + ydir*yspeed;
if ( ypos <= 0 ) // kan als ydir = -1, bal loopt boven weg
{ ypos = 0;
ydir = 1; // change dir
}
if ( ypos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt onder weg
{ ypos = SIZE-BOLSIZE;
ydir = -1; // change dir
}
}
// ------- Gebruikersacties --------------------
/**
* Richting instellen: De hoek van de richting (in graden) wordt omgerekend
* in radialen. Daarna sin en cos gebruiken om de y- en x-component van een
* stap uit te rekenen
*
* @param ri De gekozen hoek uit de regelaar
*/
public void setRichting(int ri)
{ if ( ri >= 0 && ri <= 90 )
{ double rad = (Math.PI/2)*( ((double)ri)/90);
xspeed = Math.cos(rad)*10;
yspeed = Math.sin(rad)*10;
} // else do nothing
}
/**
* Snelheid instellen: hogere snelheid realiseren door de tijd bij sleep(int t)
* te verlagen. Dit wordt bereikt door 1000/snelheid als slaaptijd te nemen.
*
* @param s De gekozen snelheid uit de regelaar
*/
public void setSnelheid(int s)
{ if ( s>=1 && s<=50 )
{ sleeptime = 1000/s; // hogere snelheid: kortere slaaptijd!
} // else do nothing
}
/**
* Teken een stap: verplaats het balletje en teken opnieuw
*/
public void paintStep() // Regelpaneel: knop 'Stap'
{ moveBol();
repaint();
}
// ------- Painting and buffering --------------------
/**
* Teken het speelveld (wit vlak!) en het balletje
*/
public void paintComponent(Graphics g)
{ // verplicht, zorgt voor witte achtergrond
super.paintComponent(g);
// Bol bestaat uit in kleur verlopende concentrische cirkels (blauw -> rood)
int ixpos = (int)Math.round(xpos);
int iypos = (int)Math.round(ypos);
for ( int k=0; k<=BOLSIZE/2; k++ )
{ g.setColor(new Color(COLORSTEP*k, 0, 255-COLORSTEP*k));
g.fillOval(ixpos+k, iypos+k, BOLSIZE-2*k, BOLSIZE-2*k);
}
}
}
| ddoa/dea-code-examples | exercises/bolanimatie/src/main/java/bolanimatie/BolAnimatie.java | 1,240 | // kan als xdir = 1, bal loopt rechts weg | line_comment | nl | package bolanimatie;
/**
*
*/
import java.awt.*;
import java.awt.event.*;
import java.util.*;
import javax.swing.*;
class BolAnimatie extends JPanel
{ // Constants
public static final int SIZE = 350; // omvang Canvas: 350x350
public static final int BOLSIZE = 20; // omvang vierkant: 20x20
public static final int COLORSTEP = 255/(BOLSIZE/2);
public static final int STARTSNELHEID = 10; // sleeptime is 1000/snelheid
public static final int STARTRICHTING = 45; // schuin
private double xpos = (SIZE-BOLSIZE)/2; // zet balletje in het midden
private double ypos = (SIZE-BOLSIZE)/2; // linksbovenhoek van bounding vierkant!
private double xspeed = 7;
private double yspeed = 7;
private int xdir = 1; // -1 of +1
private int ydir = 1;
private int sleeptime = 1000/STARTSNELHEID; // sleeptime van de thread
/**
* constructor
*/
public BolAnimatie()
{ // ----- uiterlijk
setBackground(Color.white);
setSize(SIZE, SIZE);
}
/**
* Balletje verplaatsen.
* NB: de x- en y-component in de stap zijn altijd positief. De variabelen xdir en
* ydir zijn -1 of 1 en bepalen de richting door vermenigvuldiging
* (bijvoorbeeld xdir*xspeed)
* Wanneer het balletje de rand van het speelveld dreigt te passeren, wordt de
* betreffende dir-variable omgeklapt, waardoor de richting van de bal omdraait.
*/
private void moveBol()
{ xpos = xpos + xdir*xspeed;
if ( xpos <= 0 ) // kan als xdir = -1, bal loopt links weg
{ xpos = 0;
xdir = 1; // change dir
}
if ( xpos >= SIZE-BOLSIZE ) // kan als<SUF>
{ xpos = SIZE-BOLSIZE;
xdir = -1; // change dir
}
ypos = ypos + ydir*yspeed;
if ( ypos <= 0 ) // kan als ydir = -1, bal loopt boven weg
{ ypos = 0;
ydir = 1; // change dir
}
if ( ypos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt onder weg
{ ypos = SIZE-BOLSIZE;
ydir = -1; // change dir
}
}
// ------- Gebruikersacties --------------------
/**
* Richting instellen: De hoek van de richting (in graden) wordt omgerekend
* in radialen. Daarna sin en cos gebruiken om de y- en x-component van een
* stap uit te rekenen
*
* @param ri De gekozen hoek uit de regelaar
*/
public void setRichting(int ri)
{ if ( ri >= 0 && ri <= 90 )
{ double rad = (Math.PI/2)*( ((double)ri)/90);
xspeed = Math.cos(rad)*10;
yspeed = Math.sin(rad)*10;
} // else do nothing
}
/**
* Snelheid instellen: hogere snelheid realiseren door de tijd bij sleep(int t)
* te verlagen. Dit wordt bereikt door 1000/snelheid als slaaptijd te nemen.
*
* @param s De gekozen snelheid uit de regelaar
*/
public void setSnelheid(int s)
{ if ( s>=1 && s<=50 )
{ sleeptime = 1000/s; // hogere snelheid: kortere slaaptijd!
} // else do nothing
}
/**
* Teken een stap: verplaats het balletje en teken opnieuw
*/
public void paintStep() // Regelpaneel: knop 'Stap'
{ moveBol();
repaint();
}
// ------- Painting and buffering --------------------
/**
* Teken het speelveld (wit vlak!) en het balletje
*/
public void paintComponent(Graphics g)
{ // verplicht, zorgt voor witte achtergrond
super.paintComponent(g);
// Bol bestaat uit in kleur verlopende concentrische cirkels (blauw -> rood)
int ixpos = (int)Math.round(xpos);
int iypos = (int)Math.round(ypos);
for ( int k=0; k<=BOLSIZE/2; k++ )
{ g.setColor(new Color(COLORSTEP*k, 0, 255-COLORSTEP*k));
g.fillOval(ixpos+k, iypos+k, BOLSIZE-2*k, BOLSIZE-2*k);
}
}
}
|
2221_13 | package bolanimatie;
/**
*
*/
import java.awt.*;
import java.awt.event.*;
import java.util.*;
import javax.swing.*;
class BolAnimatie extends JPanel
{ // Constants
public static final int SIZE = 350; // omvang Canvas: 350x350
public static final int BOLSIZE = 20; // omvang vierkant: 20x20
public static final int COLORSTEP = 255/(BOLSIZE/2);
public static final int STARTSNELHEID = 10; // sleeptime is 1000/snelheid
public static final int STARTRICHTING = 45; // schuin
private double xpos = (SIZE-BOLSIZE)/2; // zet balletje in het midden
private double ypos = (SIZE-BOLSIZE)/2; // linksbovenhoek van bounding vierkant!
private double xspeed = 7;
private double yspeed = 7;
private int xdir = 1; // -1 of +1
private int ydir = 1;
private int sleeptime = 1000/STARTSNELHEID; // sleeptime van de thread
/**
* constructor
*/
public BolAnimatie()
{ // ----- uiterlijk
setBackground(Color.white);
setSize(SIZE, SIZE);
}
/**
* Balletje verplaatsen.
* NB: de x- en y-component in de stap zijn altijd positief. De variabelen xdir en
* ydir zijn -1 of 1 en bepalen de richting door vermenigvuldiging
* (bijvoorbeeld xdir*xspeed)
* Wanneer het balletje de rand van het speelveld dreigt te passeren, wordt de
* betreffende dir-variable omgeklapt, waardoor de richting van de bal omdraait.
*/
private void moveBol()
{ xpos = xpos + xdir*xspeed;
if ( xpos <= 0 ) // kan als xdir = -1, bal loopt links weg
{ xpos = 0;
xdir = 1; // change dir
}
if ( xpos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt rechts weg
{ xpos = SIZE-BOLSIZE;
xdir = -1; // change dir
}
ypos = ypos + ydir*yspeed;
if ( ypos <= 0 ) // kan als ydir = -1, bal loopt boven weg
{ ypos = 0;
ydir = 1; // change dir
}
if ( ypos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt onder weg
{ ypos = SIZE-BOLSIZE;
ydir = -1; // change dir
}
}
// ------- Gebruikersacties --------------------
/**
* Richting instellen: De hoek van de richting (in graden) wordt omgerekend
* in radialen. Daarna sin en cos gebruiken om de y- en x-component van een
* stap uit te rekenen
*
* @param ri De gekozen hoek uit de regelaar
*/
public void setRichting(int ri)
{ if ( ri >= 0 && ri <= 90 )
{ double rad = (Math.PI/2)*( ((double)ri)/90);
xspeed = Math.cos(rad)*10;
yspeed = Math.sin(rad)*10;
} // else do nothing
}
/**
* Snelheid instellen: hogere snelheid realiseren door de tijd bij sleep(int t)
* te verlagen. Dit wordt bereikt door 1000/snelheid als slaaptijd te nemen.
*
* @param s De gekozen snelheid uit de regelaar
*/
public void setSnelheid(int s)
{ if ( s>=1 && s<=50 )
{ sleeptime = 1000/s; // hogere snelheid: kortere slaaptijd!
} // else do nothing
}
/**
* Teken een stap: verplaats het balletje en teken opnieuw
*/
public void paintStep() // Regelpaneel: knop 'Stap'
{ moveBol();
repaint();
}
// ------- Painting and buffering --------------------
/**
* Teken het speelveld (wit vlak!) en het balletje
*/
public void paintComponent(Graphics g)
{ // verplicht, zorgt voor witte achtergrond
super.paintComponent(g);
// Bol bestaat uit in kleur verlopende concentrische cirkels (blauw -> rood)
int ixpos = (int)Math.round(xpos);
int iypos = (int)Math.round(ypos);
for ( int k=0; k<=BOLSIZE/2; k++ )
{ g.setColor(new Color(COLORSTEP*k, 0, 255-COLORSTEP*k));
g.fillOval(ixpos+k, iypos+k, BOLSIZE-2*k, BOLSIZE-2*k);
}
}
}
| ddoa/dea-code-examples | exercises/bolanimatie/src/main/java/bolanimatie/BolAnimatie.java | 1,240 | /**
* Richting instellen: De hoek van de richting (in graden) wordt omgerekend
* in radialen. Daarna sin en cos gebruiken om de y- en x-component van een
* stap uit te rekenen
*
* @param ri De gekozen hoek uit de regelaar
*/ | block_comment | nl | package bolanimatie;
/**
*
*/
import java.awt.*;
import java.awt.event.*;
import java.util.*;
import javax.swing.*;
class BolAnimatie extends JPanel
{ // Constants
public static final int SIZE = 350; // omvang Canvas: 350x350
public static final int BOLSIZE = 20; // omvang vierkant: 20x20
public static final int COLORSTEP = 255/(BOLSIZE/2);
public static final int STARTSNELHEID = 10; // sleeptime is 1000/snelheid
public static final int STARTRICHTING = 45; // schuin
private double xpos = (SIZE-BOLSIZE)/2; // zet balletje in het midden
private double ypos = (SIZE-BOLSIZE)/2; // linksbovenhoek van bounding vierkant!
private double xspeed = 7;
private double yspeed = 7;
private int xdir = 1; // -1 of +1
private int ydir = 1;
private int sleeptime = 1000/STARTSNELHEID; // sleeptime van de thread
/**
* constructor
*/
public BolAnimatie()
{ // ----- uiterlijk
setBackground(Color.white);
setSize(SIZE, SIZE);
}
/**
* Balletje verplaatsen.
* NB: de x- en y-component in de stap zijn altijd positief. De variabelen xdir en
* ydir zijn -1 of 1 en bepalen de richting door vermenigvuldiging
* (bijvoorbeeld xdir*xspeed)
* Wanneer het balletje de rand van het speelveld dreigt te passeren, wordt de
* betreffende dir-variable omgeklapt, waardoor de richting van de bal omdraait.
*/
private void moveBol()
{ xpos = xpos + xdir*xspeed;
if ( xpos <= 0 ) // kan als xdir = -1, bal loopt links weg
{ xpos = 0;
xdir = 1; // change dir
}
if ( xpos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt rechts weg
{ xpos = SIZE-BOLSIZE;
xdir = -1; // change dir
}
ypos = ypos + ydir*yspeed;
if ( ypos <= 0 ) // kan als ydir = -1, bal loopt boven weg
{ ypos = 0;
ydir = 1; // change dir
}
if ( ypos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt onder weg
{ ypos = SIZE-BOLSIZE;
ydir = -1; // change dir
}
}
// ------- Gebruikersacties --------------------
/**
* Richting instellen: De<SUF>*/
public void setRichting(int ri)
{ if ( ri >= 0 && ri <= 90 )
{ double rad = (Math.PI/2)*( ((double)ri)/90);
xspeed = Math.cos(rad)*10;
yspeed = Math.sin(rad)*10;
} // else do nothing
}
/**
* Snelheid instellen: hogere snelheid realiseren door de tijd bij sleep(int t)
* te verlagen. Dit wordt bereikt door 1000/snelheid als slaaptijd te nemen.
*
* @param s De gekozen snelheid uit de regelaar
*/
public void setSnelheid(int s)
{ if ( s>=1 && s<=50 )
{ sleeptime = 1000/s; // hogere snelheid: kortere slaaptijd!
} // else do nothing
}
/**
* Teken een stap: verplaats het balletje en teken opnieuw
*/
public void paintStep() // Regelpaneel: knop 'Stap'
{ moveBol();
repaint();
}
// ------- Painting and buffering --------------------
/**
* Teken het speelveld (wit vlak!) en het balletje
*/
public void paintComponent(Graphics g)
{ // verplicht, zorgt voor witte achtergrond
super.paintComponent(g);
// Bol bestaat uit in kleur verlopende concentrische cirkels (blauw -> rood)
int ixpos = (int)Math.round(xpos);
int iypos = (int)Math.round(ypos);
for ( int k=0; k<=BOLSIZE/2; k++ )
{ g.setColor(new Color(COLORSTEP*k, 0, 255-COLORSTEP*k));
g.fillOval(ixpos+k, iypos+k, BOLSIZE-2*k, BOLSIZE-2*k);
}
}
}
|
2221_14 | package bolanimatie;
/**
*
*/
import java.awt.*;
import java.awt.event.*;
import java.util.*;
import javax.swing.*;
class BolAnimatie extends JPanel
{ // Constants
public static final int SIZE = 350; // omvang Canvas: 350x350
public static final int BOLSIZE = 20; // omvang vierkant: 20x20
public static final int COLORSTEP = 255/(BOLSIZE/2);
public static final int STARTSNELHEID = 10; // sleeptime is 1000/snelheid
public static final int STARTRICHTING = 45; // schuin
private double xpos = (SIZE-BOLSIZE)/2; // zet balletje in het midden
private double ypos = (SIZE-BOLSIZE)/2; // linksbovenhoek van bounding vierkant!
private double xspeed = 7;
private double yspeed = 7;
private int xdir = 1; // -1 of +1
private int ydir = 1;
private int sleeptime = 1000/STARTSNELHEID; // sleeptime van de thread
/**
* constructor
*/
public BolAnimatie()
{ // ----- uiterlijk
setBackground(Color.white);
setSize(SIZE, SIZE);
}
/**
* Balletje verplaatsen.
* NB: de x- en y-component in de stap zijn altijd positief. De variabelen xdir en
* ydir zijn -1 of 1 en bepalen de richting door vermenigvuldiging
* (bijvoorbeeld xdir*xspeed)
* Wanneer het balletje de rand van het speelveld dreigt te passeren, wordt de
* betreffende dir-variable omgeklapt, waardoor de richting van de bal omdraait.
*/
private void moveBol()
{ xpos = xpos + xdir*xspeed;
if ( xpos <= 0 ) // kan als xdir = -1, bal loopt links weg
{ xpos = 0;
xdir = 1; // change dir
}
if ( xpos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt rechts weg
{ xpos = SIZE-BOLSIZE;
xdir = -1; // change dir
}
ypos = ypos + ydir*yspeed;
if ( ypos <= 0 ) // kan als ydir = -1, bal loopt boven weg
{ ypos = 0;
ydir = 1; // change dir
}
if ( ypos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt onder weg
{ ypos = SIZE-BOLSIZE;
ydir = -1; // change dir
}
}
// ------- Gebruikersacties --------------------
/**
* Richting instellen: De hoek van de richting (in graden) wordt omgerekend
* in radialen. Daarna sin en cos gebruiken om de y- en x-component van een
* stap uit te rekenen
*
* @param ri De gekozen hoek uit de regelaar
*/
public void setRichting(int ri)
{ if ( ri >= 0 && ri <= 90 )
{ double rad = (Math.PI/2)*( ((double)ri)/90);
xspeed = Math.cos(rad)*10;
yspeed = Math.sin(rad)*10;
} // else do nothing
}
/**
* Snelheid instellen: hogere snelheid realiseren door de tijd bij sleep(int t)
* te verlagen. Dit wordt bereikt door 1000/snelheid als slaaptijd te nemen.
*
* @param s De gekozen snelheid uit de regelaar
*/
public void setSnelheid(int s)
{ if ( s>=1 && s<=50 )
{ sleeptime = 1000/s; // hogere snelheid: kortere slaaptijd!
} // else do nothing
}
/**
* Teken een stap: verplaats het balletje en teken opnieuw
*/
public void paintStep() // Regelpaneel: knop 'Stap'
{ moveBol();
repaint();
}
// ------- Painting and buffering --------------------
/**
* Teken het speelveld (wit vlak!) en het balletje
*/
public void paintComponent(Graphics g)
{ // verplicht, zorgt voor witte achtergrond
super.paintComponent(g);
// Bol bestaat uit in kleur verlopende concentrische cirkels (blauw -> rood)
int ixpos = (int)Math.round(xpos);
int iypos = (int)Math.round(ypos);
for ( int k=0; k<=BOLSIZE/2; k++ )
{ g.setColor(new Color(COLORSTEP*k, 0, 255-COLORSTEP*k));
g.fillOval(ixpos+k, iypos+k, BOLSIZE-2*k, BOLSIZE-2*k);
}
}
}
| ddoa/dea-code-examples | exercises/bolanimatie/src/main/java/bolanimatie/BolAnimatie.java | 1,240 | // else do nothing | line_comment | nl | package bolanimatie;
/**
*
*/
import java.awt.*;
import java.awt.event.*;
import java.util.*;
import javax.swing.*;
class BolAnimatie extends JPanel
{ // Constants
public static final int SIZE = 350; // omvang Canvas: 350x350
public static final int BOLSIZE = 20; // omvang vierkant: 20x20
public static final int COLORSTEP = 255/(BOLSIZE/2);
public static final int STARTSNELHEID = 10; // sleeptime is 1000/snelheid
public static final int STARTRICHTING = 45; // schuin
private double xpos = (SIZE-BOLSIZE)/2; // zet balletje in het midden
private double ypos = (SIZE-BOLSIZE)/2; // linksbovenhoek van bounding vierkant!
private double xspeed = 7;
private double yspeed = 7;
private int xdir = 1; // -1 of +1
private int ydir = 1;
private int sleeptime = 1000/STARTSNELHEID; // sleeptime van de thread
/**
* constructor
*/
public BolAnimatie()
{ // ----- uiterlijk
setBackground(Color.white);
setSize(SIZE, SIZE);
}
/**
* Balletje verplaatsen.
* NB: de x- en y-component in de stap zijn altijd positief. De variabelen xdir en
* ydir zijn -1 of 1 en bepalen de richting door vermenigvuldiging
* (bijvoorbeeld xdir*xspeed)
* Wanneer het balletje de rand van het speelveld dreigt te passeren, wordt de
* betreffende dir-variable omgeklapt, waardoor de richting van de bal omdraait.
*/
private void moveBol()
{ xpos = xpos + xdir*xspeed;
if ( xpos <= 0 ) // kan als xdir = -1, bal loopt links weg
{ xpos = 0;
xdir = 1; // change dir
}
if ( xpos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt rechts weg
{ xpos = SIZE-BOLSIZE;
xdir = -1; // change dir
}
ypos = ypos + ydir*yspeed;
if ( ypos <= 0 ) // kan als ydir = -1, bal loopt boven weg
{ ypos = 0;
ydir = 1; // change dir
}
if ( ypos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt onder weg
{ ypos = SIZE-BOLSIZE;
ydir = -1; // change dir
}
}
// ------- Gebruikersacties --------------------
/**
* Richting instellen: De hoek van de richting (in graden) wordt omgerekend
* in radialen. Daarna sin en cos gebruiken om de y- en x-component van een
* stap uit te rekenen
*
* @param ri De gekozen hoek uit de regelaar
*/
public void setRichting(int ri)
{ if ( ri >= 0 && ri <= 90 )
{ double rad = (Math.PI/2)*( ((double)ri)/90);
xspeed = Math.cos(rad)*10;
yspeed = Math.sin(rad)*10;
} // else do<SUF>
}
/**
* Snelheid instellen: hogere snelheid realiseren door de tijd bij sleep(int t)
* te verlagen. Dit wordt bereikt door 1000/snelheid als slaaptijd te nemen.
*
* @param s De gekozen snelheid uit de regelaar
*/
public void setSnelheid(int s)
{ if ( s>=1 && s<=50 )
{ sleeptime = 1000/s; // hogere snelheid: kortere slaaptijd!
} // else do nothing
}
/**
* Teken een stap: verplaats het balletje en teken opnieuw
*/
public void paintStep() // Regelpaneel: knop 'Stap'
{ moveBol();
repaint();
}
// ------- Painting and buffering --------------------
/**
* Teken het speelveld (wit vlak!) en het balletje
*/
public void paintComponent(Graphics g)
{ // verplicht, zorgt voor witte achtergrond
super.paintComponent(g);
// Bol bestaat uit in kleur verlopende concentrische cirkels (blauw -> rood)
int ixpos = (int)Math.round(xpos);
int iypos = (int)Math.round(ypos);
for ( int k=0; k<=BOLSIZE/2; k++ )
{ g.setColor(new Color(COLORSTEP*k, 0, 255-COLORSTEP*k));
g.fillOval(ixpos+k, iypos+k, BOLSIZE-2*k, BOLSIZE-2*k);
}
}
}
|
2221_15 | package bolanimatie;
/**
*
*/
import java.awt.*;
import java.awt.event.*;
import java.util.*;
import javax.swing.*;
class BolAnimatie extends JPanel
{ // Constants
public static final int SIZE = 350; // omvang Canvas: 350x350
public static final int BOLSIZE = 20; // omvang vierkant: 20x20
public static final int COLORSTEP = 255/(BOLSIZE/2);
public static final int STARTSNELHEID = 10; // sleeptime is 1000/snelheid
public static final int STARTRICHTING = 45; // schuin
private double xpos = (SIZE-BOLSIZE)/2; // zet balletje in het midden
private double ypos = (SIZE-BOLSIZE)/2; // linksbovenhoek van bounding vierkant!
private double xspeed = 7;
private double yspeed = 7;
private int xdir = 1; // -1 of +1
private int ydir = 1;
private int sleeptime = 1000/STARTSNELHEID; // sleeptime van de thread
/**
* constructor
*/
public BolAnimatie()
{ // ----- uiterlijk
setBackground(Color.white);
setSize(SIZE, SIZE);
}
/**
* Balletje verplaatsen.
* NB: de x- en y-component in de stap zijn altijd positief. De variabelen xdir en
* ydir zijn -1 of 1 en bepalen de richting door vermenigvuldiging
* (bijvoorbeeld xdir*xspeed)
* Wanneer het balletje de rand van het speelveld dreigt te passeren, wordt de
* betreffende dir-variable omgeklapt, waardoor de richting van de bal omdraait.
*/
private void moveBol()
{ xpos = xpos + xdir*xspeed;
if ( xpos <= 0 ) // kan als xdir = -1, bal loopt links weg
{ xpos = 0;
xdir = 1; // change dir
}
if ( xpos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt rechts weg
{ xpos = SIZE-BOLSIZE;
xdir = -1; // change dir
}
ypos = ypos + ydir*yspeed;
if ( ypos <= 0 ) // kan als ydir = -1, bal loopt boven weg
{ ypos = 0;
ydir = 1; // change dir
}
if ( ypos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt onder weg
{ ypos = SIZE-BOLSIZE;
ydir = -1; // change dir
}
}
// ------- Gebruikersacties --------------------
/**
* Richting instellen: De hoek van de richting (in graden) wordt omgerekend
* in radialen. Daarna sin en cos gebruiken om de y- en x-component van een
* stap uit te rekenen
*
* @param ri De gekozen hoek uit de regelaar
*/
public void setRichting(int ri)
{ if ( ri >= 0 && ri <= 90 )
{ double rad = (Math.PI/2)*( ((double)ri)/90);
xspeed = Math.cos(rad)*10;
yspeed = Math.sin(rad)*10;
} // else do nothing
}
/**
* Snelheid instellen: hogere snelheid realiseren door de tijd bij sleep(int t)
* te verlagen. Dit wordt bereikt door 1000/snelheid als slaaptijd te nemen.
*
* @param s De gekozen snelheid uit de regelaar
*/
public void setSnelheid(int s)
{ if ( s>=1 && s<=50 )
{ sleeptime = 1000/s; // hogere snelheid: kortere slaaptijd!
} // else do nothing
}
/**
* Teken een stap: verplaats het balletje en teken opnieuw
*/
public void paintStep() // Regelpaneel: knop 'Stap'
{ moveBol();
repaint();
}
// ------- Painting and buffering --------------------
/**
* Teken het speelveld (wit vlak!) en het balletje
*/
public void paintComponent(Graphics g)
{ // verplicht, zorgt voor witte achtergrond
super.paintComponent(g);
// Bol bestaat uit in kleur verlopende concentrische cirkels (blauw -> rood)
int ixpos = (int)Math.round(xpos);
int iypos = (int)Math.round(ypos);
for ( int k=0; k<=BOLSIZE/2; k++ )
{ g.setColor(new Color(COLORSTEP*k, 0, 255-COLORSTEP*k));
g.fillOval(ixpos+k, iypos+k, BOLSIZE-2*k, BOLSIZE-2*k);
}
}
}
| ddoa/dea-code-examples | exercises/bolanimatie/src/main/java/bolanimatie/BolAnimatie.java | 1,240 | /**
* Snelheid instellen: hogere snelheid realiseren door de tijd bij sleep(int t)
* te verlagen. Dit wordt bereikt door 1000/snelheid als slaaptijd te nemen.
*
* @param s De gekozen snelheid uit de regelaar
*/ | block_comment | nl | package bolanimatie;
/**
*
*/
import java.awt.*;
import java.awt.event.*;
import java.util.*;
import javax.swing.*;
class BolAnimatie extends JPanel
{ // Constants
public static final int SIZE = 350; // omvang Canvas: 350x350
public static final int BOLSIZE = 20; // omvang vierkant: 20x20
public static final int COLORSTEP = 255/(BOLSIZE/2);
public static final int STARTSNELHEID = 10; // sleeptime is 1000/snelheid
public static final int STARTRICHTING = 45; // schuin
private double xpos = (SIZE-BOLSIZE)/2; // zet balletje in het midden
private double ypos = (SIZE-BOLSIZE)/2; // linksbovenhoek van bounding vierkant!
private double xspeed = 7;
private double yspeed = 7;
private int xdir = 1; // -1 of +1
private int ydir = 1;
private int sleeptime = 1000/STARTSNELHEID; // sleeptime van de thread
/**
* constructor
*/
public BolAnimatie()
{ // ----- uiterlijk
setBackground(Color.white);
setSize(SIZE, SIZE);
}
/**
* Balletje verplaatsen.
* NB: de x- en y-component in de stap zijn altijd positief. De variabelen xdir en
* ydir zijn -1 of 1 en bepalen de richting door vermenigvuldiging
* (bijvoorbeeld xdir*xspeed)
* Wanneer het balletje de rand van het speelveld dreigt te passeren, wordt de
* betreffende dir-variable omgeklapt, waardoor de richting van de bal omdraait.
*/
private void moveBol()
{ xpos = xpos + xdir*xspeed;
if ( xpos <= 0 ) // kan als xdir = -1, bal loopt links weg
{ xpos = 0;
xdir = 1; // change dir
}
if ( xpos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt rechts weg
{ xpos = SIZE-BOLSIZE;
xdir = -1; // change dir
}
ypos = ypos + ydir*yspeed;
if ( ypos <= 0 ) // kan als ydir = -1, bal loopt boven weg
{ ypos = 0;
ydir = 1; // change dir
}
if ( ypos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt onder weg
{ ypos = SIZE-BOLSIZE;
ydir = -1; // change dir
}
}
// ------- Gebruikersacties --------------------
/**
* Richting instellen: De hoek van de richting (in graden) wordt omgerekend
* in radialen. Daarna sin en cos gebruiken om de y- en x-component van een
* stap uit te rekenen
*
* @param ri De gekozen hoek uit de regelaar
*/
public void setRichting(int ri)
{ if ( ri >= 0 && ri <= 90 )
{ double rad = (Math.PI/2)*( ((double)ri)/90);
xspeed = Math.cos(rad)*10;
yspeed = Math.sin(rad)*10;
} // else do nothing
}
/**
* Snelheid instellen: hogere<SUF>*/
public void setSnelheid(int s)
{ if ( s>=1 && s<=50 )
{ sleeptime = 1000/s; // hogere snelheid: kortere slaaptijd!
} // else do nothing
}
/**
* Teken een stap: verplaats het balletje en teken opnieuw
*/
public void paintStep() // Regelpaneel: knop 'Stap'
{ moveBol();
repaint();
}
// ------- Painting and buffering --------------------
/**
* Teken het speelveld (wit vlak!) en het balletje
*/
public void paintComponent(Graphics g)
{ // verplicht, zorgt voor witte achtergrond
super.paintComponent(g);
// Bol bestaat uit in kleur verlopende concentrische cirkels (blauw -> rood)
int ixpos = (int)Math.round(xpos);
int iypos = (int)Math.round(ypos);
for ( int k=0; k<=BOLSIZE/2; k++ )
{ g.setColor(new Color(COLORSTEP*k, 0, 255-COLORSTEP*k));
g.fillOval(ixpos+k, iypos+k, BOLSIZE-2*k, BOLSIZE-2*k);
}
}
}
|
2221_16 | package bolanimatie;
/**
*
*/
import java.awt.*;
import java.awt.event.*;
import java.util.*;
import javax.swing.*;
class BolAnimatie extends JPanel
{ // Constants
public static final int SIZE = 350; // omvang Canvas: 350x350
public static final int BOLSIZE = 20; // omvang vierkant: 20x20
public static final int COLORSTEP = 255/(BOLSIZE/2);
public static final int STARTSNELHEID = 10; // sleeptime is 1000/snelheid
public static final int STARTRICHTING = 45; // schuin
private double xpos = (SIZE-BOLSIZE)/2; // zet balletje in het midden
private double ypos = (SIZE-BOLSIZE)/2; // linksbovenhoek van bounding vierkant!
private double xspeed = 7;
private double yspeed = 7;
private int xdir = 1; // -1 of +1
private int ydir = 1;
private int sleeptime = 1000/STARTSNELHEID; // sleeptime van de thread
/**
* constructor
*/
public BolAnimatie()
{ // ----- uiterlijk
setBackground(Color.white);
setSize(SIZE, SIZE);
}
/**
* Balletje verplaatsen.
* NB: de x- en y-component in de stap zijn altijd positief. De variabelen xdir en
* ydir zijn -1 of 1 en bepalen de richting door vermenigvuldiging
* (bijvoorbeeld xdir*xspeed)
* Wanneer het balletje de rand van het speelveld dreigt te passeren, wordt de
* betreffende dir-variable omgeklapt, waardoor de richting van de bal omdraait.
*/
private void moveBol()
{ xpos = xpos + xdir*xspeed;
if ( xpos <= 0 ) // kan als xdir = -1, bal loopt links weg
{ xpos = 0;
xdir = 1; // change dir
}
if ( xpos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt rechts weg
{ xpos = SIZE-BOLSIZE;
xdir = -1; // change dir
}
ypos = ypos + ydir*yspeed;
if ( ypos <= 0 ) // kan als ydir = -1, bal loopt boven weg
{ ypos = 0;
ydir = 1; // change dir
}
if ( ypos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt onder weg
{ ypos = SIZE-BOLSIZE;
ydir = -1; // change dir
}
}
// ------- Gebruikersacties --------------------
/**
* Richting instellen: De hoek van de richting (in graden) wordt omgerekend
* in radialen. Daarna sin en cos gebruiken om de y- en x-component van een
* stap uit te rekenen
*
* @param ri De gekozen hoek uit de regelaar
*/
public void setRichting(int ri)
{ if ( ri >= 0 && ri <= 90 )
{ double rad = (Math.PI/2)*( ((double)ri)/90);
xspeed = Math.cos(rad)*10;
yspeed = Math.sin(rad)*10;
} // else do nothing
}
/**
* Snelheid instellen: hogere snelheid realiseren door de tijd bij sleep(int t)
* te verlagen. Dit wordt bereikt door 1000/snelheid als slaaptijd te nemen.
*
* @param s De gekozen snelheid uit de regelaar
*/
public void setSnelheid(int s)
{ if ( s>=1 && s<=50 )
{ sleeptime = 1000/s; // hogere snelheid: kortere slaaptijd!
} // else do nothing
}
/**
* Teken een stap: verplaats het balletje en teken opnieuw
*/
public void paintStep() // Regelpaneel: knop 'Stap'
{ moveBol();
repaint();
}
// ------- Painting and buffering --------------------
/**
* Teken het speelveld (wit vlak!) en het balletje
*/
public void paintComponent(Graphics g)
{ // verplicht, zorgt voor witte achtergrond
super.paintComponent(g);
// Bol bestaat uit in kleur verlopende concentrische cirkels (blauw -> rood)
int ixpos = (int)Math.round(xpos);
int iypos = (int)Math.round(ypos);
for ( int k=0; k<=BOLSIZE/2; k++ )
{ g.setColor(new Color(COLORSTEP*k, 0, 255-COLORSTEP*k));
g.fillOval(ixpos+k, iypos+k, BOLSIZE-2*k, BOLSIZE-2*k);
}
}
}
| ddoa/dea-code-examples | exercises/bolanimatie/src/main/java/bolanimatie/BolAnimatie.java | 1,240 | // hogere snelheid: kortere slaaptijd! | line_comment | nl | package bolanimatie;
/**
*
*/
import java.awt.*;
import java.awt.event.*;
import java.util.*;
import javax.swing.*;
class BolAnimatie extends JPanel
{ // Constants
public static final int SIZE = 350; // omvang Canvas: 350x350
public static final int BOLSIZE = 20; // omvang vierkant: 20x20
public static final int COLORSTEP = 255/(BOLSIZE/2);
public static final int STARTSNELHEID = 10; // sleeptime is 1000/snelheid
public static final int STARTRICHTING = 45; // schuin
private double xpos = (SIZE-BOLSIZE)/2; // zet balletje in het midden
private double ypos = (SIZE-BOLSIZE)/2; // linksbovenhoek van bounding vierkant!
private double xspeed = 7;
private double yspeed = 7;
private int xdir = 1; // -1 of +1
private int ydir = 1;
private int sleeptime = 1000/STARTSNELHEID; // sleeptime van de thread
/**
* constructor
*/
public BolAnimatie()
{ // ----- uiterlijk
setBackground(Color.white);
setSize(SIZE, SIZE);
}
/**
* Balletje verplaatsen.
* NB: de x- en y-component in de stap zijn altijd positief. De variabelen xdir en
* ydir zijn -1 of 1 en bepalen de richting door vermenigvuldiging
* (bijvoorbeeld xdir*xspeed)
* Wanneer het balletje de rand van het speelveld dreigt te passeren, wordt de
* betreffende dir-variable omgeklapt, waardoor de richting van de bal omdraait.
*/
private void moveBol()
{ xpos = xpos + xdir*xspeed;
if ( xpos <= 0 ) // kan als xdir = -1, bal loopt links weg
{ xpos = 0;
xdir = 1; // change dir
}
if ( xpos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt rechts weg
{ xpos = SIZE-BOLSIZE;
xdir = -1; // change dir
}
ypos = ypos + ydir*yspeed;
if ( ypos <= 0 ) // kan als ydir = -1, bal loopt boven weg
{ ypos = 0;
ydir = 1; // change dir
}
if ( ypos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt onder weg
{ ypos = SIZE-BOLSIZE;
ydir = -1; // change dir
}
}
// ------- Gebruikersacties --------------------
/**
* Richting instellen: De hoek van de richting (in graden) wordt omgerekend
* in radialen. Daarna sin en cos gebruiken om de y- en x-component van een
* stap uit te rekenen
*
* @param ri De gekozen hoek uit de regelaar
*/
public void setRichting(int ri)
{ if ( ri >= 0 && ri <= 90 )
{ double rad = (Math.PI/2)*( ((double)ri)/90);
xspeed = Math.cos(rad)*10;
yspeed = Math.sin(rad)*10;
} // else do nothing
}
/**
* Snelheid instellen: hogere snelheid realiseren door de tijd bij sleep(int t)
* te verlagen. Dit wordt bereikt door 1000/snelheid als slaaptijd te nemen.
*
* @param s De gekozen snelheid uit de regelaar
*/
public void setSnelheid(int s)
{ if ( s>=1 && s<=50 )
{ sleeptime = 1000/s; // hogere snelheid:<SUF>
} // else do nothing
}
/**
* Teken een stap: verplaats het balletje en teken opnieuw
*/
public void paintStep() // Regelpaneel: knop 'Stap'
{ moveBol();
repaint();
}
// ------- Painting and buffering --------------------
/**
* Teken het speelveld (wit vlak!) en het balletje
*/
public void paintComponent(Graphics g)
{ // verplicht, zorgt voor witte achtergrond
super.paintComponent(g);
// Bol bestaat uit in kleur verlopende concentrische cirkels (blauw -> rood)
int ixpos = (int)Math.round(xpos);
int iypos = (int)Math.round(ypos);
for ( int k=0; k<=BOLSIZE/2; k++ )
{ g.setColor(new Color(COLORSTEP*k, 0, 255-COLORSTEP*k));
g.fillOval(ixpos+k, iypos+k, BOLSIZE-2*k, BOLSIZE-2*k);
}
}
}
|
2221_18 | package bolanimatie;
/**
*
*/
import java.awt.*;
import java.awt.event.*;
import java.util.*;
import javax.swing.*;
class BolAnimatie extends JPanel
{ // Constants
public static final int SIZE = 350; // omvang Canvas: 350x350
public static final int BOLSIZE = 20; // omvang vierkant: 20x20
public static final int COLORSTEP = 255/(BOLSIZE/2);
public static final int STARTSNELHEID = 10; // sleeptime is 1000/snelheid
public static final int STARTRICHTING = 45; // schuin
private double xpos = (SIZE-BOLSIZE)/2; // zet balletje in het midden
private double ypos = (SIZE-BOLSIZE)/2; // linksbovenhoek van bounding vierkant!
private double xspeed = 7;
private double yspeed = 7;
private int xdir = 1; // -1 of +1
private int ydir = 1;
private int sleeptime = 1000/STARTSNELHEID; // sleeptime van de thread
/**
* constructor
*/
public BolAnimatie()
{ // ----- uiterlijk
setBackground(Color.white);
setSize(SIZE, SIZE);
}
/**
* Balletje verplaatsen.
* NB: de x- en y-component in de stap zijn altijd positief. De variabelen xdir en
* ydir zijn -1 of 1 en bepalen de richting door vermenigvuldiging
* (bijvoorbeeld xdir*xspeed)
* Wanneer het balletje de rand van het speelveld dreigt te passeren, wordt de
* betreffende dir-variable omgeklapt, waardoor de richting van de bal omdraait.
*/
private void moveBol()
{ xpos = xpos + xdir*xspeed;
if ( xpos <= 0 ) // kan als xdir = -1, bal loopt links weg
{ xpos = 0;
xdir = 1; // change dir
}
if ( xpos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt rechts weg
{ xpos = SIZE-BOLSIZE;
xdir = -1; // change dir
}
ypos = ypos + ydir*yspeed;
if ( ypos <= 0 ) // kan als ydir = -1, bal loopt boven weg
{ ypos = 0;
ydir = 1; // change dir
}
if ( ypos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt onder weg
{ ypos = SIZE-BOLSIZE;
ydir = -1; // change dir
}
}
// ------- Gebruikersacties --------------------
/**
* Richting instellen: De hoek van de richting (in graden) wordt omgerekend
* in radialen. Daarna sin en cos gebruiken om de y- en x-component van een
* stap uit te rekenen
*
* @param ri De gekozen hoek uit de regelaar
*/
public void setRichting(int ri)
{ if ( ri >= 0 && ri <= 90 )
{ double rad = (Math.PI/2)*( ((double)ri)/90);
xspeed = Math.cos(rad)*10;
yspeed = Math.sin(rad)*10;
} // else do nothing
}
/**
* Snelheid instellen: hogere snelheid realiseren door de tijd bij sleep(int t)
* te verlagen. Dit wordt bereikt door 1000/snelheid als slaaptijd te nemen.
*
* @param s De gekozen snelheid uit de regelaar
*/
public void setSnelheid(int s)
{ if ( s>=1 && s<=50 )
{ sleeptime = 1000/s; // hogere snelheid: kortere slaaptijd!
} // else do nothing
}
/**
* Teken een stap: verplaats het balletje en teken opnieuw
*/
public void paintStep() // Regelpaneel: knop 'Stap'
{ moveBol();
repaint();
}
// ------- Painting and buffering --------------------
/**
* Teken het speelveld (wit vlak!) en het balletje
*/
public void paintComponent(Graphics g)
{ // verplicht, zorgt voor witte achtergrond
super.paintComponent(g);
// Bol bestaat uit in kleur verlopende concentrische cirkels (blauw -> rood)
int ixpos = (int)Math.round(xpos);
int iypos = (int)Math.round(ypos);
for ( int k=0; k<=BOLSIZE/2; k++ )
{ g.setColor(new Color(COLORSTEP*k, 0, 255-COLORSTEP*k));
g.fillOval(ixpos+k, iypos+k, BOLSIZE-2*k, BOLSIZE-2*k);
}
}
}
| ddoa/dea-code-examples | exercises/bolanimatie/src/main/java/bolanimatie/BolAnimatie.java | 1,240 | /**
* Teken een stap: verplaats het balletje en teken opnieuw
*/ | block_comment | nl | package bolanimatie;
/**
*
*/
import java.awt.*;
import java.awt.event.*;
import java.util.*;
import javax.swing.*;
class BolAnimatie extends JPanel
{ // Constants
public static final int SIZE = 350; // omvang Canvas: 350x350
public static final int BOLSIZE = 20; // omvang vierkant: 20x20
public static final int COLORSTEP = 255/(BOLSIZE/2);
public static final int STARTSNELHEID = 10; // sleeptime is 1000/snelheid
public static final int STARTRICHTING = 45; // schuin
private double xpos = (SIZE-BOLSIZE)/2; // zet balletje in het midden
private double ypos = (SIZE-BOLSIZE)/2; // linksbovenhoek van bounding vierkant!
private double xspeed = 7;
private double yspeed = 7;
private int xdir = 1; // -1 of +1
private int ydir = 1;
private int sleeptime = 1000/STARTSNELHEID; // sleeptime van de thread
/**
* constructor
*/
public BolAnimatie()
{ // ----- uiterlijk
setBackground(Color.white);
setSize(SIZE, SIZE);
}
/**
* Balletje verplaatsen.
* NB: de x- en y-component in de stap zijn altijd positief. De variabelen xdir en
* ydir zijn -1 of 1 en bepalen de richting door vermenigvuldiging
* (bijvoorbeeld xdir*xspeed)
* Wanneer het balletje de rand van het speelveld dreigt te passeren, wordt de
* betreffende dir-variable omgeklapt, waardoor de richting van de bal omdraait.
*/
private void moveBol()
{ xpos = xpos + xdir*xspeed;
if ( xpos <= 0 ) // kan als xdir = -1, bal loopt links weg
{ xpos = 0;
xdir = 1; // change dir
}
if ( xpos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt rechts weg
{ xpos = SIZE-BOLSIZE;
xdir = -1; // change dir
}
ypos = ypos + ydir*yspeed;
if ( ypos <= 0 ) // kan als ydir = -1, bal loopt boven weg
{ ypos = 0;
ydir = 1; // change dir
}
if ( ypos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt onder weg
{ ypos = SIZE-BOLSIZE;
ydir = -1; // change dir
}
}
// ------- Gebruikersacties --------------------
/**
* Richting instellen: De hoek van de richting (in graden) wordt omgerekend
* in radialen. Daarna sin en cos gebruiken om de y- en x-component van een
* stap uit te rekenen
*
* @param ri De gekozen hoek uit de regelaar
*/
public void setRichting(int ri)
{ if ( ri >= 0 && ri <= 90 )
{ double rad = (Math.PI/2)*( ((double)ri)/90);
xspeed = Math.cos(rad)*10;
yspeed = Math.sin(rad)*10;
} // else do nothing
}
/**
* Snelheid instellen: hogere snelheid realiseren door de tijd bij sleep(int t)
* te verlagen. Dit wordt bereikt door 1000/snelheid als slaaptijd te nemen.
*
* @param s De gekozen snelheid uit de regelaar
*/
public void setSnelheid(int s)
{ if ( s>=1 && s<=50 )
{ sleeptime = 1000/s; // hogere snelheid: kortere slaaptijd!
} // else do nothing
}
/**
* Teken een stap:<SUF>*/
public void paintStep() // Regelpaneel: knop 'Stap'
{ moveBol();
repaint();
}
// ------- Painting and buffering --------------------
/**
* Teken het speelveld (wit vlak!) en het balletje
*/
public void paintComponent(Graphics g)
{ // verplicht, zorgt voor witte achtergrond
super.paintComponent(g);
// Bol bestaat uit in kleur verlopende concentrische cirkels (blauw -> rood)
int ixpos = (int)Math.round(xpos);
int iypos = (int)Math.round(ypos);
for ( int k=0; k<=BOLSIZE/2; k++ )
{ g.setColor(new Color(COLORSTEP*k, 0, 255-COLORSTEP*k));
g.fillOval(ixpos+k, iypos+k, BOLSIZE-2*k, BOLSIZE-2*k);
}
}
}
|
2221_19 | package bolanimatie;
/**
*
*/
import java.awt.*;
import java.awt.event.*;
import java.util.*;
import javax.swing.*;
class BolAnimatie extends JPanel
{ // Constants
public static final int SIZE = 350; // omvang Canvas: 350x350
public static final int BOLSIZE = 20; // omvang vierkant: 20x20
public static final int COLORSTEP = 255/(BOLSIZE/2);
public static final int STARTSNELHEID = 10; // sleeptime is 1000/snelheid
public static final int STARTRICHTING = 45; // schuin
private double xpos = (SIZE-BOLSIZE)/2; // zet balletje in het midden
private double ypos = (SIZE-BOLSIZE)/2; // linksbovenhoek van bounding vierkant!
private double xspeed = 7;
private double yspeed = 7;
private int xdir = 1; // -1 of +1
private int ydir = 1;
private int sleeptime = 1000/STARTSNELHEID; // sleeptime van de thread
/**
* constructor
*/
public BolAnimatie()
{ // ----- uiterlijk
setBackground(Color.white);
setSize(SIZE, SIZE);
}
/**
* Balletje verplaatsen.
* NB: de x- en y-component in de stap zijn altijd positief. De variabelen xdir en
* ydir zijn -1 of 1 en bepalen de richting door vermenigvuldiging
* (bijvoorbeeld xdir*xspeed)
* Wanneer het balletje de rand van het speelveld dreigt te passeren, wordt de
* betreffende dir-variable omgeklapt, waardoor de richting van de bal omdraait.
*/
private void moveBol()
{ xpos = xpos + xdir*xspeed;
if ( xpos <= 0 ) // kan als xdir = -1, bal loopt links weg
{ xpos = 0;
xdir = 1; // change dir
}
if ( xpos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt rechts weg
{ xpos = SIZE-BOLSIZE;
xdir = -1; // change dir
}
ypos = ypos + ydir*yspeed;
if ( ypos <= 0 ) // kan als ydir = -1, bal loopt boven weg
{ ypos = 0;
ydir = 1; // change dir
}
if ( ypos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt onder weg
{ ypos = SIZE-BOLSIZE;
ydir = -1; // change dir
}
}
// ------- Gebruikersacties --------------------
/**
* Richting instellen: De hoek van de richting (in graden) wordt omgerekend
* in radialen. Daarna sin en cos gebruiken om de y- en x-component van een
* stap uit te rekenen
*
* @param ri De gekozen hoek uit de regelaar
*/
public void setRichting(int ri)
{ if ( ri >= 0 && ri <= 90 )
{ double rad = (Math.PI/2)*( ((double)ri)/90);
xspeed = Math.cos(rad)*10;
yspeed = Math.sin(rad)*10;
} // else do nothing
}
/**
* Snelheid instellen: hogere snelheid realiseren door de tijd bij sleep(int t)
* te verlagen. Dit wordt bereikt door 1000/snelheid als slaaptijd te nemen.
*
* @param s De gekozen snelheid uit de regelaar
*/
public void setSnelheid(int s)
{ if ( s>=1 && s<=50 )
{ sleeptime = 1000/s; // hogere snelheid: kortere slaaptijd!
} // else do nothing
}
/**
* Teken een stap: verplaats het balletje en teken opnieuw
*/
public void paintStep() // Regelpaneel: knop 'Stap'
{ moveBol();
repaint();
}
// ------- Painting and buffering --------------------
/**
* Teken het speelveld (wit vlak!) en het balletje
*/
public void paintComponent(Graphics g)
{ // verplicht, zorgt voor witte achtergrond
super.paintComponent(g);
// Bol bestaat uit in kleur verlopende concentrische cirkels (blauw -> rood)
int ixpos = (int)Math.round(xpos);
int iypos = (int)Math.round(ypos);
for ( int k=0; k<=BOLSIZE/2; k++ )
{ g.setColor(new Color(COLORSTEP*k, 0, 255-COLORSTEP*k));
g.fillOval(ixpos+k, iypos+k, BOLSIZE-2*k, BOLSIZE-2*k);
}
}
}
| ddoa/dea-code-examples | exercises/bolanimatie/src/main/java/bolanimatie/BolAnimatie.java | 1,240 | // Regelpaneel: knop 'Stap' | line_comment | nl | package bolanimatie;
/**
*
*/
import java.awt.*;
import java.awt.event.*;
import java.util.*;
import javax.swing.*;
class BolAnimatie extends JPanel
{ // Constants
public static final int SIZE = 350; // omvang Canvas: 350x350
public static final int BOLSIZE = 20; // omvang vierkant: 20x20
public static final int COLORSTEP = 255/(BOLSIZE/2);
public static final int STARTSNELHEID = 10; // sleeptime is 1000/snelheid
public static final int STARTRICHTING = 45; // schuin
private double xpos = (SIZE-BOLSIZE)/2; // zet balletje in het midden
private double ypos = (SIZE-BOLSIZE)/2; // linksbovenhoek van bounding vierkant!
private double xspeed = 7;
private double yspeed = 7;
private int xdir = 1; // -1 of +1
private int ydir = 1;
private int sleeptime = 1000/STARTSNELHEID; // sleeptime van de thread
/**
* constructor
*/
public BolAnimatie()
{ // ----- uiterlijk
setBackground(Color.white);
setSize(SIZE, SIZE);
}
/**
* Balletje verplaatsen.
* NB: de x- en y-component in de stap zijn altijd positief. De variabelen xdir en
* ydir zijn -1 of 1 en bepalen de richting door vermenigvuldiging
* (bijvoorbeeld xdir*xspeed)
* Wanneer het balletje de rand van het speelveld dreigt te passeren, wordt de
* betreffende dir-variable omgeklapt, waardoor de richting van de bal omdraait.
*/
private void moveBol()
{ xpos = xpos + xdir*xspeed;
if ( xpos <= 0 ) // kan als xdir = -1, bal loopt links weg
{ xpos = 0;
xdir = 1; // change dir
}
if ( xpos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt rechts weg
{ xpos = SIZE-BOLSIZE;
xdir = -1; // change dir
}
ypos = ypos + ydir*yspeed;
if ( ypos <= 0 ) // kan als ydir = -1, bal loopt boven weg
{ ypos = 0;
ydir = 1; // change dir
}
if ( ypos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt onder weg
{ ypos = SIZE-BOLSIZE;
ydir = -1; // change dir
}
}
// ------- Gebruikersacties --------------------
/**
* Richting instellen: De hoek van de richting (in graden) wordt omgerekend
* in radialen. Daarna sin en cos gebruiken om de y- en x-component van een
* stap uit te rekenen
*
* @param ri De gekozen hoek uit de regelaar
*/
public void setRichting(int ri)
{ if ( ri >= 0 && ri <= 90 )
{ double rad = (Math.PI/2)*( ((double)ri)/90);
xspeed = Math.cos(rad)*10;
yspeed = Math.sin(rad)*10;
} // else do nothing
}
/**
* Snelheid instellen: hogere snelheid realiseren door de tijd bij sleep(int t)
* te verlagen. Dit wordt bereikt door 1000/snelheid als slaaptijd te nemen.
*
* @param s De gekozen snelheid uit de regelaar
*/
public void setSnelheid(int s)
{ if ( s>=1 && s<=50 )
{ sleeptime = 1000/s; // hogere snelheid: kortere slaaptijd!
} // else do nothing
}
/**
* Teken een stap: verplaats het balletje en teken opnieuw
*/
public void paintStep() // Regelpaneel: knop<SUF>
{ moveBol();
repaint();
}
// ------- Painting and buffering --------------------
/**
* Teken het speelveld (wit vlak!) en het balletje
*/
public void paintComponent(Graphics g)
{ // verplicht, zorgt voor witte achtergrond
super.paintComponent(g);
// Bol bestaat uit in kleur verlopende concentrische cirkels (blauw -> rood)
int ixpos = (int)Math.round(xpos);
int iypos = (int)Math.round(ypos);
for ( int k=0; k<=BOLSIZE/2; k++ )
{ g.setColor(new Color(COLORSTEP*k, 0, 255-COLORSTEP*k));
g.fillOval(ixpos+k, iypos+k, BOLSIZE-2*k, BOLSIZE-2*k);
}
}
}
|
2221_21 | package bolanimatie;
/**
*
*/
import java.awt.*;
import java.awt.event.*;
import java.util.*;
import javax.swing.*;
class BolAnimatie extends JPanel
{ // Constants
public static final int SIZE = 350; // omvang Canvas: 350x350
public static final int BOLSIZE = 20; // omvang vierkant: 20x20
public static final int COLORSTEP = 255/(BOLSIZE/2);
public static final int STARTSNELHEID = 10; // sleeptime is 1000/snelheid
public static final int STARTRICHTING = 45; // schuin
private double xpos = (SIZE-BOLSIZE)/2; // zet balletje in het midden
private double ypos = (SIZE-BOLSIZE)/2; // linksbovenhoek van bounding vierkant!
private double xspeed = 7;
private double yspeed = 7;
private int xdir = 1; // -1 of +1
private int ydir = 1;
private int sleeptime = 1000/STARTSNELHEID; // sleeptime van de thread
/**
* constructor
*/
public BolAnimatie()
{ // ----- uiterlijk
setBackground(Color.white);
setSize(SIZE, SIZE);
}
/**
* Balletje verplaatsen.
* NB: de x- en y-component in de stap zijn altijd positief. De variabelen xdir en
* ydir zijn -1 of 1 en bepalen de richting door vermenigvuldiging
* (bijvoorbeeld xdir*xspeed)
* Wanneer het balletje de rand van het speelveld dreigt te passeren, wordt de
* betreffende dir-variable omgeklapt, waardoor de richting van de bal omdraait.
*/
private void moveBol()
{ xpos = xpos + xdir*xspeed;
if ( xpos <= 0 ) // kan als xdir = -1, bal loopt links weg
{ xpos = 0;
xdir = 1; // change dir
}
if ( xpos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt rechts weg
{ xpos = SIZE-BOLSIZE;
xdir = -1; // change dir
}
ypos = ypos + ydir*yspeed;
if ( ypos <= 0 ) // kan als ydir = -1, bal loopt boven weg
{ ypos = 0;
ydir = 1; // change dir
}
if ( ypos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt onder weg
{ ypos = SIZE-BOLSIZE;
ydir = -1; // change dir
}
}
// ------- Gebruikersacties --------------------
/**
* Richting instellen: De hoek van de richting (in graden) wordt omgerekend
* in radialen. Daarna sin en cos gebruiken om de y- en x-component van een
* stap uit te rekenen
*
* @param ri De gekozen hoek uit de regelaar
*/
public void setRichting(int ri)
{ if ( ri >= 0 && ri <= 90 )
{ double rad = (Math.PI/2)*( ((double)ri)/90);
xspeed = Math.cos(rad)*10;
yspeed = Math.sin(rad)*10;
} // else do nothing
}
/**
* Snelheid instellen: hogere snelheid realiseren door de tijd bij sleep(int t)
* te verlagen. Dit wordt bereikt door 1000/snelheid als slaaptijd te nemen.
*
* @param s De gekozen snelheid uit de regelaar
*/
public void setSnelheid(int s)
{ if ( s>=1 && s<=50 )
{ sleeptime = 1000/s; // hogere snelheid: kortere slaaptijd!
} // else do nothing
}
/**
* Teken een stap: verplaats het balletje en teken opnieuw
*/
public void paintStep() // Regelpaneel: knop 'Stap'
{ moveBol();
repaint();
}
// ------- Painting and buffering --------------------
/**
* Teken het speelveld (wit vlak!) en het balletje
*/
public void paintComponent(Graphics g)
{ // verplicht, zorgt voor witte achtergrond
super.paintComponent(g);
// Bol bestaat uit in kleur verlopende concentrische cirkels (blauw -> rood)
int ixpos = (int)Math.round(xpos);
int iypos = (int)Math.round(ypos);
for ( int k=0; k<=BOLSIZE/2; k++ )
{ g.setColor(new Color(COLORSTEP*k, 0, 255-COLORSTEP*k));
g.fillOval(ixpos+k, iypos+k, BOLSIZE-2*k, BOLSIZE-2*k);
}
}
}
| ddoa/dea-code-examples | exercises/bolanimatie/src/main/java/bolanimatie/BolAnimatie.java | 1,240 | /**
* Teken het speelveld (wit vlak!) en het balletje
*/ | block_comment | nl | package bolanimatie;
/**
*
*/
import java.awt.*;
import java.awt.event.*;
import java.util.*;
import javax.swing.*;
class BolAnimatie extends JPanel
{ // Constants
public static final int SIZE = 350; // omvang Canvas: 350x350
public static final int BOLSIZE = 20; // omvang vierkant: 20x20
public static final int COLORSTEP = 255/(BOLSIZE/2);
public static final int STARTSNELHEID = 10; // sleeptime is 1000/snelheid
public static final int STARTRICHTING = 45; // schuin
private double xpos = (SIZE-BOLSIZE)/2; // zet balletje in het midden
private double ypos = (SIZE-BOLSIZE)/2; // linksbovenhoek van bounding vierkant!
private double xspeed = 7;
private double yspeed = 7;
private int xdir = 1; // -1 of +1
private int ydir = 1;
private int sleeptime = 1000/STARTSNELHEID; // sleeptime van de thread
/**
* constructor
*/
public BolAnimatie()
{ // ----- uiterlijk
setBackground(Color.white);
setSize(SIZE, SIZE);
}
/**
* Balletje verplaatsen.
* NB: de x- en y-component in de stap zijn altijd positief. De variabelen xdir en
* ydir zijn -1 of 1 en bepalen de richting door vermenigvuldiging
* (bijvoorbeeld xdir*xspeed)
* Wanneer het balletje de rand van het speelveld dreigt te passeren, wordt de
* betreffende dir-variable omgeklapt, waardoor de richting van de bal omdraait.
*/
private void moveBol()
{ xpos = xpos + xdir*xspeed;
if ( xpos <= 0 ) // kan als xdir = -1, bal loopt links weg
{ xpos = 0;
xdir = 1; // change dir
}
if ( xpos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt rechts weg
{ xpos = SIZE-BOLSIZE;
xdir = -1; // change dir
}
ypos = ypos + ydir*yspeed;
if ( ypos <= 0 ) // kan als ydir = -1, bal loopt boven weg
{ ypos = 0;
ydir = 1; // change dir
}
if ( ypos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt onder weg
{ ypos = SIZE-BOLSIZE;
ydir = -1; // change dir
}
}
// ------- Gebruikersacties --------------------
/**
* Richting instellen: De hoek van de richting (in graden) wordt omgerekend
* in radialen. Daarna sin en cos gebruiken om de y- en x-component van een
* stap uit te rekenen
*
* @param ri De gekozen hoek uit de regelaar
*/
public void setRichting(int ri)
{ if ( ri >= 0 && ri <= 90 )
{ double rad = (Math.PI/2)*( ((double)ri)/90);
xspeed = Math.cos(rad)*10;
yspeed = Math.sin(rad)*10;
} // else do nothing
}
/**
* Snelheid instellen: hogere snelheid realiseren door de tijd bij sleep(int t)
* te verlagen. Dit wordt bereikt door 1000/snelheid als slaaptijd te nemen.
*
* @param s De gekozen snelheid uit de regelaar
*/
public void setSnelheid(int s)
{ if ( s>=1 && s<=50 )
{ sleeptime = 1000/s; // hogere snelheid: kortere slaaptijd!
} // else do nothing
}
/**
* Teken een stap: verplaats het balletje en teken opnieuw
*/
public void paintStep() // Regelpaneel: knop 'Stap'
{ moveBol();
repaint();
}
// ------- Painting and buffering --------------------
/**
* Teken het speelveld<SUF>*/
public void paintComponent(Graphics g)
{ // verplicht, zorgt voor witte achtergrond
super.paintComponent(g);
// Bol bestaat uit in kleur verlopende concentrische cirkels (blauw -> rood)
int ixpos = (int)Math.round(xpos);
int iypos = (int)Math.round(ypos);
for ( int k=0; k<=BOLSIZE/2; k++ )
{ g.setColor(new Color(COLORSTEP*k, 0, 255-COLORSTEP*k));
g.fillOval(ixpos+k, iypos+k, BOLSIZE-2*k, BOLSIZE-2*k);
}
}
}
|
2221_22 | package bolanimatie;
/**
*
*/
import java.awt.*;
import java.awt.event.*;
import java.util.*;
import javax.swing.*;
class BolAnimatie extends JPanel
{ // Constants
public static final int SIZE = 350; // omvang Canvas: 350x350
public static final int BOLSIZE = 20; // omvang vierkant: 20x20
public static final int COLORSTEP = 255/(BOLSIZE/2);
public static final int STARTSNELHEID = 10; // sleeptime is 1000/snelheid
public static final int STARTRICHTING = 45; // schuin
private double xpos = (SIZE-BOLSIZE)/2; // zet balletje in het midden
private double ypos = (SIZE-BOLSIZE)/2; // linksbovenhoek van bounding vierkant!
private double xspeed = 7;
private double yspeed = 7;
private int xdir = 1; // -1 of +1
private int ydir = 1;
private int sleeptime = 1000/STARTSNELHEID; // sleeptime van de thread
/**
* constructor
*/
public BolAnimatie()
{ // ----- uiterlijk
setBackground(Color.white);
setSize(SIZE, SIZE);
}
/**
* Balletje verplaatsen.
* NB: de x- en y-component in de stap zijn altijd positief. De variabelen xdir en
* ydir zijn -1 of 1 en bepalen de richting door vermenigvuldiging
* (bijvoorbeeld xdir*xspeed)
* Wanneer het balletje de rand van het speelveld dreigt te passeren, wordt de
* betreffende dir-variable omgeklapt, waardoor de richting van de bal omdraait.
*/
private void moveBol()
{ xpos = xpos + xdir*xspeed;
if ( xpos <= 0 ) // kan als xdir = -1, bal loopt links weg
{ xpos = 0;
xdir = 1; // change dir
}
if ( xpos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt rechts weg
{ xpos = SIZE-BOLSIZE;
xdir = -1; // change dir
}
ypos = ypos + ydir*yspeed;
if ( ypos <= 0 ) // kan als ydir = -1, bal loopt boven weg
{ ypos = 0;
ydir = 1; // change dir
}
if ( ypos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt onder weg
{ ypos = SIZE-BOLSIZE;
ydir = -1; // change dir
}
}
// ------- Gebruikersacties --------------------
/**
* Richting instellen: De hoek van de richting (in graden) wordt omgerekend
* in radialen. Daarna sin en cos gebruiken om de y- en x-component van een
* stap uit te rekenen
*
* @param ri De gekozen hoek uit de regelaar
*/
public void setRichting(int ri)
{ if ( ri >= 0 && ri <= 90 )
{ double rad = (Math.PI/2)*( ((double)ri)/90);
xspeed = Math.cos(rad)*10;
yspeed = Math.sin(rad)*10;
} // else do nothing
}
/**
* Snelheid instellen: hogere snelheid realiseren door de tijd bij sleep(int t)
* te verlagen. Dit wordt bereikt door 1000/snelheid als slaaptijd te nemen.
*
* @param s De gekozen snelheid uit de regelaar
*/
public void setSnelheid(int s)
{ if ( s>=1 && s<=50 )
{ sleeptime = 1000/s; // hogere snelheid: kortere slaaptijd!
} // else do nothing
}
/**
* Teken een stap: verplaats het balletje en teken opnieuw
*/
public void paintStep() // Regelpaneel: knop 'Stap'
{ moveBol();
repaint();
}
// ------- Painting and buffering --------------------
/**
* Teken het speelveld (wit vlak!) en het balletje
*/
public void paintComponent(Graphics g)
{ // verplicht, zorgt voor witte achtergrond
super.paintComponent(g);
// Bol bestaat uit in kleur verlopende concentrische cirkels (blauw -> rood)
int ixpos = (int)Math.round(xpos);
int iypos = (int)Math.round(ypos);
for ( int k=0; k<=BOLSIZE/2; k++ )
{ g.setColor(new Color(COLORSTEP*k, 0, 255-COLORSTEP*k));
g.fillOval(ixpos+k, iypos+k, BOLSIZE-2*k, BOLSIZE-2*k);
}
}
}
| ddoa/dea-code-examples | exercises/bolanimatie/src/main/java/bolanimatie/BolAnimatie.java | 1,240 | // verplicht, zorgt voor witte achtergrond | line_comment | nl | package bolanimatie;
/**
*
*/
import java.awt.*;
import java.awt.event.*;
import java.util.*;
import javax.swing.*;
class BolAnimatie extends JPanel
{ // Constants
public static final int SIZE = 350; // omvang Canvas: 350x350
public static final int BOLSIZE = 20; // omvang vierkant: 20x20
public static final int COLORSTEP = 255/(BOLSIZE/2);
public static final int STARTSNELHEID = 10; // sleeptime is 1000/snelheid
public static final int STARTRICHTING = 45; // schuin
private double xpos = (SIZE-BOLSIZE)/2; // zet balletje in het midden
private double ypos = (SIZE-BOLSIZE)/2; // linksbovenhoek van bounding vierkant!
private double xspeed = 7;
private double yspeed = 7;
private int xdir = 1; // -1 of +1
private int ydir = 1;
private int sleeptime = 1000/STARTSNELHEID; // sleeptime van de thread
/**
* constructor
*/
public BolAnimatie()
{ // ----- uiterlijk
setBackground(Color.white);
setSize(SIZE, SIZE);
}
/**
* Balletje verplaatsen.
* NB: de x- en y-component in de stap zijn altijd positief. De variabelen xdir en
* ydir zijn -1 of 1 en bepalen de richting door vermenigvuldiging
* (bijvoorbeeld xdir*xspeed)
* Wanneer het balletje de rand van het speelveld dreigt te passeren, wordt de
* betreffende dir-variable omgeklapt, waardoor de richting van de bal omdraait.
*/
private void moveBol()
{ xpos = xpos + xdir*xspeed;
if ( xpos <= 0 ) // kan als xdir = -1, bal loopt links weg
{ xpos = 0;
xdir = 1; // change dir
}
if ( xpos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt rechts weg
{ xpos = SIZE-BOLSIZE;
xdir = -1; // change dir
}
ypos = ypos + ydir*yspeed;
if ( ypos <= 0 ) // kan als ydir = -1, bal loopt boven weg
{ ypos = 0;
ydir = 1; // change dir
}
if ( ypos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt onder weg
{ ypos = SIZE-BOLSIZE;
ydir = -1; // change dir
}
}
// ------- Gebruikersacties --------------------
/**
* Richting instellen: De hoek van de richting (in graden) wordt omgerekend
* in radialen. Daarna sin en cos gebruiken om de y- en x-component van een
* stap uit te rekenen
*
* @param ri De gekozen hoek uit de regelaar
*/
public void setRichting(int ri)
{ if ( ri >= 0 && ri <= 90 )
{ double rad = (Math.PI/2)*( ((double)ri)/90);
xspeed = Math.cos(rad)*10;
yspeed = Math.sin(rad)*10;
} // else do nothing
}
/**
* Snelheid instellen: hogere snelheid realiseren door de tijd bij sleep(int t)
* te verlagen. Dit wordt bereikt door 1000/snelheid als slaaptijd te nemen.
*
* @param s De gekozen snelheid uit de regelaar
*/
public void setSnelheid(int s)
{ if ( s>=1 && s<=50 )
{ sleeptime = 1000/s; // hogere snelheid: kortere slaaptijd!
} // else do nothing
}
/**
* Teken een stap: verplaats het balletje en teken opnieuw
*/
public void paintStep() // Regelpaneel: knop 'Stap'
{ moveBol();
repaint();
}
// ------- Painting and buffering --------------------
/**
* Teken het speelveld (wit vlak!) en het balletje
*/
public void paintComponent(Graphics g)
{ // verplicht, zorgt<SUF>
super.paintComponent(g);
// Bol bestaat uit in kleur verlopende concentrische cirkels (blauw -> rood)
int ixpos = (int)Math.round(xpos);
int iypos = (int)Math.round(ypos);
for ( int k=0; k<=BOLSIZE/2; k++ )
{ g.setColor(new Color(COLORSTEP*k, 0, 255-COLORSTEP*k));
g.fillOval(ixpos+k, iypos+k, BOLSIZE-2*k, BOLSIZE-2*k);
}
}
}
|
2221_23 | package bolanimatie;
/**
*
*/
import java.awt.*;
import java.awt.event.*;
import java.util.*;
import javax.swing.*;
class BolAnimatie extends JPanel
{ // Constants
public static final int SIZE = 350; // omvang Canvas: 350x350
public static final int BOLSIZE = 20; // omvang vierkant: 20x20
public static final int COLORSTEP = 255/(BOLSIZE/2);
public static final int STARTSNELHEID = 10; // sleeptime is 1000/snelheid
public static final int STARTRICHTING = 45; // schuin
private double xpos = (SIZE-BOLSIZE)/2; // zet balletje in het midden
private double ypos = (SIZE-BOLSIZE)/2; // linksbovenhoek van bounding vierkant!
private double xspeed = 7;
private double yspeed = 7;
private int xdir = 1; // -1 of +1
private int ydir = 1;
private int sleeptime = 1000/STARTSNELHEID; // sleeptime van de thread
/**
* constructor
*/
public BolAnimatie()
{ // ----- uiterlijk
setBackground(Color.white);
setSize(SIZE, SIZE);
}
/**
* Balletje verplaatsen.
* NB: de x- en y-component in de stap zijn altijd positief. De variabelen xdir en
* ydir zijn -1 of 1 en bepalen de richting door vermenigvuldiging
* (bijvoorbeeld xdir*xspeed)
* Wanneer het balletje de rand van het speelveld dreigt te passeren, wordt de
* betreffende dir-variable omgeklapt, waardoor de richting van de bal omdraait.
*/
private void moveBol()
{ xpos = xpos + xdir*xspeed;
if ( xpos <= 0 ) // kan als xdir = -1, bal loopt links weg
{ xpos = 0;
xdir = 1; // change dir
}
if ( xpos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt rechts weg
{ xpos = SIZE-BOLSIZE;
xdir = -1; // change dir
}
ypos = ypos + ydir*yspeed;
if ( ypos <= 0 ) // kan als ydir = -1, bal loopt boven weg
{ ypos = 0;
ydir = 1; // change dir
}
if ( ypos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt onder weg
{ ypos = SIZE-BOLSIZE;
ydir = -1; // change dir
}
}
// ------- Gebruikersacties --------------------
/**
* Richting instellen: De hoek van de richting (in graden) wordt omgerekend
* in radialen. Daarna sin en cos gebruiken om de y- en x-component van een
* stap uit te rekenen
*
* @param ri De gekozen hoek uit de regelaar
*/
public void setRichting(int ri)
{ if ( ri >= 0 && ri <= 90 )
{ double rad = (Math.PI/2)*( ((double)ri)/90);
xspeed = Math.cos(rad)*10;
yspeed = Math.sin(rad)*10;
} // else do nothing
}
/**
* Snelheid instellen: hogere snelheid realiseren door de tijd bij sleep(int t)
* te verlagen. Dit wordt bereikt door 1000/snelheid als slaaptijd te nemen.
*
* @param s De gekozen snelheid uit de regelaar
*/
public void setSnelheid(int s)
{ if ( s>=1 && s<=50 )
{ sleeptime = 1000/s; // hogere snelheid: kortere slaaptijd!
} // else do nothing
}
/**
* Teken een stap: verplaats het balletje en teken opnieuw
*/
public void paintStep() // Regelpaneel: knop 'Stap'
{ moveBol();
repaint();
}
// ------- Painting and buffering --------------------
/**
* Teken het speelveld (wit vlak!) en het balletje
*/
public void paintComponent(Graphics g)
{ // verplicht, zorgt voor witte achtergrond
super.paintComponent(g);
// Bol bestaat uit in kleur verlopende concentrische cirkels (blauw -> rood)
int ixpos = (int)Math.round(xpos);
int iypos = (int)Math.round(ypos);
for ( int k=0; k<=BOLSIZE/2; k++ )
{ g.setColor(new Color(COLORSTEP*k, 0, 255-COLORSTEP*k));
g.fillOval(ixpos+k, iypos+k, BOLSIZE-2*k, BOLSIZE-2*k);
}
}
}
| ddoa/dea-code-examples | exercises/bolanimatie/src/main/java/bolanimatie/BolAnimatie.java | 1,240 | // Bol bestaat uit in kleur verlopende concentrische cirkels (blauw -> rood) | line_comment | nl | package bolanimatie;
/**
*
*/
import java.awt.*;
import java.awt.event.*;
import java.util.*;
import javax.swing.*;
class BolAnimatie extends JPanel
{ // Constants
public static final int SIZE = 350; // omvang Canvas: 350x350
public static final int BOLSIZE = 20; // omvang vierkant: 20x20
public static final int COLORSTEP = 255/(BOLSIZE/2);
public static final int STARTSNELHEID = 10; // sleeptime is 1000/snelheid
public static final int STARTRICHTING = 45; // schuin
private double xpos = (SIZE-BOLSIZE)/2; // zet balletje in het midden
private double ypos = (SIZE-BOLSIZE)/2; // linksbovenhoek van bounding vierkant!
private double xspeed = 7;
private double yspeed = 7;
private int xdir = 1; // -1 of +1
private int ydir = 1;
private int sleeptime = 1000/STARTSNELHEID; // sleeptime van de thread
/**
* constructor
*/
public BolAnimatie()
{ // ----- uiterlijk
setBackground(Color.white);
setSize(SIZE, SIZE);
}
/**
* Balletje verplaatsen.
* NB: de x- en y-component in de stap zijn altijd positief. De variabelen xdir en
* ydir zijn -1 of 1 en bepalen de richting door vermenigvuldiging
* (bijvoorbeeld xdir*xspeed)
* Wanneer het balletje de rand van het speelveld dreigt te passeren, wordt de
* betreffende dir-variable omgeklapt, waardoor de richting van de bal omdraait.
*/
private void moveBol()
{ xpos = xpos + xdir*xspeed;
if ( xpos <= 0 ) // kan als xdir = -1, bal loopt links weg
{ xpos = 0;
xdir = 1; // change dir
}
if ( xpos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt rechts weg
{ xpos = SIZE-BOLSIZE;
xdir = -1; // change dir
}
ypos = ypos + ydir*yspeed;
if ( ypos <= 0 ) // kan als ydir = -1, bal loopt boven weg
{ ypos = 0;
ydir = 1; // change dir
}
if ( ypos >= SIZE-BOLSIZE ) // kan als xdir = 1, bal loopt onder weg
{ ypos = SIZE-BOLSIZE;
ydir = -1; // change dir
}
}
// ------- Gebruikersacties --------------------
/**
* Richting instellen: De hoek van de richting (in graden) wordt omgerekend
* in radialen. Daarna sin en cos gebruiken om de y- en x-component van een
* stap uit te rekenen
*
* @param ri De gekozen hoek uit de regelaar
*/
public void setRichting(int ri)
{ if ( ri >= 0 && ri <= 90 )
{ double rad = (Math.PI/2)*( ((double)ri)/90);
xspeed = Math.cos(rad)*10;
yspeed = Math.sin(rad)*10;
} // else do nothing
}
/**
* Snelheid instellen: hogere snelheid realiseren door de tijd bij sleep(int t)
* te verlagen. Dit wordt bereikt door 1000/snelheid als slaaptijd te nemen.
*
* @param s De gekozen snelheid uit de regelaar
*/
public void setSnelheid(int s)
{ if ( s>=1 && s<=50 )
{ sleeptime = 1000/s; // hogere snelheid: kortere slaaptijd!
} // else do nothing
}
/**
* Teken een stap: verplaats het balletje en teken opnieuw
*/
public void paintStep() // Regelpaneel: knop 'Stap'
{ moveBol();
repaint();
}
// ------- Painting and buffering --------------------
/**
* Teken het speelveld (wit vlak!) en het balletje
*/
public void paintComponent(Graphics g)
{ // verplicht, zorgt voor witte achtergrond
super.paintComponent(g);
// Bol bestaat<SUF>
int ixpos = (int)Math.round(xpos);
int iypos = (int)Math.round(ypos);
for ( int k=0; k<=BOLSIZE/2; k++ )
{ g.setColor(new Color(COLORSTEP*k, 0, 255-COLORSTEP*k));
g.fillOval(ixpos+k, iypos+k, BOLSIZE-2*k, BOLSIZE-2*k);
}
}
}
|
2224_5 | /*
* Argus Open Source
* Software to apply Statistical Disclosure Control techniques
*
* Copyright 2014 Statistics Netherlands
*
* This program is free software; you can redistribute it and/or
* modify it under the terms of the European Union Public Licence
* (EUPL) version 1.1, as published by the European Commission.
*
* You can find the text of the EUPL v1.1 on
* https://joinup.ec.europa.eu/software/page/eupl/licence-eupl
*
* This software is distributed on an "AS IS" basis without
* warranties or conditions of any kind, either express or implied.
*/
package tauargus.model;
import argus.utils.SystemUtils;
import java.io.BufferedReader;
import java.io.BufferedWriter;
import java.io.File;
import java.io.FileReader;
import java.io.FileWriter;
import java.text.DecimalFormat;
import java.util.ArrayList;
import java.util.Date;
import java.util.Locale;
import java.util.logging.Level;
import java.util.logging.Logger;
import tauargus.extern.dataengine.TauArgus;
import tauargus.service.TableService;
import tauargus.utils.ExecUtils;
import tauargus.utils.TauArgusUtils;
/**
*
* @author ahnl
* This package contains all routines needed to run the hypercube/GHMiter method
* Routines are available for creating the input files for GHMiter
* checking and adapting the input files
* Retrieving the solution and storing the suppression
* *
*/
public class GHMiter {
// private TauArgus TAUARGUS;
private static final Logger LOGGER = Logger.getLogger(GHMiter.class.getName());
private static String Token;
//private TableSet tableSet; Not used?????
private static final TauArgus TAUARGUS = Application.getTauArgusDll();
private static DecimalFormat ghMiterDecimalFormat;
public static boolean ShowProto002;
public static void RunGHMiter(TableSet tableSet) throws ArgusException{
Date startDate = new Date();
ShowProto002 = false;
SystemUtils.writeLogbook("Start of the hypercube protection for table " + TableService.getTableDescription(tableSet));
ghMiterDecimalFormat = SystemUtils.getInternalDecimalFormat(tableSet.respVar.nDecimals);
//WriteEingabe ;
Integer ReturnVal = TAUARGUS.WriteGHMITERDataCell(Application.getTempFile("EINGABE.TMP"), tableSet.index, false);
if (!(ReturnVal == 1)) { // Something wrong writing EINGABE
throw new ArgusException( "Unable to write the file EINGABE for the Hypercube");
}
SchrijfSTEUER(tableSet.index, "");
CleanGHMiterFiles();
//SchijfTABELLE Nog toevoegen parameters voor linked tables;
SchrijfTABELLE(Application.getTempFile("TABELLE"), tableSet.index, false, 0);
//OpschonenEingabe Apriory percentage??
OpschonenEINGABE(tableSet.ghMiterAprioryPercentage, tableSet, Application.getTempFile("EINGABE"));
//Run GHMiter
RunGHMiterEXE();
//ReadSecondariesBack
ReadSecondariesGHMiter(tableSet, "AUSGABE");
Date endDate = new Date();
long diff = endDate.getTime()-startDate.getTime();
diff = diff / 1000;
if ( diff == 0){ diff = 1;}
tableSet.processingTime = (int) diff;
tableSet.suppressed = TableSet.SUP_GHMITER;
SystemUtils.writeLogbook("End of hypercube protection. Time used "+ diff+ " seconds\n" +
"Number of suppressions: " +tableSet.nSecond);
}
static boolean ReadSecondariesGHMiter(TableSet tableSet, String ausgabe) throws ArgusException {
int[] NSec; String hs;
boolean oke;
NSec = new int[1];
File f = new File(Application.getTempFile(ausgabe));
oke = f.exists();
if (!oke) {
hs = "The file "+ausgabe+" could not be found";
if (TauArgusUtils.ExistFile(Application.getTempFile("PROTO002"))){
hs = "See file PROTO002"; ShowProto002 = true;
}
hs = "The hypercube could not be applied\n" + hs;
throw new ArgusException(hs);
}
testProto003(tableSet);
int OkeCode = TAUARGUS.SetSecondaryGHMITER(Application.getTempFile(ausgabe), tableSet.index, NSec, false);
//OkeCode = 4007;
if (OkeCode == 4007){
if (Application.isAnco()) tableSet.ghMiterMessage = "Some frozen/protected cells needed to be suppressed\n";
writeFrozen(tableSet.expVar.size());
OkeCode = 1;
}
if (OkeCode != 1) { //GHMiter failed
TableService.undoSuppress(tableSet.index);
} else {
tableSet.nSecond = NSec[0];
tableSet.suppressed = TableSet.SUP_GHMITER;
}
return (OkeCode == 1);
}
static void writeFrozen(int nDim ){
String regel, EINGABEst = "", AUSGABEst;
int i;
double x;
try{
BufferedReader eingabe = new BufferedReader(new FileReader(Application.getTempFile("EINGABE")));
BufferedReader ausgabe = new BufferedReader(new FileReader(Application.getTempFile("AUSGABE")));
BufferedWriter frozen = new BufferedWriter(new FileWriter(Application.getTempFile("frozen.txt")));
frozen.write("Overview of frozen cells");frozen.newLine();
frozen.write("Cell value and codes");frozen.newLine();
while((EINGABEst = eingabe.readLine()) != null) {
AUSGABEst = ausgabe.readLine();
EINGABEst = EINGABEst.trim();
AUSGABEst = AUSGABEst.trim();
AUSGABEst = GetToken(AUSGABEst);
if (Token.equals("1129")){ // a frozen cell found
for(i=0;i<=2;i++){EINGABEst = GetToken(EINGABEst);}
regel = Token; //The cell value
for(i=0;i<=3;i++){EINGABEst = GetToken(EINGABEst);} // Tehremainder are the spanning codes
x = Double.parseDouble(Token);
if (x == 0){
for (i=0;i<nDim;i++){ EINGABEst = GetToken(EINGABEst);}
regel = regel + " : " + EINGABEst;
frozen.write(regel); frozen.newLine();
}
}
}
frozen.close();
eingabe.close();
ausgabe.close();
}
catch(Exception ex){}
}
static void testProto003(TableSet tableSet)throws ArgusException {
int i, nt;
String[] regel = new String[1];
String hs;
for (i=0;i<TableSet.MAX_GH_MITER_RATIO;i++) {tableSet.ghMiterRatio[i] = 0;}
if (!TauArgusUtils.ExistFile(Application.getTempFile("proto003"))){ return;}
try{
BufferedReader in = new BufferedReader(new FileReader(Application.getTempFile("proto003")));
regel[0] = in.readLine().trim();
nt = 0;
for (i=0;i<TableSet.MAX_GH_MITER_RATIO;i++){
hs = TauArgusUtils.GetSimpleToken(regel);
if (!hs.equals("")) tableSet.ghMiterRatio[i] = Integer.parseInt((hs));
nt = nt + tableSet.ghMiterRatio[i];
}
if (nt !=0 ) {tableSet.ghMiterMessage = tableSet.ghMiterMessage + "Some (" +
nt + ") cells could not be fully protected\nSave table and see report file for more info.";}
}
catch(Exception ex){}
}
public static void RunGHMiterEXE() throws ArgusException{
ArrayList<String> commandline = new ArrayList<>();
String GHMiter = "";
try {
GHMiter = SystemUtils.getApplicationDirectory(GHMiter.class).getCanonicalPath();
} catch (Exception ex) {}
//GHMiter = "\"" + GHMiter + "/Ghmiter4.exe\""; //Results in double quotes (""GHMiter4.exe""), some systems cannot deal with that correctly
GHMiter += "\\Ghmiter4.exe";
commandline.add(GHMiter);
TauArgusUtils.writeBatchFileForExec( "RunGH", commandline);
int result = ExecUtils.execCommand(commandline, Application.getTempDir(),false, "Run Hypercube");
if (result != 0){
throw new ArgusException("A problem was encountered running the hypercube");}
}
static void OpschonenEINGABE(double aprioryPerc, TableSet tableSet, String fileName)throws ArgusException {
int D, p, Flen, RespLen; String Hs, Regel;
String Stat, Freq, ValueSt, minResp, maxResp; double Value, X;
Variable variable = tableSet.respVar;
D = variable.nDecimals;
try{
BufferedReader in = new BufferedReader(new FileReader(fileName+".TMP"));
Hs = in.readLine();
Hs = Hs.trim();
p = Hs.indexOf(" ");
Hs = Hs.substring(p);
Flen = Hs.length();
Hs = Hs.trim();
p = Hs.indexOf(" ");
Hs = Hs.substring(p);
Flen = Flen-Hs.length();
RespLen = Hs.length();
Hs = Hs.trim();
p = Hs.indexOf(" ");
Hs = Hs.substring(p);
RespLen = RespLen-Hs.length();
in.close();
in = new BufferedReader(new FileReader(fileName+".TMP"));
BufferedWriter out = new BufferedWriter(new FileWriter(fileName));
while((Hs = in.readLine()) != null) {
Hs = Hs.trim();
Hs = GetToken(Hs); Stat = Token;
Hs = GetToken(Hs); Freq = Token;
Hs = GetToken(Hs); ValueSt = Token;
Value = Double.parseDouble(ValueSt);
if( (Freq.equals("2") ) & (Value == 0) & (Stat.equals("1"))) {Freq = "0";}
if ( Freq.equals("1") & Stat.equals("1") ) { Freq = "2";}
if ( Freq.equals("1") & Stat.equals("129") & !tableSet.ghMiterApplySingleton) {Freq = "2";}
Regel = AddLeadingSpaces(Stat,5) +
AddLeadingSpaces(Freq,Flen) +
AddLeadingSpaces(ValueSt,RespLen);
if ( aprioryPerc == 100 && tableSet.minTabVal == 0) {
//basically do nothing
Regel = Regel + " " + Hs;
}
else { // first 2 lousy one's
Hs = GetToken(Hs); Regel = Regel + " "+ Token;
Hs = GetToken(Hs); Regel = Regel + " "+ Token;
Hs = GetToken(Hs); maxResp = Token;
Hs = GetToken(Hs); minResp = Token;
if ( Double.parseDouble(minResp) == 0 && Double.parseDouble(maxResp) == 0) {X = 0;}
else { X = Math.abs(aprioryPerc / 100.0) * Value;}
Regel = Regel + " "+ String.format(Locale.US, "%."+D+"f", X); //ghMiterDecimalFormat.format(X);
if (Double.parseDouble(minResp) > 0){
if ((Value - X) < tableSet.minTabVal) { X = Value - tableSet.minTabVal;}
}
Regel = Regel + " "+ String.format(Locale.US, "%."+D+"f", X); //ghMiterDecimalFormat.format(X);
Regel = Regel + " "+ Hs;
}
out.write (Regel); out.newLine();
}
out.close();
} catch (Exception ex) {
LOGGER.log(Level.SEVERE, null, ex);
throw new ArgusException("A problem was encountered when preparing the file EINGABE");
}
}
static boolean SchrijfTABELLE (String FileTABELLE, int tIndex,
boolean Linked, Integer CoverDim) throws ArgusException {
Integer t1, t2, P1, P4, P5, NExpVar, D;
int j, NA;
String Hs;
double CellResp, MinTVal;
TableSet tableSet;
if (!Linked) { t1 = tIndex; t2=tIndex;}
else { t1 = 0; t2= TableService.numberOfTables()-1; }
P4 = 0; P5 = 0;
// ANCO nog een loopje over de tabellen voor linked
for (int t=t1;t<=t2;t++){
tableSet = TableService.getTable(t);
NExpVar = tableSet.expVar.size();
for ( int i=1; i<=NExpVar; i++){
Variable variable = tableSet.expVar.get(i-1);
j=variable.index;
NA = TauArgusUtils.getNumberOfActiveCodes(j);
if (P4 < NA) {P4=NA;}
//if (P5 < NExpVar) {P5 = NExpVar;} // ? Why for each i: NExpVar is fixed per table?
}
if (P5 < NExpVar) {P5 = NExpVar;}
}
if (Linked) { P5=CoverDim; tableSet = TableService.getTable(0); }
else { tableSet = TableService.getTable(tIndex);}
Hs = "";
switch (tableSet.ghMiterSize){
case 0: Hs = "50960000 200 6000"; // Normal
break;
case 1: P1 = 62500000 + 250 + 225000; // Large
//P1 = (P1 + 63 + P4 + 100000) * 4; // Why "P1 + 63 + P4" as compared to case 2: "P1 + 63 * P4" ?
P1 = (P1 + 63 * P4 + 100000) * 4;
Hs = Integer.toString(P1) + " 250 25000";
break;
case 2: P1 = 9 * tableSet.ghMiterSubtable; // Manual
P1 = (62500000 + tableSet.ghMiterSubcode + P1 + 63 * P4 + 100000) * 4; // Why "P1 + 63 * P4" as compared to case 1: "P1 + 63 + P4" ?
Hs = Integer.toString(P1) + " " + Integer.toString(tableSet.ghMiterSubcode)+" "+ Integer.toString(tableSet.ghMiterSubtable);
break;
}
Hs = Hs + " " + Integer.toString(P4) + " " + Integer.toString(P5);
try {
BufferedWriter out = new BufferedWriter(new FileWriter(FileTABELLE));
out.write (Hs ); out.newLine();
Hs = "0 0 1";
out.write (Hs ); out.newLine();
CellResp = 0;
MinTVal = 0;
D = 0;
for (int t=t1;t<=t2;t++){
tableSet = TableService.getTable(t);
CellResp = Math.max(CellResp, tableSet.maxTabVal);
MinTVal = Math.min(MinTVal, tableSet.minTabVal);
D = Math.max(D, tableSet.respVar.nDecimals);
}
Hs = String.format(Locale.US, "%."+D+"f", CellResp);
if (MinTVal >=0) {Hs = "0.000005 "+ Hs;}
else {Hs = String.format(Locale.US, "%."+D+"f", 1.5 * MinTVal) + " " +
String.format(Locale.US, "%."+D+"f", 1, CellResp - MinTVal);}
out.write (Hs ); out.newLine();
out.write("0.00"); out.newLine();
if (MinTVal >= 0) {out.write("0");}
else {out.write("1");}
out.newLine();
j = 0;
for (int t=t1;t<=t2;t++) {
tableSet = TableService.getTable(t);
j = Math.max(j, tableSet.expVar.size());
}
out.write (" " +j+" 1 "); out.newLine();//MaxDim
out.write (t2-t1+1+" "); out.newLine();
out.close();
return true;
} catch (Exception ex) {
throw new ArgusException("Unable to write the file TABELLE for the Hypercube");
}
}
public static void SchrijfSTEUER(Integer TableNumber, String number) throws ArgusException {
String HS, HS1;
TableSet tableSet = TableService.getTable(TableNumber);
double X, Y;
X = 0;
Y = 0;
if (tableSet.domRule){
if (tableSet.domK[0] != 0){ X = 100.0 / tableSet.domK[0]; X = 2 * (X-1);}
else{ X = 100.0 / tableSet.domK[2]; X = 2 * (X-1);}
}
if (tableSet.pqRule){
if (tableSet.pqP[0] != 0) {Y = 2 * tableSet.pqP[0] / 100.0; }
else {Y = 2 * tableSet.pqP[2] / 100.0; }
}
if (Y > X) { X = Y;}
if (X == 0) {
if (tableSet.frequencyRule){
if (tableSet.frequencyMarge[0] != 0) { X= tableSet.frequencyMarge[0] * 2 /100.0;}
else { X= tableSet.frequencyMarge[1] * 2 /100.0;}
}
else if (tableSet.piepRule[0]){ X = tableSet.piepMarge[0] * 2 / 100.0;}
else if (tableSet.piepRule[1]){ X = tableSet.piepMarge[1] * 2 / 100.0;}
else if (tableSet.manualMarge != 0) {X = tableSet.manualMarge * 2 / 100.0;}
}
if (tableSet.ghMiterApriory){ HS1 = "0 1 0";}
else {X = 0; HS1 = " 0 0 0";}
tableSet.ratio = X;
// getting info on table-parameters
HS = String.format(Locale.US,"%10.8f", X); // Using Locale.US to ensure the use decimalseparator = "."
HS = HS + " 0.00";
Integer OkeCode = TAUARGUS.WriteGHMITERSteuer(Application.getTempFile("STEUER"+number), HS, HS1, TableNumber);
if (OkeCode != 1) {throw new ArgusException("Unable to write the file STEUER for the Hypercube");}
}
static void CleanGHMiterFiles() {
TauArgusUtils.DeleteFileWild("PROTO*.*", Application.getTempDir());
TauArgusUtils.DeleteFile(Application.getTempFile("proto001"));
TauArgusUtils.DeleteFile(Application.getTempFile("proto002"));
TauArgusUtils.DeleteFile(Application.getTempFile("proto003"));
TauArgusUtils.DeleteFile(Application.getTempFile("AUSGABE"));
TauArgusUtils.DeleteFile(Application.getTempFile("Ft17f001"));
TauArgusUtils.DeleteFile(Application.getTempFile("Ft14f001"));
TauArgusUtils.DeleteFile(Application.getTempFile("Ft09file"));
TauArgusUtils.DeleteFile(Application.getTempFile("Ft10file"));
TauArgusUtils.DeleteFile(Application.getTempFile("Ft12file"));
TauArgusUtils.DeleteFileWild("Ft*fi*.*", Application.getTempDir());
TauArgusUtils.DeleteFileWild("Ft*f0*.*", Application.getTempDir());
TauArgusUtils.DeleteFile(Application.getTempFile("SCHNEID"));
TauArgusUtils.DeleteFile(Application.getTempFile("MAMPTABI"));
TauArgusUtils.DeleteFile(Application.getTempFile("VARIABLE"));
TauArgusUtils.DeleteFile(Application.getTempFile("AGGPOSRC"));
TauArgusUtils.DeleteFile(Application.getTempFile("ENDE"));
TauArgusUtils.DeleteFile(Application.getTempFile("frozen.txt"));
}
static String GetToken(String St) {
Integer p;
String Hs;
p = St.indexOf(" ");
if (p == 0) {
Token = St;
Hs = "";
} else {
Token = St.substring(0, p);
Hs = St.substring(p + 1).trim();
}
return Hs;
}
static String AddLeadingSpaces(String St, Integer Len) {
Integer L;
String Hs;
L = St.length();
L = Len - L;
Hs = String.format(Locale.US,"%" + Len + "s", St); //??? Shouldn't this be L instead of Len ????
return Hs;
}
}
| sdcTools/tauargus | src/tauargus/model/GHMiter.java | 5,592 | //SchijfTABELLE Nog toevoegen parameters voor linked tables; | line_comment | nl | /*
* Argus Open Source
* Software to apply Statistical Disclosure Control techniques
*
* Copyright 2014 Statistics Netherlands
*
* This program is free software; you can redistribute it and/or
* modify it under the terms of the European Union Public Licence
* (EUPL) version 1.1, as published by the European Commission.
*
* You can find the text of the EUPL v1.1 on
* https://joinup.ec.europa.eu/software/page/eupl/licence-eupl
*
* This software is distributed on an "AS IS" basis without
* warranties or conditions of any kind, either express or implied.
*/
package tauargus.model;
import argus.utils.SystemUtils;
import java.io.BufferedReader;
import java.io.BufferedWriter;
import java.io.File;
import java.io.FileReader;
import java.io.FileWriter;
import java.text.DecimalFormat;
import java.util.ArrayList;
import java.util.Date;
import java.util.Locale;
import java.util.logging.Level;
import java.util.logging.Logger;
import tauargus.extern.dataengine.TauArgus;
import tauargus.service.TableService;
import tauargus.utils.ExecUtils;
import tauargus.utils.TauArgusUtils;
/**
*
* @author ahnl
* This package contains all routines needed to run the hypercube/GHMiter method
* Routines are available for creating the input files for GHMiter
* checking and adapting the input files
* Retrieving the solution and storing the suppression
* *
*/
public class GHMiter {
// private TauArgus TAUARGUS;
private static final Logger LOGGER = Logger.getLogger(GHMiter.class.getName());
private static String Token;
//private TableSet tableSet; Not used?????
private static final TauArgus TAUARGUS = Application.getTauArgusDll();
private static DecimalFormat ghMiterDecimalFormat;
public static boolean ShowProto002;
public static void RunGHMiter(TableSet tableSet) throws ArgusException{
Date startDate = new Date();
ShowProto002 = false;
SystemUtils.writeLogbook("Start of the hypercube protection for table " + TableService.getTableDescription(tableSet));
ghMiterDecimalFormat = SystemUtils.getInternalDecimalFormat(tableSet.respVar.nDecimals);
//WriteEingabe ;
Integer ReturnVal = TAUARGUS.WriteGHMITERDataCell(Application.getTempFile("EINGABE.TMP"), tableSet.index, false);
if (!(ReturnVal == 1)) { // Something wrong writing EINGABE
throw new ArgusException( "Unable to write the file EINGABE for the Hypercube");
}
SchrijfSTEUER(tableSet.index, "");
CleanGHMiterFiles();
//SchijfTABELLE Nog<SUF>
SchrijfTABELLE(Application.getTempFile("TABELLE"), tableSet.index, false, 0);
//OpschonenEingabe Apriory percentage??
OpschonenEINGABE(tableSet.ghMiterAprioryPercentage, tableSet, Application.getTempFile("EINGABE"));
//Run GHMiter
RunGHMiterEXE();
//ReadSecondariesBack
ReadSecondariesGHMiter(tableSet, "AUSGABE");
Date endDate = new Date();
long diff = endDate.getTime()-startDate.getTime();
diff = diff / 1000;
if ( diff == 0){ diff = 1;}
tableSet.processingTime = (int) diff;
tableSet.suppressed = TableSet.SUP_GHMITER;
SystemUtils.writeLogbook("End of hypercube protection. Time used "+ diff+ " seconds\n" +
"Number of suppressions: " +tableSet.nSecond);
}
static boolean ReadSecondariesGHMiter(TableSet tableSet, String ausgabe) throws ArgusException {
int[] NSec; String hs;
boolean oke;
NSec = new int[1];
File f = new File(Application.getTempFile(ausgabe));
oke = f.exists();
if (!oke) {
hs = "The file "+ausgabe+" could not be found";
if (TauArgusUtils.ExistFile(Application.getTempFile("PROTO002"))){
hs = "See file PROTO002"; ShowProto002 = true;
}
hs = "The hypercube could not be applied\n" + hs;
throw new ArgusException(hs);
}
testProto003(tableSet);
int OkeCode = TAUARGUS.SetSecondaryGHMITER(Application.getTempFile(ausgabe), tableSet.index, NSec, false);
//OkeCode = 4007;
if (OkeCode == 4007){
if (Application.isAnco()) tableSet.ghMiterMessage = "Some frozen/protected cells needed to be suppressed\n";
writeFrozen(tableSet.expVar.size());
OkeCode = 1;
}
if (OkeCode != 1) { //GHMiter failed
TableService.undoSuppress(tableSet.index);
} else {
tableSet.nSecond = NSec[0];
tableSet.suppressed = TableSet.SUP_GHMITER;
}
return (OkeCode == 1);
}
static void writeFrozen(int nDim ){
String regel, EINGABEst = "", AUSGABEst;
int i;
double x;
try{
BufferedReader eingabe = new BufferedReader(new FileReader(Application.getTempFile("EINGABE")));
BufferedReader ausgabe = new BufferedReader(new FileReader(Application.getTempFile("AUSGABE")));
BufferedWriter frozen = new BufferedWriter(new FileWriter(Application.getTempFile("frozen.txt")));
frozen.write("Overview of frozen cells");frozen.newLine();
frozen.write("Cell value and codes");frozen.newLine();
while((EINGABEst = eingabe.readLine()) != null) {
AUSGABEst = ausgabe.readLine();
EINGABEst = EINGABEst.trim();
AUSGABEst = AUSGABEst.trim();
AUSGABEst = GetToken(AUSGABEst);
if (Token.equals("1129")){ // a frozen cell found
for(i=0;i<=2;i++){EINGABEst = GetToken(EINGABEst);}
regel = Token; //The cell value
for(i=0;i<=3;i++){EINGABEst = GetToken(EINGABEst);} // Tehremainder are the spanning codes
x = Double.parseDouble(Token);
if (x == 0){
for (i=0;i<nDim;i++){ EINGABEst = GetToken(EINGABEst);}
regel = regel + " : " + EINGABEst;
frozen.write(regel); frozen.newLine();
}
}
}
frozen.close();
eingabe.close();
ausgabe.close();
}
catch(Exception ex){}
}
static void testProto003(TableSet tableSet)throws ArgusException {
int i, nt;
String[] regel = new String[1];
String hs;
for (i=0;i<TableSet.MAX_GH_MITER_RATIO;i++) {tableSet.ghMiterRatio[i] = 0;}
if (!TauArgusUtils.ExistFile(Application.getTempFile("proto003"))){ return;}
try{
BufferedReader in = new BufferedReader(new FileReader(Application.getTempFile("proto003")));
regel[0] = in.readLine().trim();
nt = 0;
for (i=0;i<TableSet.MAX_GH_MITER_RATIO;i++){
hs = TauArgusUtils.GetSimpleToken(regel);
if (!hs.equals("")) tableSet.ghMiterRatio[i] = Integer.parseInt((hs));
nt = nt + tableSet.ghMiterRatio[i];
}
if (nt !=0 ) {tableSet.ghMiterMessage = tableSet.ghMiterMessage + "Some (" +
nt + ") cells could not be fully protected\nSave table and see report file for more info.";}
}
catch(Exception ex){}
}
public static void RunGHMiterEXE() throws ArgusException{
ArrayList<String> commandline = new ArrayList<>();
String GHMiter = "";
try {
GHMiter = SystemUtils.getApplicationDirectory(GHMiter.class).getCanonicalPath();
} catch (Exception ex) {}
//GHMiter = "\"" + GHMiter + "/Ghmiter4.exe\""; //Results in double quotes (""GHMiter4.exe""), some systems cannot deal with that correctly
GHMiter += "\\Ghmiter4.exe";
commandline.add(GHMiter);
TauArgusUtils.writeBatchFileForExec( "RunGH", commandline);
int result = ExecUtils.execCommand(commandline, Application.getTempDir(),false, "Run Hypercube");
if (result != 0){
throw new ArgusException("A problem was encountered running the hypercube");}
}
static void OpschonenEINGABE(double aprioryPerc, TableSet tableSet, String fileName)throws ArgusException {
int D, p, Flen, RespLen; String Hs, Regel;
String Stat, Freq, ValueSt, minResp, maxResp; double Value, X;
Variable variable = tableSet.respVar;
D = variable.nDecimals;
try{
BufferedReader in = new BufferedReader(new FileReader(fileName+".TMP"));
Hs = in.readLine();
Hs = Hs.trim();
p = Hs.indexOf(" ");
Hs = Hs.substring(p);
Flen = Hs.length();
Hs = Hs.trim();
p = Hs.indexOf(" ");
Hs = Hs.substring(p);
Flen = Flen-Hs.length();
RespLen = Hs.length();
Hs = Hs.trim();
p = Hs.indexOf(" ");
Hs = Hs.substring(p);
RespLen = RespLen-Hs.length();
in.close();
in = new BufferedReader(new FileReader(fileName+".TMP"));
BufferedWriter out = new BufferedWriter(new FileWriter(fileName));
while((Hs = in.readLine()) != null) {
Hs = Hs.trim();
Hs = GetToken(Hs); Stat = Token;
Hs = GetToken(Hs); Freq = Token;
Hs = GetToken(Hs); ValueSt = Token;
Value = Double.parseDouble(ValueSt);
if( (Freq.equals("2") ) & (Value == 0) & (Stat.equals("1"))) {Freq = "0";}
if ( Freq.equals("1") & Stat.equals("1") ) { Freq = "2";}
if ( Freq.equals("1") & Stat.equals("129") & !tableSet.ghMiterApplySingleton) {Freq = "2";}
Regel = AddLeadingSpaces(Stat,5) +
AddLeadingSpaces(Freq,Flen) +
AddLeadingSpaces(ValueSt,RespLen);
if ( aprioryPerc == 100 && tableSet.minTabVal == 0) {
//basically do nothing
Regel = Regel + " " + Hs;
}
else { // first 2 lousy one's
Hs = GetToken(Hs); Regel = Regel + " "+ Token;
Hs = GetToken(Hs); Regel = Regel + " "+ Token;
Hs = GetToken(Hs); maxResp = Token;
Hs = GetToken(Hs); minResp = Token;
if ( Double.parseDouble(minResp) == 0 && Double.parseDouble(maxResp) == 0) {X = 0;}
else { X = Math.abs(aprioryPerc / 100.0) * Value;}
Regel = Regel + " "+ String.format(Locale.US, "%."+D+"f", X); //ghMiterDecimalFormat.format(X);
if (Double.parseDouble(minResp) > 0){
if ((Value - X) < tableSet.minTabVal) { X = Value - tableSet.minTabVal;}
}
Regel = Regel + " "+ String.format(Locale.US, "%."+D+"f", X); //ghMiterDecimalFormat.format(X);
Regel = Regel + " "+ Hs;
}
out.write (Regel); out.newLine();
}
out.close();
} catch (Exception ex) {
LOGGER.log(Level.SEVERE, null, ex);
throw new ArgusException("A problem was encountered when preparing the file EINGABE");
}
}
static boolean SchrijfTABELLE (String FileTABELLE, int tIndex,
boolean Linked, Integer CoverDim) throws ArgusException {
Integer t1, t2, P1, P4, P5, NExpVar, D;
int j, NA;
String Hs;
double CellResp, MinTVal;
TableSet tableSet;
if (!Linked) { t1 = tIndex; t2=tIndex;}
else { t1 = 0; t2= TableService.numberOfTables()-1; }
P4 = 0; P5 = 0;
// ANCO nog een loopje over de tabellen voor linked
for (int t=t1;t<=t2;t++){
tableSet = TableService.getTable(t);
NExpVar = tableSet.expVar.size();
for ( int i=1; i<=NExpVar; i++){
Variable variable = tableSet.expVar.get(i-1);
j=variable.index;
NA = TauArgusUtils.getNumberOfActiveCodes(j);
if (P4 < NA) {P4=NA;}
//if (P5 < NExpVar) {P5 = NExpVar;} // ? Why for each i: NExpVar is fixed per table?
}
if (P5 < NExpVar) {P5 = NExpVar;}
}
if (Linked) { P5=CoverDim; tableSet = TableService.getTable(0); }
else { tableSet = TableService.getTable(tIndex);}
Hs = "";
switch (tableSet.ghMiterSize){
case 0: Hs = "50960000 200 6000"; // Normal
break;
case 1: P1 = 62500000 + 250 + 225000; // Large
//P1 = (P1 + 63 + P4 + 100000) * 4; // Why "P1 + 63 + P4" as compared to case 2: "P1 + 63 * P4" ?
P1 = (P1 + 63 * P4 + 100000) * 4;
Hs = Integer.toString(P1) + " 250 25000";
break;
case 2: P1 = 9 * tableSet.ghMiterSubtable; // Manual
P1 = (62500000 + tableSet.ghMiterSubcode + P1 + 63 * P4 + 100000) * 4; // Why "P1 + 63 * P4" as compared to case 1: "P1 + 63 + P4" ?
Hs = Integer.toString(P1) + " " + Integer.toString(tableSet.ghMiterSubcode)+" "+ Integer.toString(tableSet.ghMiterSubtable);
break;
}
Hs = Hs + " " + Integer.toString(P4) + " " + Integer.toString(P5);
try {
BufferedWriter out = new BufferedWriter(new FileWriter(FileTABELLE));
out.write (Hs ); out.newLine();
Hs = "0 0 1";
out.write (Hs ); out.newLine();
CellResp = 0;
MinTVal = 0;
D = 0;
for (int t=t1;t<=t2;t++){
tableSet = TableService.getTable(t);
CellResp = Math.max(CellResp, tableSet.maxTabVal);
MinTVal = Math.min(MinTVal, tableSet.minTabVal);
D = Math.max(D, tableSet.respVar.nDecimals);
}
Hs = String.format(Locale.US, "%."+D+"f", CellResp);
if (MinTVal >=0) {Hs = "0.000005 "+ Hs;}
else {Hs = String.format(Locale.US, "%."+D+"f", 1.5 * MinTVal) + " " +
String.format(Locale.US, "%."+D+"f", 1, CellResp - MinTVal);}
out.write (Hs ); out.newLine();
out.write("0.00"); out.newLine();
if (MinTVal >= 0) {out.write("0");}
else {out.write("1");}
out.newLine();
j = 0;
for (int t=t1;t<=t2;t++) {
tableSet = TableService.getTable(t);
j = Math.max(j, tableSet.expVar.size());
}
out.write (" " +j+" 1 "); out.newLine();//MaxDim
out.write (t2-t1+1+" "); out.newLine();
out.close();
return true;
} catch (Exception ex) {
throw new ArgusException("Unable to write the file TABELLE for the Hypercube");
}
}
public static void SchrijfSTEUER(Integer TableNumber, String number) throws ArgusException {
String HS, HS1;
TableSet tableSet = TableService.getTable(TableNumber);
double X, Y;
X = 0;
Y = 0;
if (tableSet.domRule){
if (tableSet.domK[0] != 0){ X = 100.0 / tableSet.domK[0]; X = 2 * (X-1);}
else{ X = 100.0 / tableSet.domK[2]; X = 2 * (X-1);}
}
if (tableSet.pqRule){
if (tableSet.pqP[0] != 0) {Y = 2 * tableSet.pqP[0] / 100.0; }
else {Y = 2 * tableSet.pqP[2] / 100.0; }
}
if (Y > X) { X = Y;}
if (X == 0) {
if (tableSet.frequencyRule){
if (tableSet.frequencyMarge[0] != 0) { X= tableSet.frequencyMarge[0] * 2 /100.0;}
else { X= tableSet.frequencyMarge[1] * 2 /100.0;}
}
else if (tableSet.piepRule[0]){ X = tableSet.piepMarge[0] * 2 / 100.0;}
else if (tableSet.piepRule[1]){ X = tableSet.piepMarge[1] * 2 / 100.0;}
else if (tableSet.manualMarge != 0) {X = tableSet.manualMarge * 2 / 100.0;}
}
if (tableSet.ghMiterApriory){ HS1 = "0 1 0";}
else {X = 0; HS1 = " 0 0 0";}
tableSet.ratio = X;
// getting info on table-parameters
HS = String.format(Locale.US,"%10.8f", X); // Using Locale.US to ensure the use decimalseparator = "."
HS = HS + " 0.00";
Integer OkeCode = TAUARGUS.WriteGHMITERSteuer(Application.getTempFile("STEUER"+number), HS, HS1, TableNumber);
if (OkeCode != 1) {throw new ArgusException("Unable to write the file STEUER for the Hypercube");}
}
static void CleanGHMiterFiles() {
TauArgusUtils.DeleteFileWild("PROTO*.*", Application.getTempDir());
TauArgusUtils.DeleteFile(Application.getTempFile("proto001"));
TauArgusUtils.DeleteFile(Application.getTempFile("proto002"));
TauArgusUtils.DeleteFile(Application.getTempFile("proto003"));
TauArgusUtils.DeleteFile(Application.getTempFile("AUSGABE"));
TauArgusUtils.DeleteFile(Application.getTempFile("Ft17f001"));
TauArgusUtils.DeleteFile(Application.getTempFile("Ft14f001"));
TauArgusUtils.DeleteFile(Application.getTempFile("Ft09file"));
TauArgusUtils.DeleteFile(Application.getTempFile("Ft10file"));
TauArgusUtils.DeleteFile(Application.getTempFile("Ft12file"));
TauArgusUtils.DeleteFileWild("Ft*fi*.*", Application.getTempDir());
TauArgusUtils.DeleteFileWild("Ft*f0*.*", Application.getTempDir());
TauArgusUtils.DeleteFile(Application.getTempFile("SCHNEID"));
TauArgusUtils.DeleteFile(Application.getTempFile("MAMPTABI"));
TauArgusUtils.DeleteFile(Application.getTempFile("VARIABLE"));
TauArgusUtils.DeleteFile(Application.getTempFile("AGGPOSRC"));
TauArgusUtils.DeleteFile(Application.getTempFile("ENDE"));
TauArgusUtils.DeleteFile(Application.getTempFile("frozen.txt"));
}
static String GetToken(String St) {
Integer p;
String Hs;
p = St.indexOf(" ");
if (p == 0) {
Token = St;
Hs = "";
} else {
Token = St.substring(0, p);
Hs = St.substring(p + 1).trim();
}
return Hs;
}
static String AddLeadingSpaces(String St, Integer Len) {
Integer L;
String Hs;
L = St.length();
L = Len - L;
Hs = String.format(Locale.US,"%" + Len + "s", St); //??? Shouldn't this be L instead of Len ????
return Hs;
}
}
|
2224_14 | /*
* Argus Open Source
* Software to apply Statistical Disclosure Control techniques
*
* Copyright 2014 Statistics Netherlands
*
* This program is free software; you can redistribute it and/or
* modify it under the terms of the European Union Public Licence
* (EUPL) version 1.1, as published by the European Commission.
*
* You can find the text of the EUPL v1.1 on
* https://joinup.ec.europa.eu/software/page/eupl/licence-eupl
*
* This software is distributed on an "AS IS" basis without
* warranties or conditions of any kind, either express or implied.
*/
package tauargus.model;
import argus.utils.SystemUtils;
import java.io.BufferedReader;
import java.io.BufferedWriter;
import java.io.File;
import java.io.FileReader;
import java.io.FileWriter;
import java.text.DecimalFormat;
import java.util.ArrayList;
import java.util.Date;
import java.util.Locale;
import java.util.logging.Level;
import java.util.logging.Logger;
import tauargus.extern.dataengine.TauArgus;
import tauargus.service.TableService;
import tauargus.utils.ExecUtils;
import tauargus.utils.TauArgusUtils;
/**
*
* @author ahnl
* This package contains all routines needed to run the hypercube/GHMiter method
* Routines are available for creating the input files for GHMiter
* checking and adapting the input files
* Retrieving the solution and storing the suppression
* *
*/
public class GHMiter {
// private TauArgus TAUARGUS;
private static final Logger LOGGER = Logger.getLogger(GHMiter.class.getName());
private static String Token;
//private TableSet tableSet; Not used?????
private static final TauArgus TAUARGUS = Application.getTauArgusDll();
private static DecimalFormat ghMiterDecimalFormat;
public static boolean ShowProto002;
public static void RunGHMiter(TableSet tableSet) throws ArgusException{
Date startDate = new Date();
ShowProto002 = false;
SystemUtils.writeLogbook("Start of the hypercube protection for table " + TableService.getTableDescription(tableSet));
ghMiterDecimalFormat = SystemUtils.getInternalDecimalFormat(tableSet.respVar.nDecimals);
//WriteEingabe ;
Integer ReturnVal = TAUARGUS.WriteGHMITERDataCell(Application.getTempFile("EINGABE.TMP"), tableSet.index, false);
if (!(ReturnVal == 1)) { // Something wrong writing EINGABE
throw new ArgusException( "Unable to write the file EINGABE for the Hypercube");
}
SchrijfSTEUER(tableSet.index, "");
CleanGHMiterFiles();
//SchijfTABELLE Nog toevoegen parameters voor linked tables;
SchrijfTABELLE(Application.getTempFile("TABELLE"), tableSet.index, false, 0);
//OpschonenEingabe Apriory percentage??
OpschonenEINGABE(tableSet.ghMiterAprioryPercentage, tableSet, Application.getTempFile("EINGABE"));
//Run GHMiter
RunGHMiterEXE();
//ReadSecondariesBack
ReadSecondariesGHMiter(tableSet, "AUSGABE");
Date endDate = new Date();
long diff = endDate.getTime()-startDate.getTime();
diff = diff / 1000;
if ( diff == 0){ diff = 1;}
tableSet.processingTime = (int) diff;
tableSet.suppressed = TableSet.SUP_GHMITER;
SystemUtils.writeLogbook("End of hypercube protection. Time used "+ diff+ " seconds\n" +
"Number of suppressions: " +tableSet.nSecond);
}
static boolean ReadSecondariesGHMiter(TableSet tableSet, String ausgabe) throws ArgusException {
int[] NSec; String hs;
boolean oke;
NSec = new int[1];
File f = new File(Application.getTempFile(ausgabe));
oke = f.exists();
if (!oke) {
hs = "The file "+ausgabe+" could not be found";
if (TauArgusUtils.ExistFile(Application.getTempFile("PROTO002"))){
hs = "See file PROTO002"; ShowProto002 = true;
}
hs = "The hypercube could not be applied\n" + hs;
throw new ArgusException(hs);
}
testProto003(tableSet);
int OkeCode = TAUARGUS.SetSecondaryGHMITER(Application.getTempFile(ausgabe), tableSet.index, NSec, false);
//OkeCode = 4007;
if (OkeCode == 4007){
if (Application.isAnco()) tableSet.ghMiterMessage = "Some frozen/protected cells needed to be suppressed\n";
writeFrozen(tableSet.expVar.size());
OkeCode = 1;
}
if (OkeCode != 1) { //GHMiter failed
TableService.undoSuppress(tableSet.index);
} else {
tableSet.nSecond = NSec[0];
tableSet.suppressed = TableSet.SUP_GHMITER;
}
return (OkeCode == 1);
}
static void writeFrozen(int nDim ){
String regel, EINGABEst = "", AUSGABEst;
int i;
double x;
try{
BufferedReader eingabe = new BufferedReader(new FileReader(Application.getTempFile("EINGABE")));
BufferedReader ausgabe = new BufferedReader(new FileReader(Application.getTempFile("AUSGABE")));
BufferedWriter frozen = new BufferedWriter(new FileWriter(Application.getTempFile("frozen.txt")));
frozen.write("Overview of frozen cells");frozen.newLine();
frozen.write("Cell value and codes");frozen.newLine();
while((EINGABEst = eingabe.readLine()) != null) {
AUSGABEst = ausgabe.readLine();
EINGABEst = EINGABEst.trim();
AUSGABEst = AUSGABEst.trim();
AUSGABEst = GetToken(AUSGABEst);
if (Token.equals("1129")){ // a frozen cell found
for(i=0;i<=2;i++){EINGABEst = GetToken(EINGABEst);}
regel = Token; //The cell value
for(i=0;i<=3;i++){EINGABEst = GetToken(EINGABEst);} // Tehremainder are the spanning codes
x = Double.parseDouble(Token);
if (x == 0){
for (i=0;i<nDim;i++){ EINGABEst = GetToken(EINGABEst);}
regel = regel + " : " + EINGABEst;
frozen.write(regel); frozen.newLine();
}
}
}
frozen.close();
eingabe.close();
ausgabe.close();
}
catch(Exception ex){}
}
static void testProto003(TableSet tableSet)throws ArgusException {
int i, nt;
String[] regel = new String[1];
String hs;
for (i=0;i<TableSet.MAX_GH_MITER_RATIO;i++) {tableSet.ghMiterRatio[i] = 0;}
if (!TauArgusUtils.ExistFile(Application.getTempFile("proto003"))){ return;}
try{
BufferedReader in = new BufferedReader(new FileReader(Application.getTempFile("proto003")));
regel[0] = in.readLine().trim();
nt = 0;
for (i=0;i<TableSet.MAX_GH_MITER_RATIO;i++){
hs = TauArgusUtils.GetSimpleToken(regel);
if (!hs.equals("")) tableSet.ghMiterRatio[i] = Integer.parseInt((hs));
nt = nt + tableSet.ghMiterRatio[i];
}
if (nt !=0 ) {tableSet.ghMiterMessage = tableSet.ghMiterMessage + "Some (" +
nt + ") cells could not be fully protected\nSave table and see report file for more info.";}
}
catch(Exception ex){}
}
public static void RunGHMiterEXE() throws ArgusException{
ArrayList<String> commandline = new ArrayList<>();
String GHMiter = "";
try {
GHMiter = SystemUtils.getApplicationDirectory(GHMiter.class).getCanonicalPath();
} catch (Exception ex) {}
//GHMiter = "\"" + GHMiter + "/Ghmiter4.exe\""; //Results in double quotes (""GHMiter4.exe""), some systems cannot deal with that correctly
GHMiter += "\\Ghmiter4.exe";
commandline.add(GHMiter);
TauArgusUtils.writeBatchFileForExec( "RunGH", commandline);
int result = ExecUtils.execCommand(commandline, Application.getTempDir(),false, "Run Hypercube");
if (result != 0){
throw new ArgusException("A problem was encountered running the hypercube");}
}
static void OpschonenEINGABE(double aprioryPerc, TableSet tableSet, String fileName)throws ArgusException {
int D, p, Flen, RespLen; String Hs, Regel;
String Stat, Freq, ValueSt, minResp, maxResp; double Value, X;
Variable variable = tableSet.respVar;
D = variable.nDecimals;
try{
BufferedReader in = new BufferedReader(new FileReader(fileName+".TMP"));
Hs = in.readLine();
Hs = Hs.trim();
p = Hs.indexOf(" ");
Hs = Hs.substring(p);
Flen = Hs.length();
Hs = Hs.trim();
p = Hs.indexOf(" ");
Hs = Hs.substring(p);
Flen = Flen-Hs.length();
RespLen = Hs.length();
Hs = Hs.trim();
p = Hs.indexOf(" ");
Hs = Hs.substring(p);
RespLen = RespLen-Hs.length();
in.close();
in = new BufferedReader(new FileReader(fileName+".TMP"));
BufferedWriter out = new BufferedWriter(new FileWriter(fileName));
while((Hs = in.readLine()) != null) {
Hs = Hs.trim();
Hs = GetToken(Hs); Stat = Token;
Hs = GetToken(Hs); Freq = Token;
Hs = GetToken(Hs); ValueSt = Token;
Value = Double.parseDouble(ValueSt);
if( (Freq.equals("2") ) & (Value == 0) & (Stat.equals("1"))) {Freq = "0";}
if ( Freq.equals("1") & Stat.equals("1") ) { Freq = "2";}
if ( Freq.equals("1") & Stat.equals("129") & !tableSet.ghMiterApplySingleton) {Freq = "2";}
Regel = AddLeadingSpaces(Stat,5) +
AddLeadingSpaces(Freq,Flen) +
AddLeadingSpaces(ValueSt,RespLen);
if ( aprioryPerc == 100 && tableSet.minTabVal == 0) {
//basically do nothing
Regel = Regel + " " + Hs;
}
else { // first 2 lousy one's
Hs = GetToken(Hs); Regel = Regel + " "+ Token;
Hs = GetToken(Hs); Regel = Regel + " "+ Token;
Hs = GetToken(Hs); maxResp = Token;
Hs = GetToken(Hs); minResp = Token;
if ( Double.parseDouble(minResp) == 0 && Double.parseDouble(maxResp) == 0) {X = 0;}
else { X = Math.abs(aprioryPerc / 100.0) * Value;}
Regel = Regel + " "+ String.format(Locale.US, "%."+D+"f", X); //ghMiterDecimalFormat.format(X);
if (Double.parseDouble(minResp) > 0){
if ((Value - X) < tableSet.minTabVal) { X = Value - tableSet.minTabVal;}
}
Regel = Regel + " "+ String.format(Locale.US, "%."+D+"f", X); //ghMiterDecimalFormat.format(X);
Regel = Regel + " "+ Hs;
}
out.write (Regel); out.newLine();
}
out.close();
} catch (Exception ex) {
LOGGER.log(Level.SEVERE, null, ex);
throw new ArgusException("A problem was encountered when preparing the file EINGABE");
}
}
static boolean SchrijfTABELLE (String FileTABELLE, int tIndex,
boolean Linked, Integer CoverDim) throws ArgusException {
Integer t1, t2, P1, P4, P5, NExpVar, D;
int j, NA;
String Hs;
double CellResp, MinTVal;
TableSet tableSet;
if (!Linked) { t1 = tIndex; t2=tIndex;}
else { t1 = 0; t2= TableService.numberOfTables()-1; }
P4 = 0; P5 = 0;
// ANCO nog een loopje over de tabellen voor linked
for (int t=t1;t<=t2;t++){
tableSet = TableService.getTable(t);
NExpVar = tableSet.expVar.size();
for ( int i=1; i<=NExpVar; i++){
Variable variable = tableSet.expVar.get(i-1);
j=variable.index;
NA = TauArgusUtils.getNumberOfActiveCodes(j);
if (P4 < NA) {P4=NA;}
//if (P5 < NExpVar) {P5 = NExpVar;} // ? Why for each i: NExpVar is fixed per table?
}
if (P5 < NExpVar) {P5 = NExpVar;}
}
if (Linked) { P5=CoverDim; tableSet = TableService.getTable(0); }
else { tableSet = TableService.getTable(tIndex);}
Hs = "";
switch (tableSet.ghMiterSize){
case 0: Hs = "50960000 200 6000"; // Normal
break;
case 1: P1 = 62500000 + 250 + 225000; // Large
//P1 = (P1 + 63 + P4 + 100000) * 4; // Why "P1 + 63 + P4" as compared to case 2: "P1 + 63 * P4" ?
P1 = (P1 + 63 * P4 + 100000) * 4;
Hs = Integer.toString(P1) + " 250 25000";
break;
case 2: P1 = 9 * tableSet.ghMiterSubtable; // Manual
P1 = (62500000 + tableSet.ghMiterSubcode + P1 + 63 * P4 + 100000) * 4; // Why "P1 + 63 * P4" as compared to case 1: "P1 + 63 + P4" ?
Hs = Integer.toString(P1) + " " + Integer.toString(tableSet.ghMiterSubcode)+" "+ Integer.toString(tableSet.ghMiterSubtable);
break;
}
Hs = Hs + " " + Integer.toString(P4) + " " + Integer.toString(P5);
try {
BufferedWriter out = new BufferedWriter(new FileWriter(FileTABELLE));
out.write (Hs ); out.newLine();
Hs = "0 0 1";
out.write (Hs ); out.newLine();
CellResp = 0;
MinTVal = 0;
D = 0;
for (int t=t1;t<=t2;t++){
tableSet = TableService.getTable(t);
CellResp = Math.max(CellResp, tableSet.maxTabVal);
MinTVal = Math.min(MinTVal, tableSet.minTabVal);
D = Math.max(D, tableSet.respVar.nDecimals);
}
Hs = String.format(Locale.US, "%."+D+"f", CellResp);
if (MinTVal >=0) {Hs = "0.000005 "+ Hs;}
else {Hs = String.format(Locale.US, "%."+D+"f", 1.5 * MinTVal) + " " +
String.format(Locale.US, "%."+D+"f", 1, CellResp - MinTVal);}
out.write (Hs ); out.newLine();
out.write("0.00"); out.newLine();
if (MinTVal >= 0) {out.write("0");}
else {out.write("1");}
out.newLine();
j = 0;
for (int t=t1;t<=t2;t++) {
tableSet = TableService.getTable(t);
j = Math.max(j, tableSet.expVar.size());
}
out.write (" " +j+" 1 "); out.newLine();//MaxDim
out.write (t2-t1+1+" "); out.newLine();
out.close();
return true;
} catch (Exception ex) {
throw new ArgusException("Unable to write the file TABELLE for the Hypercube");
}
}
public static void SchrijfSTEUER(Integer TableNumber, String number) throws ArgusException {
String HS, HS1;
TableSet tableSet = TableService.getTable(TableNumber);
double X, Y;
X = 0;
Y = 0;
if (tableSet.domRule){
if (tableSet.domK[0] != 0){ X = 100.0 / tableSet.domK[0]; X = 2 * (X-1);}
else{ X = 100.0 / tableSet.domK[2]; X = 2 * (X-1);}
}
if (tableSet.pqRule){
if (tableSet.pqP[0] != 0) {Y = 2 * tableSet.pqP[0] / 100.0; }
else {Y = 2 * tableSet.pqP[2] / 100.0; }
}
if (Y > X) { X = Y;}
if (X == 0) {
if (tableSet.frequencyRule){
if (tableSet.frequencyMarge[0] != 0) { X= tableSet.frequencyMarge[0] * 2 /100.0;}
else { X= tableSet.frequencyMarge[1] * 2 /100.0;}
}
else if (tableSet.piepRule[0]){ X = tableSet.piepMarge[0] * 2 / 100.0;}
else if (tableSet.piepRule[1]){ X = tableSet.piepMarge[1] * 2 / 100.0;}
else if (tableSet.manualMarge != 0) {X = tableSet.manualMarge * 2 / 100.0;}
}
if (tableSet.ghMiterApriory){ HS1 = "0 1 0";}
else {X = 0; HS1 = " 0 0 0";}
tableSet.ratio = X;
// getting info on table-parameters
HS = String.format(Locale.US,"%10.8f", X); // Using Locale.US to ensure the use decimalseparator = "."
HS = HS + " 0.00";
Integer OkeCode = TAUARGUS.WriteGHMITERSteuer(Application.getTempFile("STEUER"+number), HS, HS1, TableNumber);
if (OkeCode != 1) {throw new ArgusException("Unable to write the file STEUER for the Hypercube");}
}
static void CleanGHMiterFiles() {
TauArgusUtils.DeleteFileWild("PROTO*.*", Application.getTempDir());
TauArgusUtils.DeleteFile(Application.getTempFile("proto001"));
TauArgusUtils.DeleteFile(Application.getTempFile("proto002"));
TauArgusUtils.DeleteFile(Application.getTempFile("proto003"));
TauArgusUtils.DeleteFile(Application.getTempFile("AUSGABE"));
TauArgusUtils.DeleteFile(Application.getTempFile("Ft17f001"));
TauArgusUtils.DeleteFile(Application.getTempFile("Ft14f001"));
TauArgusUtils.DeleteFile(Application.getTempFile("Ft09file"));
TauArgusUtils.DeleteFile(Application.getTempFile("Ft10file"));
TauArgusUtils.DeleteFile(Application.getTempFile("Ft12file"));
TauArgusUtils.DeleteFileWild("Ft*fi*.*", Application.getTempDir());
TauArgusUtils.DeleteFileWild("Ft*f0*.*", Application.getTempDir());
TauArgusUtils.DeleteFile(Application.getTempFile("SCHNEID"));
TauArgusUtils.DeleteFile(Application.getTempFile("MAMPTABI"));
TauArgusUtils.DeleteFile(Application.getTempFile("VARIABLE"));
TauArgusUtils.DeleteFile(Application.getTempFile("AGGPOSRC"));
TauArgusUtils.DeleteFile(Application.getTempFile("ENDE"));
TauArgusUtils.DeleteFile(Application.getTempFile("frozen.txt"));
}
static String GetToken(String St) {
Integer p;
String Hs;
p = St.indexOf(" ");
if (p == 0) {
Token = St;
Hs = "";
} else {
Token = St.substring(0, p);
Hs = St.substring(p + 1).trim();
}
return Hs;
}
static String AddLeadingSpaces(String St, Integer Len) {
Integer L;
String Hs;
L = St.length();
L = Len - L;
Hs = String.format(Locale.US,"%" + Len + "s", St); //??? Shouldn't this be L instead of Len ????
return Hs;
}
}
| sdcTools/tauargus | src/tauargus/model/GHMiter.java | 5,592 | // ANCO nog een loopje over de tabellen voor linked | line_comment | nl | /*
* Argus Open Source
* Software to apply Statistical Disclosure Control techniques
*
* Copyright 2014 Statistics Netherlands
*
* This program is free software; you can redistribute it and/or
* modify it under the terms of the European Union Public Licence
* (EUPL) version 1.1, as published by the European Commission.
*
* You can find the text of the EUPL v1.1 on
* https://joinup.ec.europa.eu/software/page/eupl/licence-eupl
*
* This software is distributed on an "AS IS" basis without
* warranties or conditions of any kind, either express or implied.
*/
package tauargus.model;
import argus.utils.SystemUtils;
import java.io.BufferedReader;
import java.io.BufferedWriter;
import java.io.File;
import java.io.FileReader;
import java.io.FileWriter;
import java.text.DecimalFormat;
import java.util.ArrayList;
import java.util.Date;
import java.util.Locale;
import java.util.logging.Level;
import java.util.logging.Logger;
import tauargus.extern.dataengine.TauArgus;
import tauargus.service.TableService;
import tauargus.utils.ExecUtils;
import tauargus.utils.TauArgusUtils;
/**
*
* @author ahnl
* This package contains all routines needed to run the hypercube/GHMiter method
* Routines are available for creating the input files for GHMiter
* checking and adapting the input files
* Retrieving the solution and storing the suppression
* *
*/
public class GHMiter {
// private TauArgus TAUARGUS;
private static final Logger LOGGER = Logger.getLogger(GHMiter.class.getName());
private static String Token;
//private TableSet tableSet; Not used?????
private static final TauArgus TAUARGUS = Application.getTauArgusDll();
private static DecimalFormat ghMiterDecimalFormat;
public static boolean ShowProto002;
public static void RunGHMiter(TableSet tableSet) throws ArgusException{
Date startDate = new Date();
ShowProto002 = false;
SystemUtils.writeLogbook("Start of the hypercube protection for table " + TableService.getTableDescription(tableSet));
ghMiterDecimalFormat = SystemUtils.getInternalDecimalFormat(tableSet.respVar.nDecimals);
//WriteEingabe ;
Integer ReturnVal = TAUARGUS.WriteGHMITERDataCell(Application.getTempFile("EINGABE.TMP"), tableSet.index, false);
if (!(ReturnVal == 1)) { // Something wrong writing EINGABE
throw new ArgusException( "Unable to write the file EINGABE for the Hypercube");
}
SchrijfSTEUER(tableSet.index, "");
CleanGHMiterFiles();
//SchijfTABELLE Nog toevoegen parameters voor linked tables;
SchrijfTABELLE(Application.getTempFile("TABELLE"), tableSet.index, false, 0);
//OpschonenEingabe Apriory percentage??
OpschonenEINGABE(tableSet.ghMiterAprioryPercentage, tableSet, Application.getTempFile("EINGABE"));
//Run GHMiter
RunGHMiterEXE();
//ReadSecondariesBack
ReadSecondariesGHMiter(tableSet, "AUSGABE");
Date endDate = new Date();
long diff = endDate.getTime()-startDate.getTime();
diff = diff / 1000;
if ( diff == 0){ diff = 1;}
tableSet.processingTime = (int) diff;
tableSet.suppressed = TableSet.SUP_GHMITER;
SystemUtils.writeLogbook("End of hypercube protection. Time used "+ diff+ " seconds\n" +
"Number of suppressions: " +tableSet.nSecond);
}
static boolean ReadSecondariesGHMiter(TableSet tableSet, String ausgabe) throws ArgusException {
int[] NSec; String hs;
boolean oke;
NSec = new int[1];
File f = new File(Application.getTempFile(ausgabe));
oke = f.exists();
if (!oke) {
hs = "The file "+ausgabe+" could not be found";
if (TauArgusUtils.ExistFile(Application.getTempFile("PROTO002"))){
hs = "See file PROTO002"; ShowProto002 = true;
}
hs = "The hypercube could not be applied\n" + hs;
throw new ArgusException(hs);
}
testProto003(tableSet);
int OkeCode = TAUARGUS.SetSecondaryGHMITER(Application.getTempFile(ausgabe), tableSet.index, NSec, false);
//OkeCode = 4007;
if (OkeCode == 4007){
if (Application.isAnco()) tableSet.ghMiterMessage = "Some frozen/protected cells needed to be suppressed\n";
writeFrozen(tableSet.expVar.size());
OkeCode = 1;
}
if (OkeCode != 1) { //GHMiter failed
TableService.undoSuppress(tableSet.index);
} else {
tableSet.nSecond = NSec[0];
tableSet.suppressed = TableSet.SUP_GHMITER;
}
return (OkeCode == 1);
}
static void writeFrozen(int nDim ){
String regel, EINGABEst = "", AUSGABEst;
int i;
double x;
try{
BufferedReader eingabe = new BufferedReader(new FileReader(Application.getTempFile("EINGABE")));
BufferedReader ausgabe = new BufferedReader(new FileReader(Application.getTempFile("AUSGABE")));
BufferedWriter frozen = new BufferedWriter(new FileWriter(Application.getTempFile("frozen.txt")));
frozen.write("Overview of frozen cells");frozen.newLine();
frozen.write("Cell value and codes");frozen.newLine();
while((EINGABEst = eingabe.readLine()) != null) {
AUSGABEst = ausgabe.readLine();
EINGABEst = EINGABEst.trim();
AUSGABEst = AUSGABEst.trim();
AUSGABEst = GetToken(AUSGABEst);
if (Token.equals("1129")){ // a frozen cell found
for(i=0;i<=2;i++){EINGABEst = GetToken(EINGABEst);}
regel = Token; //The cell value
for(i=0;i<=3;i++){EINGABEst = GetToken(EINGABEst);} // Tehremainder are the spanning codes
x = Double.parseDouble(Token);
if (x == 0){
for (i=0;i<nDim;i++){ EINGABEst = GetToken(EINGABEst);}
regel = regel + " : " + EINGABEst;
frozen.write(regel); frozen.newLine();
}
}
}
frozen.close();
eingabe.close();
ausgabe.close();
}
catch(Exception ex){}
}
static void testProto003(TableSet tableSet)throws ArgusException {
int i, nt;
String[] regel = new String[1];
String hs;
for (i=0;i<TableSet.MAX_GH_MITER_RATIO;i++) {tableSet.ghMiterRatio[i] = 0;}
if (!TauArgusUtils.ExistFile(Application.getTempFile("proto003"))){ return;}
try{
BufferedReader in = new BufferedReader(new FileReader(Application.getTempFile("proto003")));
regel[0] = in.readLine().trim();
nt = 0;
for (i=0;i<TableSet.MAX_GH_MITER_RATIO;i++){
hs = TauArgusUtils.GetSimpleToken(regel);
if (!hs.equals("")) tableSet.ghMiterRatio[i] = Integer.parseInt((hs));
nt = nt + tableSet.ghMiterRatio[i];
}
if (nt !=0 ) {tableSet.ghMiterMessage = tableSet.ghMiterMessage + "Some (" +
nt + ") cells could not be fully protected\nSave table and see report file for more info.";}
}
catch(Exception ex){}
}
public static void RunGHMiterEXE() throws ArgusException{
ArrayList<String> commandline = new ArrayList<>();
String GHMiter = "";
try {
GHMiter = SystemUtils.getApplicationDirectory(GHMiter.class).getCanonicalPath();
} catch (Exception ex) {}
//GHMiter = "\"" + GHMiter + "/Ghmiter4.exe\""; //Results in double quotes (""GHMiter4.exe""), some systems cannot deal with that correctly
GHMiter += "\\Ghmiter4.exe";
commandline.add(GHMiter);
TauArgusUtils.writeBatchFileForExec( "RunGH", commandline);
int result = ExecUtils.execCommand(commandline, Application.getTempDir(),false, "Run Hypercube");
if (result != 0){
throw new ArgusException("A problem was encountered running the hypercube");}
}
static void OpschonenEINGABE(double aprioryPerc, TableSet tableSet, String fileName)throws ArgusException {
int D, p, Flen, RespLen; String Hs, Regel;
String Stat, Freq, ValueSt, minResp, maxResp; double Value, X;
Variable variable = tableSet.respVar;
D = variable.nDecimals;
try{
BufferedReader in = new BufferedReader(new FileReader(fileName+".TMP"));
Hs = in.readLine();
Hs = Hs.trim();
p = Hs.indexOf(" ");
Hs = Hs.substring(p);
Flen = Hs.length();
Hs = Hs.trim();
p = Hs.indexOf(" ");
Hs = Hs.substring(p);
Flen = Flen-Hs.length();
RespLen = Hs.length();
Hs = Hs.trim();
p = Hs.indexOf(" ");
Hs = Hs.substring(p);
RespLen = RespLen-Hs.length();
in.close();
in = new BufferedReader(new FileReader(fileName+".TMP"));
BufferedWriter out = new BufferedWriter(new FileWriter(fileName));
while((Hs = in.readLine()) != null) {
Hs = Hs.trim();
Hs = GetToken(Hs); Stat = Token;
Hs = GetToken(Hs); Freq = Token;
Hs = GetToken(Hs); ValueSt = Token;
Value = Double.parseDouble(ValueSt);
if( (Freq.equals("2") ) & (Value == 0) & (Stat.equals("1"))) {Freq = "0";}
if ( Freq.equals("1") & Stat.equals("1") ) { Freq = "2";}
if ( Freq.equals("1") & Stat.equals("129") & !tableSet.ghMiterApplySingleton) {Freq = "2";}
Regel = AddLeadingSpaces(Stat,5) +
AddLeadingSpaces(Freq,Flen) +
AddLeadingSpaces(ValueSt,RespLen);
if ( aprioryPerc == 100 && tableSet.minTabVal == 0) {
//basically do nothing
Regel = Regel + " " + Hs;
}
else { // first 2 lousy one's
Hs = GetToken(Hs); Regel = Regel + " "+ Token;
Hs = GetToken(Hs); Regel = Regel + " "+ Token;
Hs = GetToken(Hs); maxResp = Token;
Hs = GetToken(Hs); minResp = Token;
if ( Double.parseDouble(minResp) == 0 && Double.parseDouble(maxResp) == 0) {X = 0;}
else { X = Math.abs(aprioryPerc / 100.0) * Value;}
Regel = Regel + " "+ String.format(Locale.US, "%."+D+"f", X); //ghMiterDecimalFormat.format(X);
if (Double.parseDouble(minResp) > 0){
if ((Value - X) < tableSet.minTabVal) { X = Value - tableSet.minTabVal;}
}
Regel = Regel + " "+ String.format(Locale.US, "%."+D+"f", X); //ghMiterDecimalFormat.format(X);
Regel = Regel + " "+ Hs;
}
out.write (Regel); out.newLine();
}
out.close();
} catch (Exception ex) {
LOGGER.log(Level.SEVERE, null, ex);
throw new ArgusException("A problem was encountered when preparing the file EINGABE");
}
}
static boolean SchrijfTABELLE (String FileTABELLE, int tIndex,
boolean Linked, Integer CoverDim) throws ArgusException {
Integer t1, t2, P1, P4, P5, NExpVar, D;
int j, NA;
String Hs;
double CellResp, MinTVal;
TableSet tableSet;
if (!Linked) { t1 = tIndex; t2=tIndex;}
else { t1 = 0; t2= TableService.numberOfTables()-1; }
P4 = 0; P5 = 0;
// ANCO nog<SUF>
for (int t=t1;t<=t2;t++){
tableSet = TableService.getTable(t);
NExpVar = tableSet.expVar.size();
for ( int i=1; i<=NExpVar; i++){
Variable variable = tableSet.expVar.get(i-1);
j=variable.index;
NA = TauArgusUtils.getNumberOfActiveCodes(j);
if (P4 < NA) {P4=NA;}
//if (P5 < NExpVar) {P5 = NExpVar;} // ? Why for each i: NExpVar is fixed per table?
}
if (P5 < NExpVar) {P5 = NExpVar;}
}
if (Linked) { P5=CoverDim; tableSet = TableService.getTable(0); }
else { tableSet = TableService.getTable(tIndex);}
Hs = "";
switch (tableSet.ghMiterSize){
case 0: Hs = "50960000 200 6000"; // Normal
break;
case 1: P1 = 62500000 + 250 + 225000; // Large
//P1 = (P1 + 63 + P4 + 100000) * 4; // Why "P1 + 63 + P4" as compared to case 2: "P1 + 63 * P4" ?
P1 = (P1 + 63 * P4 + 100000) * 4;
Hs = Integer.toString(P1) + " 250 25000";
break;
case 2: P1 = 9 * tableSet.ghMiterSubtable; // Manual
P1 = (62500000 + tableSet.ghMiterSubcode + P1 + 63 * P4 + 100000) * 4; // Why "P1 + 63 * P4" as compared to case 1: "P1 + 63 + P4" ?
Hs = Integer.toString(P1) + " " + Integer.toString(tableSet.ghMiterSubcode)+" "+ Integer.toString(tableSet.ghMiterSubtable);
break;
}
Hs = Hs + " " + Integer.toString(P4) + " " + Integer.toString(P5);
try {
BufferedWriter out = new BufferedWriter(new FileWriter(FileTABELLE));
out.write (Hs ); out.newLine();
Hs = "0 0 1";
out.write (Hs ); out.newLine();
CellResp = 0;
MinTVal = 0;
D = 0;
for (int t=t1;t<=t2;t++){
tableSet = TableService.getTable(t);
CellResp = Math.max(CellResp, tableSet.maxTabVal);
MinTVal = Math.min(MinTVal, tableSet.minTabVal);
D = Math.max(D, tableSet.respVar.nDecimals);
}
Hs = String.format(Locale.US, "%."+D+"f", CellResp);
if (MinTVal >=0) {Hs = "0.000005 "+ Hs;}
else {Hs = String.format(Locale.US, "%."+D+"f", 1.5 * MinTVal) + " " +
String.format(Locale.US, "%."+D+"f", 1, CellResp - MinTVal);}
out.write (Hs ); out.newLine();
out.write("0.00"); out.newLine();
if (MinTVal >= 0) {out.write("0");}
else {out.write("1");}
out.newLine();
j = 0;
for (int t=t1;t<=t2;t++) {
tableSet = TableService.getTable(t);
j = Math.max(j, tableSet.expVar.size());
}
out.write (" " +j+" 1 "); out.newLine();//MaxDim
out.write (t2-t1+1+" "); out.newLine();
out.close();
return true;
} catch (Exception ex) {
throw new ArgusException("Unable to write the file TABELLE for the Hypercube");
}
}
public static void SchrijfSTEUER(Integer TableNumber, String number) throws ArgusException {
String HS, HS1;
TableSet tableSet = TableService.getTable(TableNumber);
double X, Y;
X = 0;
Y = 0;
if (tableSet.domRule){
if (tableSet.domK[0] != 0){ X = 100.0 / tableSet.domK[0]; X = 2 * (X-1);}
else{ X = 100.0 / tableSet.domK[2]; X = 2 * (X-1);}
}
if (tableSet.pqRule){
if (tableSet.pqP[0] != 0) {Y = 2 * tableSet.pqP[0] / 100.0; }
else {Y = 2 * tableSet.pqP[2] / 100.0; }
}
if (Y > X) { X = Y;}
if (X == 0) {
if (tableSet.frequencyRule){
if (tableSet.frequencyMarge[0] != 0) { X= tableSet.frequencyMarge[0] * 2 /100.0;}
else { X= tableSet.frequencyMarge[1] * 2 /100.0;}
}
else if (tableSet.piepRule[0]){ X = tableSet.piepMarge[0] * 2 / 100.0;}
else if (tableSet.piepRule[1]){ X = tableSet.piepMarge[1] * 2 / 100.0;}
else if (tableSet.manualMarge != 0) {X = tableSet.manualMarge * 2 / 100.0;}
}
if (tableSet.ghMiterApriory){ HS1 = "0 1 0";}
else {X = 0; HS1 = " 0 0 0";}
tableSet.ratio = X;
// getting info on table-parameters
HS = String.format(Locale.US,"%10.8f", X); // Using Locale.US to ensure the use decimalseparator = "."
HS = HS + " 0.00";
Integer OkeCode = TAUARGUS.WriteGHMITERSteuer(Application.getTempFile("STEUER"+number), HS, HS1, TableNumber);
if (OkeCode != 1) {throw new ArgusException("Unable to write the file STEUER for the Hypercube");}
}
static void CleanGHMiterFiles() {
TauArgusUtils.DeleteFileWild("PROTO*.*", Application.getTempDir());
TauArgusUtils.DeleteFile(Application.getTempFile("proto001"));
TauArgusUtils.DeleteFile(Application.getTempFile("proto002"));
TauArgusUtils.DeleteFile(Application.getTempFile("proto003"));
TauArgusUtils.DeleteFile(Application.getTempFile("AUSGABE"));
TauArgusUtils.DeleteFile(Application.getTempFile("Ft17f001"));
TauArgusUtils.DeleteFile(Application.getTempFile("Ft14f001"));
TauArgusUtils.DeleteFile(Application.getTempFile("Ft09file"));
TauArgusUtils.DeleteFile(Application.getTempFile("Ft10file"));
TauArgusUtils.DeleteFile(Application.getTempFile("Ft12file"));
TauArgusUtils.DeleteFileWild("Ft*fi*.*", Application.getTempDir());
TauArgusUtils.DeleteFileWild("Ft*f0*.*", Application.getTempDir());
TauArgusUtils.DeleteFile(Application.getTempFile("SCHNEID"));
TauArgusUtils.DeleteFile(Application.getTempFile("MAMPTABI"));
TauArgusUtils.DeleteFile(Application.getTempFile("VARIABLE"));
TauArgusUtils.DeleteFile(Application.getTempFile("AGGPOSRC"));
TauArgusUtils.DeleteFile(Application.getTempFile("ENDE"));
TauArgusUtils.DeleteFile(Application.getTempFile("frozen.txt"));
}
static String GetToken(String St) {
Integer p;
String Hs;
p = St.indexOf(" ");
if (p == 0) {
Token = St;
Hs = "";
} else {
Token = St.substring(0, p);
Hs = St.substring(p + 1).trim();
}
return Hs;
}
static String AddLeadingSpaces(String St, Integer Len) {
Integer L;
String Hs;
L = St.length();
L = Len - L;
Hs = String.format(Locale.US,"%" + Len + "s", St); //??? Shouldn't this be L instead of Len ????
return Hs;
}
}
|
2226_3 | import greenfoot.*; // (World, Actor, GreenfootImage, Greenfoot and MouseInfo)
import java.util.List;
import java.util.ArrayList;
//Reddingswerker die aan touw hangt
public class Ropeman extends Actor {
private int radius;
private boolean ropemanDead;
//Stel radius om victims op te pakken in
public Ropeman() {
radius = 5;
}
protected void addedToWorld(World world) {
ropemanDead = false;
}
public void act() {
//Check voor victims binnen bereik. Voeg punten toe en verwijder victim wanneer gevonden.
List<Actor> victims = getObjectsInRange(radius, Victim.class);
for (Actor victim : victims) {
HelicopterWorld world = (HelicopterWorld)getWorld();
world.addScore(50);
int x = getX();
int y = getY();
world.removeObject(victim);
}
//Check of reddingswerker verdrinkt.
int waterOffset = 70 - ((HelicopterWorld)getWorld()).getWaterLevel() / 2 / 10;
if (waterOffset <= getY()) {
resetRopeman();
ropemanDead = true;
}
//Check collision
if (!ropemanDead) {
Actor houselinks = getOneObjectAtOffset(1, 0, House.class);
if (houselinks != null && Greenfoot.isKeyDown("d")) {
resetRopeman();
}
Actor houserechts = getOneObjectAtOffset(-2, 0, House.class);
if (houserechts != null && Greenfoot.isKeyDown("a")) {
resetRopeman();
}
Actor houseboven = getOneObjectAtOffset(0, 3, House.class);
if (houseboven != null && Greenfoot.isKeyDown("s")) {
resetRopeman();
}
}
}
public void setRadius(int r) {
if (r <= 0) r = 1;
radius = r;
}
public int getRadius() {
return radius;
}
//Reset reddingswerker.
public void resetRopeman() {
HelicopterWorld world = (HelicopterWorld)getWorld();
getWorld().removeObject(this);
world.lostLifeRope();
}
}
| Project42/game2 | Ropeman.java | 608 | //Check voor victims binnen bereik. Voeg punten toe en verwijder victim wanneer gevonden.
| line_comment | nl | import greenfoot.*; // (World, Actor, GreenfootImage, Greenfoot and MouseInfo)
import java.util.List;
import java.util.ArrayList;
//Reddingswerker die aan touw hangt
public class Ropeman extends Actor {
private int radius;
private boolean ropemanDead;
//Stel radius om victims op te pakken in
public Ropeman() {
radius = 5;
}
protected void addedToWorld(World world) {
ropemanDead = false;
}
public void act() {
//Check voor<SUF>
List<Actor> victims = getObjectsInRange(radius, Victim.class);
for (Actor victim : victims) {
HelicopterWorld world = (HelicopterWorld)getWorld();
world.addScore(50);
int x = getX();
int y = getY();
world.removeObject(victim);
}
//Check of reddingswerker verdrinkt.
int waterOffset = 70 - ((HelicopterWorld)getWorld()).getWaterLevel() / 2 / 10;
if (waterOffset <= getY()) {
resetRopeman();
ropemanDead = true;
}
//Check collision
if (!ropemanDead) {
Actor houselinks = getOneObjectAtOffset(1, 0, House.class);
if (houselinks != null && Greenfoot.isKeyDown("d")) {
resetRopeman();
}
Actor houserechts = getOneObjectAtOffset(-2, 0, House.class);
if (houserechts != null && Greenfoot.isKeyDown("a")) {
resetRopeman();
}
Actor houseboven = getOneObjectAtOffset(0, 3, House.class);
if (houseboven != null && Greenfoot.isKeyDown("s")) {
resetRopeman();
}
}
}
public void setRadius(int r) {
if (r <= 0) r = 1;
radius = r;
}
public int getRadius() {
return radius;
}
//Reset reddingswerker.
public void resetRopeman() {
HelicopterWorld world = (HelicopterWorld)getWorld();
getWorld().removeObject(this);
world.lostLifeRope();
}
}
|
2227_0 | package shared;
/*
* Authors: Jan Willem Alejandro Casteleijn & Henri van de Munt (ICTM2a)
*/
public class Klant {
private String voorNaam;
private String achterNaam;
private String adres;
private String postcode;
private String plaats;
public Klant(String voorNaam, String achterNaam, String adres, String postcode, String plaats){
this.voorNaam = voorNaam;
this.achterNaam = achterNaam;
this.adres = adres;
this.postcode = postcode;
this.plaats = plaats;
}
public String getVoorNaam() {
return voorNaam;
}
public void setVoorNaam(String voorNaam) {
this.voorNaam = voorNaam;
}
public String getAchterNaam() {
return achterNaam;
}
public void setAchterNaam(String achterNaam) {
this.achterNaam = achterNaam;
}
public String getAdres() {
return adres;
}
public void setAdres(String adres) {
this.adres = adres;
}
public String getPostcode() {
return postcode;
}
public void setPostcode(String postcode) {
this.postcode = postcode;
}
public String getPlaats() {
return plaats;
}
public void setPlaats(String plaats) {
this.plaats = plaats;
}
}
| dylandreimerink/magazijnrobot | src/shared/Klant.java | 350 | /*
* Authors: Jan Willem Alejandro Casteleijn & Henri van de Munt (ICTM2a)
*/ | block_comment | nl | package shared;
/*
* Authors: Jan Willem<SUF>*/
public class Klant {
private String voorNaam;
private String achterNaam;
private String adres;
private String postcode;
private String plaats;
public Klant(String voorNaam, String achterNaam, String adres, String postcode, String plaats){
this.voorNaam = voorNaam;
this.achterNaam = achterNaam;
this.adres = adres;
this.postcode = postcode;
this.plaats = plaats;
}
public String getVoorNaam() {
return voorNaam;
}
public void setVoorNaam(String voorNaam) {
this.voorNaam = voorNaam;
}
public String getAchterNaam() {
return achterNaam;
}
public void setAchterNaam(String achterNaam) {
this.achterNaam = achterNaam;
}
public String getAdres() {
return adres;
}
public void setAdres(String adres) {
this.adres = adres;
}
public String getPostcode() {
return postcode;
}
public void setPostcode(String postcode) {
this.postcode = postcode;
}
public String getPlaats() {
return plaats;
}
public void setPlaats(String plaats) {
this.plaats = plaats;
}
}
|
2228_0 | /*
* Voorbeeldspel (eigenlijk non-game) voor de studenten van course 4I, ICA, najaar 2005
*
*/
package vissenkom;
import phonegame.*;
/**
* Een Bullet wordt door de Vis afgevuurd en verdwijnt weer als ie buiten
* de wereldgrenzen komt. Doet verder (nog) niks, dus 'pretty useless'!
*
* @author Paul Bergervoet
* @version 1.0
*/
public class Bullet extends MoveableGameItem
{
private Vissenkom mygame;
/**
* Maak een Bullet op de opgegeven plaats, met kennis van het spel zelf ivm verwijderen
*
* @param x De x-positie van de kogel
* @param y De y-positie van de kogel
* @param vg referentie naar het spel
*/
public Bullet(int x, int y, Vissenkom vg)
{ mygame = vg;
setImage("/images/fire_bullet1.png", 9, 20);
// plaatsen op de opgegeven positie
setPosition(x, y);
// snelheid 4, naar rechts
setDirectionSpeed(0, 4);
startMoving();
}
/**
* De kogel verwijdert zichzelf als ie buiten de wereld geraakt.
*
* @see phonegame.MoveableGameItem#outsideWorld()
*/
public void outsideWorld()
{ mygame.deleteGameItem(this);
}
}
| ddoa/game-api-j2me | src/vissenkom/Bullet.java | 397 | /*
* Voorbeeldspel (eigenlijk non-game) voor de studenten van course 4I, ICA, najaar 2005
*
*/ | block_comment | nl | /*
* Voorbeeldspel (eigenlijk non-game)<SUF>*/
package vissenkom;
import phonegame.*;
/**
* Een Bullet wordt door de Vis afgevuurd en verdwijnt weer als ie buiten
* de wereldgrenzen komt. Doet verder (nog) niks, dus 'pretty useless'!
*
* @author Paul Bergervoet
* @version 1.0
*/
public class Bullet extends MoveableGameItem
{
private Vissenkom mygame;
/**
* Maak een Bullet op de opgegeven plaats, met kennis van het spel zelf ivm verwijderen
*
* @param x De x-positie van de kogel
* @param y De y-positie van de kogel
* @param vg referentie naar het spel
*/
public Bullet(int x, int y, Vissenkom vg)
{ mygame = vg;
setImage("/images/fire_bullet1.png", 9, 20);
// plaatsen op de opgegeven positie
setPosition(x, y);
// snelheid 4, naar rechts
setDirectionSpeed(0, 4);
startMoving();
}
/**
* De kogel verwijdert zichzelf als ie buiten de wereld geraakt.
*
* @see phonegame.MoveableGameItem#outsideWorld()
*/
public void outsideWorld()
{ mygame.deleteGameItem(this);
}
}
|
2228_1 | /*
* Voorbeeldspel (eigenlijk non-game) voor de studenten van course 4I, ICA, najaar 2005
*
*/
package vissenkom;
import phonegame.*;
/**
* Een Bullet wordt door de Vis afgevuurd en verdwijnt weer als ie buiten
* de wereldgrenzen komt. Doet verder (nog) niks, dus 'pretty useless'!
*
* @author Paul Bergervoet
* @version 1.0
*/
public class Bullet extends MoveableGameItem
{
private Vissenkom mygame;
/**
* Maak een Bullet op de opgegeven plaats, met kennis van het spel zelf ivm verwijderen
*
* @param x De x-positie van de kogel
* @param y De y-positie van de kogel
* @param vg referentie naar het spel
*/
public Bullet(int x, int y, Vissenkom vg)
{ mygame = vg;
setImage("/images/fire_bullet1.png", 9, 20);
// plaatsen op de opgegeven positie
setPosition(x, y);
// snelheid 4, naar rechts
setDirectionSpeed(0, 4);
startMoving();
}
/**
* De kogel verwijdert zichzelf als ie buiten de wereld geraakt.
*
* @see phonegame.MoveableGameItem#outsideWorld()
*/
public void outsideWorld()
{ mygame.deleteGameItem(this);
}
}
| ddoa/game-api-j2me | src/vissenkom/Bullet.java | 397 | /**
* Een Bullet wordt door de Vis afgevuurd en verdwijnt weer als ie buiten
* de wereldgrenzen komt. Doet verder (nog) niks, dus 'pretty useless'!
*
* @author Paul Bergervoet
* @version 1.0
*/ | block_comment | nl | /*
* Voorbeeldspel (eigenlijk non-game) voor de studenten van course 4I, ICA, najaar 2005
*
*/
package vissenkom;
import phonegame.*;
/**
* Een Bullet wordt<SUF>*/
public class Bullet extends MoveableGameItem
{
private Vissenkom mygame;
/**
* Maak een Bullet op de opgegeven plaats, met kennis van het spel zelf ivm verwijderen
*
* @param x De x-positie van de kogel
* @param y De y-positie van de kogel
* @param vg referentie naar het spel
*/
public Bullet(int x, int y, Vissenkom vg)
{ mygame = vg;
setImage("/images/fire_bullet1.png", 9, 20);
// plaatsen op de opgegeven positie
setPosition(x, y);
// snelheid 4, naar rechts
setDirectionSpeed(0, 4);
startMoving();
}
/**
* De kogel verwijdert zichzelf als ie buiten de wereld geraakt.
*
* @see phonegame.MoveableGameItem#outsideWorld()
*/
public void outsideWorld()
{ mygame.deleteGameItem(this);
}
}
|
2228_2 | /*
* Voorbeeldspel (eigenlijk non-game) voor de studenten van course 4I, ICA, najaar 2005
*
*/
package vissenkom;
import phonegame.*;
/**
* Een Bullet wordt door de Vis afgevuurd en verdwijnt weer als ie buiten
* de wereldgrenzen komt. Doet verder (nog) niks, dus 'pretty useless'!
*
* @author Paul Bergervoet
* @version 1.0
*/
public class Bullet extends MoveableGameItem
{
private Vissenkom mygame;
/**
* Maak een Bullet op de opgegeven plaats, met kennis van het spel zelf ivm verwijderen
*
* @param x De x-positie van de kogel
* @param y De y-positie van de kogel
* @param vg referentie naar het spel
*/
public Bullet(int x, int y, Vissenkom vg)
{ mygame = vg;
setImage("/images/fire_bullet1.png", 9, 20);
// plaatsen op de opgegeven positie
setPosition(x, y);
// snelheid 4, naar rechts
setDirectionSpeed(0, 4);
startMoving();
}
/**
* De kogel verwijdert zichzelf als ie buiten de wereld geraakt.
*
* @see phonegame.MoveableGameItem#outsideWorld()
*/
public void outsideWorld()
{ mygame.deleteGameItem(this);
}
}
| ddoa/game-api-j2me | src/vissenkom/Bullet.java | 397 | /**
* Maak een Bullet op de opgegeven plaats, met kennis van het spel zelf ivm verwijderen
*
* @param x De x-positie van de kogel
* @param y De y-positie van de kogel
* @param vg referentie naar het spel
*/ | block_comment | nl | /*
* Voorbeeldspel (eigenlijk non-game) voor de studenten van course 4I, ICA, najaar 2005
*
*/
package vissenkom;
import phonegame.*;
/**
* Een Bullet wordt door de Vis afgevuurd en verdwijnt weer als ie buiten
* de wereldgrenzen komt. Doet verder (nog) niks, dus 'pretty useless'!
*
* @author Paul Bergervoet
* @version 1.0
*/
public class Bullet extends MoveableGameItem
{
private Vissenkom mygame;
/**
* Maak een Bullet<SUF>*/
public Bullet(int x, int y, Vissenkom vg)
{ mygame = vg;
setImage("/images/fire_bullet1.png", 9, 20);
// plaatsen op de opgegeven positie
setPosition(x, y);
// snelheid 4, naar rechts
setDirectionSpeed(0, 4);
startMoving();
}
/**
* De kogel verwijdert zichzelf als ie buiten de wereld geraakt.
*
* @see phonegame.MoveableGameItem#outsideWorld()
*/
public void outsideWorld()
{ mygame.deleteGameItem(this);
}
}
|
2228_3 | /*
* Voorbeeldspel (eigenlijk non-game) voor de studenten van course 4I, ICA, najaar 2005
*
*/
package vissenkom;
import phonegame.*;
/**
* Een Bullet wordt door de Vis afgevuurd en verdwijnt weer als ie buiten
* de wereldgrenzen komt. Doet verder (nog) niks, dus 'pretty useless'!
*
* @author Paul Bergervoet
* @version 1.0
*/
public class Bullet extends MoveableGameItem
{
private Vissenkom mygame;
/**
* Maak een Bullet op de opgegeven plaats, met kennis van het spel zelf ivm verwijderen
*
* @param x De x-positie van de kogel
* @param y De y-positie van de kogel
* @param vg referentie naar het spel
*/
public Bullet(int x, int y, Vissenkom vg)
{ mygame = vg;
setImage("/images/fire_bullet1.png", 9, 20);
// plaatsen op de opgegeven positie
setPosition(x, y);
// snelheid 4, naar rechts
setDirectionSpeed(0, 4);
startMoving();
}
/**
* De kogel verwijdert zichzelf als ie buiten de wereld geraakt.
*
* @see phonegame.MoveableGameItem#outsideWorld()
*/
public void outsideWorld()
{ mygame.deleteGameItem(this);
}
}
| ddoa/game-api-j2me | src/vissenkom/Bullet.java | 397 | // plaatsen op de opgegeven positie
| line_comment | nl | /*
* Voorbeeldspel (eigenlijk non-game) voor de studenten van course 4I, ICA, najaar 2005
*
*/
package vissenkom;
import phonegame.*;
/**
* Een Bullet wordt door de Vis afgevuurd en verdwijnt weer als ie buiten
* de wereldgrenzen komt. Doet verder (nog) niks, dus 'pretty useless'!
*
* @author Paul Bergervoet
* @version 1.0
*/
public class Bullet extends MoveableGameItem
{
private Vissenkom mygame;
/**
* Maak een Bullet op de opgegeven plaats, met kennis van het spel zelf ivm verwijderen
*
* @param x De x-positie van de kogel
* @param y De y-positie van de kogel
* @param vg referentie naar het spel
*/
public Bullet(int x, int y, Vissenkom vg)
{ mygame = vg;
setImage("/images/fire_bullet1.png", 9, 20);
// plaatsen op<SUF>
setPosition(x, y);
// snelheid 4, naar rechts
setDirectionSpeed(0, 4);
startMoving();
}
/**
* De kogel verwijdert zichzelf als ie buiten de wereld geraakt.
*
* @see phonegame.MoveableGameItem#outsideWorld()
*/
public void outsideWorld()
{ mygame.deleteGameItem(this);
}
}
|