code stringlengths 1 2.01M | repo_name stringlengths 3 62 | path stringlengths 1 267 | language stringclasses 231
values | license stringclasses 13
values | size int64 1 2.01M |
|---|---|---|---|---|---|
#!/bin/bash
echo Read serial port
echo Usage $0 [BaudRate] \(default 9600\)
echo Try 2400, 4800, 9600, 19200, 38400, 57600, 115200, ...
CP=./classes:$PI4J_HOME/lib/pi4j-core.jar
sudo java -cp $CP readserialport.SerialReader $*
| 12nosanshiro-pi4j-sample | ReadSerialPort/run | Shell | mit | 228 |
package readserialport;
import com.pi4j.io.serial.Serial;
import com.pi4j.io.serial.SerialDataEvent;
import com.pi4j.io.serial.SerialDataListener;
import com.pi4j.io.serial.SerialFactory;
import com.pi4j.io.serial.SerialPortException;
import java.util.Date;
public class SerialReader
{
public static void main(String args[])
throws InterruptedException, NumberFormatException
{
int br = Integer.parseInt(System.getProperty("baud.rate", "9600"));
if (args.length > 0)
{
try
{
br = Integer.parseInt(args[0]);
}
catch (Exception ex)
{
System.err.println(ex.getMessage());
}
}
System.out.println("Serial Communication.");
System.out.println(" ... connect using settings: " + Integer.toString(br) + ", N, 8, 1.");
System.out.println(" ... data received on serial port should be displayed below.");
// create an instance of the serial communications class
final Serial serial = SerialFactory.createInstance();
// create and register the serial data listener
serial.addListener(new SerialDataListener()
{
@Override
public void dataReceived(SerialDataEvent event)
{
// print out the data received to the console
System.out.print(/*"Read:\n" + */ event.getData());
}
});
try
{
// open the default serial port provided on the GPIO header
System.out.println("Opening port [" + Serial.DEFAULT_COM_PORT + ":" + Integer.toString(br) + "]");
serial.open(Serial.DEFAULT_COM_PORT, br);
System.out.println("Port is opened.");
// continuous loop to keep the program running until the user terminates the program
while (true)
{
if (serial.isOpen())
{
System.out.println("Writing to the serial port...");
try
{
// write a formatted string to the serial transmit buffer
serial.write("CURRENT TIME: %s", new Date().toString());
// write a individual bytes to the serial transmit buffer
serial.write((byte) 13);
serial.write((byte) 10);
// write a simple string to the serial transmit buffer
serial.write("Second Line");
// write a individual characters to the serial transmit buffer
serial.write('\r');
serial.write('\n');
// write a string terminating with CR+LF to the serial transmit buffer
serial.writeln("Third Line");
}
catch (IllegalStateException ex)
{
ex.printStackTrace();
}
}
else
{
System.out.println("Not open yet...");
}
// wait 1 second before continuing
Thread.sleep(1000);
}
}
catch (SerialPortException ex)
{
System.out.println(" ==>> SERIAL SETUP FAILED : " + ex.getMessage());
return;
}
}
}
| 12nosanshiro-pi4j-sample | ReadSerialPort/src/readserialport/SerialReader.java | Java | mit | 2,951 |
#!/bin/bash
echo Driving a relay, pin 00
CP=./classes:$PI4J_HOME/lib/pi4j-core.jar
sudo java -cp $CP relay.Relay01
| 12nosanshiro-pi4j-sample | Relay/run | Shell | mit | 115 |
package relay;
import com.pi4j.io.gpio.GpioController;
import com.pi4j.io.gpio.GpioFactory;
import com.pi4j.io.gpio.GpioPinDigitalOutput;
import com.pi4j.io.gpio.PinState;
import com.pi4j.io.gpio.RaspiPin;
/**
* 5v are required to drive the relay
* The GPIO pins deliver 3.3v
* To drive a relay, a relay board is required.
* (it may contain what's needed to drive the relay with 3.3v)
*/
public class Relay01
{
public static void main(String[] args) throws InterruptedException
{
System.out.println("GPIO Control - pin 00/#17 and 01/#18 ... started.");
System.out.println("(Labelled #17 an #18 on the cobbler.)");
// create gpio controller
final GpioController gpio = GpioFactory.getInstance();
// For a relay it seems that HIGH means NC (Normally Closed)...
final GpioPinDigitalOutput pin17 = gpio.provisionDigitalOutputPin(RaspiPin.GPIO_00, "Relay1", PinState.HIGH);
final GpioPinDigitalOutput pin18 = gpio.provisionDigitalOutputPin(RaspiPin.GPIO_01, "Relay2", PinState.HIGH);
System.out.println("--> GPIO state should be: OFF, and it is ");
Thread.sleep(1000);
pin17.low();
System.out.println("--> pin 17 should be: ON, and it is " + (pin17.isHigh()?"OFF":"ON"));
Thread.sleep(1000);
pin17.high();
System.out.println("--> pin 17 should be: OFF");
Thread.sleep(1000);
pin18.low();
System.out.println("--> pin 18 should be: ON");
Thread.sleep(1000);
pin18.high();
System.out.println("--> pin 18 should be: OFF");
gpio.shutdown();
}
}
| 12nosanshiro-pi4j-sample | Relay/src/relay/Relay01.java | Java | mit | 1,544 |
#!/bin/bash
echo Read an ADC
#
CP=./classes:$PI4J_HOME/lib/pi4j-core.jar
sudo java -cp $CP adc.sample.SampleMain $*
| 12nosanshiro-pi4j-sample | ADC/run.cli | Shell | mit | 116 |
#!/usr/bin/env python
import time
import os
import RPi.GPIO as GPIO
GPIO.setmode(GPIO.BCM)
DEBUG = 0
# read SPI data from MCP3008 chip, 8 possible adc's (0 thru 7)
def readadc(adcnum, clockpin, mosipin, misopin, cspin):
if ((adcnum > 7) or (adcnum < 0)):
return -1
GPIO.output(cspin, True)
GPIO.output(clockpin, False) # start clock low
GPIO.output(cspin, False) # bring CS low
commandout = adcnum
print "---------------------------"
displayNumber("Base:", adcnum)
commandout |= 0x18 # start bit + single-ended bit
displayNumber("0x18:", adcnum)
commandout <<= 3 # we only need to send 5 bits here
for i in range(5):
displayNumber(("i:%i" % i), adcnum)
if (commandout & 0x80): # 0x80 = 10000000
GPIO.output(mosipin, True)
else:
GPIO.output(mosipin, False)
commandout <<= 1
GPIO.output(clockpin, True)
GPIO.output(clockpin, False)
adcout = 0
# read in one empty bit, one null bit and 10 ADC bits
for i in range(12):
GPIO.output(clockpin, True)
GPIO.output(clockpin, False)
adcout <<= 1
if (GPIO.input(misopin)):
adcout |= 0x1
displayNumber(("ADCOUT i:%i" % i), adcout)
GPIO.output(cspin, True)
adcout >>= 1 # first bit is 'null' so drop it
displayNumber("final ADCOUT:", adcout)
return adcout
def displayNumber(prefix, num):
print prefix, num, "\t", hex(num), "\t", bin(num)
# change these as desired - they're the pins connected from the
# SPI port on the ADC to the Cobbler
SPICLK = 18
SPIMISO = 23
SPIMOSI = 24
SPICS = 25
# set up the SPI interface pins
GPIO.setup(SPIMOSI, GPIO.OUT)
GPIO.setup(SPIMISO, GPIO.IN)
GPIO.setup(SPICLK, GPIO.OUT)
GPIO.setup(SPICS, GPIO.OUT)
# 10k trim pot connected to adc #0
potentiometer_adc = 0;
last_read = 0 # this keeps track of the last potentiometer value
tolerance = 5 # to keep from being jittery we'll only change
# volume when the pot has moved more than 5 'counts'
while True:
# we'll assume that the pot didn't move
trim_pot_changed = False
# read the analog pin
trim_pot = readadc(potentiometer_adc, SPICLK, SPIMOSI, SPIMISO, SPICS)
# how much has it changed since the last read?
pot_adjust = abs(trim_pot - last_read)
if DEBUG:
print "trim_pot :", trim_pot
print "pot_adjust:", pot_adjust
print "last_read :", last_read
if ( pot_adjust > tolerance ):
trim_pot_changed = True
if DEBUG:
print "trim_pot_changed", trim_pot_changed
if ( trim_pot_changed ):
set_volume = trim_pot / 10.24 # convert 10bit adc0 (0-1024) trim pot read into 0-100 volume level
set_volume = round(set_volume) # round out decimal value
set_volume = int(set_volume) # cast volume as integer
print 'Volume = {volume}%' .format(volume = set_volume)
# set_vol_cmd = 'sudo amixer cset numid=1 -- {volume}% > /dev/null' .format(volume = set_volume)
# os.system(set_vol_cmd) # set volume
if DEBUG:
print "set_volume", set_volume
print "tri_pot_changed", set_volume
# save the potentiometer reading for the next loop
last_read = trim_pot
# hang out and do nothing for a half second
time.sleep(0.5)
| 12nosanshiro-pi4j-sample | ADC/raspi-adc-pot.py | Python | mit | 3,801 |
#!/bin/bash
JAVAC_OPTIONS="-sourcepath ./src"
JAVAC_OPTIONS="$JAVAC_OPTIONS -d ./classes"
echo $JAVAC_OPTIONS
CP=./classes
CP=$CP:$PI4J_HOME/lib/pi4j-core.jar
CP=$CP:./lib/jansi-1.9.jar
CP=$CP:./lib/orasocket-client-12.1.3.jar
# JAVAC_OPTIONS="-verbose $JAVAC_OPTIONS"
JAVAC_OPTIONS="$JAVAC_OPTIONS -cp $CP"
COMMAND="javac $JAVAC_OPTIONS `find ./src -name '*.java' -print`"
echo Compiling: $COMMAND
$COMMAND
echo Done
| 12nosanshiro-pi4j-sample | ADC/compile | Shell | mit | 419 |
#!/bin/bash
CP=./classes
CP=$CP:./lib/jansi-1.9.jar
CP=$CP:$PI4J_HOME/lib/pi4j-core.jar
java -cp $CP adc.sample.FiveChannelListener
| 12nosanshiro-pi4j-sample | ADC/five.channels | Shell | mit | 133 |
#!/bin/bash
echo Monitoring the batteries on the boat, for real \(see coeffs\)
#
CP=./classes
CP=$CP:$PI4J_HOME/lib/pi4j-core.jar
CP=$CP:./lib/jansi-1.9.jar
# sudo java -client -agentlib:jdwp=transport=dt_socket,server=y,address=1044 -cp $CP adc.sample.BatteryMonitor $*
sudo java -cp $CP adc.sample.BatteryMonitor -min=695:9.1 -max=973:12.6 $*
| 12nosanshiro-pi4j-sample | ADC/real.battery.monitor | Shell | mit | 345 |
#!/bin/bash
echo Read an ADC
#
CP=./classes:$PI4J_HOME/lib/pi4j-core.jar
sudo java -cp $CP analogdigitalconverter.ADCReader
| 12nosanshiro-pi4j-sample | ADC/run | Shell | mit | 124 |
"use strict";
var connection;
(function ()
{
// if user is running mozilla then use it's built-in WebSocket
// window.WebSocket = window.WebSocket || window.MozWebSocket; // TODO otherwise, fall back
var ws = window.WebSocket || window.MozWebSocket; // TODO otherwise, fall back
// if browser doesn't support WebSocket, just show some notification and exit
// if (!window.WebSocket)
if (!ws)
{
displayMessage('Sorry, but your browser does not support WebSockets.'); // TODO Fallback
return;
}
// open connection
var rootUri = "ws://" + (document.location.hostname === "" ? "localhost" : document.location.hostname) + ":" +
(document.location.port === "" ? "8080" : document.location.port);
console.log(rootUri);
connection = new WebSocket(rootUri); // 'ws://localhost:9876');
connection.onopen = function ()
{
displayMessage('Connected.')
};
connection.onerror = function (error)
{
// just in there were some problems with connection...
displayMessage('Sorry, but there is some problem with your connection or the server is down.');
};
// most important part - incoming messages
connection.onmessage = function (message)
{
// console.log('onmessage:' + message);
// try to parse JSON message.
try
{
var json = JSON.parse(message.data);
}
catch (e)
{
displayMessage('This doesn\'t look like a valid JSON: ' + message.data);
return;
}
// NOTE: if you're not sure about the JSON structure
// check the server source code above
if (json.type === 'message') // TODO Get rid of the other types above
{
// it's a single message
var value = parseInt(json.data.text);
// console.log('Setting value to ' + value);
displayValue.setValue(value);
}
else
{
displayMessage('Hmm..., I\'ve never seen JSON like this: ' + json);
}
};
/**
* This method is optional. If the server wasn't able to respond to the
* in 3 seconds then show some error message to notify the user that
* something is wrong.
*/
setInterval(function()
{
if (connection.readyState !== 1)
{
displayMessage('Unable to communicate with the WebSocket server. Try again.');
}
}, 3000); // Ping
})();
var sendMessage = function(msg)
{
if (!msg)
{
return;
}
// send the message as an ordinary text
connection.send(msg);
};
var displayMessage = function(mess)
{
var messList = statusFld.innerHTML;
messList = (((messList !== undefined && messList.length) > 0 ? messList + '<br>' : '') + mess);
statusFld.innerHTML = messList;
};
var resetStatus = function()
{
statusFld.innerHTML = "";
};
| 12nosanshiro-pi4j-sample | ADC/node/client.js | JavaScript | mit | 2,723 |
<!DOCTYPE html>
<html>
<head>
<meta charset="utf-8">
<title>ADC / WebSockets</title>
<script type="text/javascript" src="widgets/AnalogDisplay.js"></script>
<style>
* { font-family:tahoma; font-size:12px; padding:0px; margin:0px; }
p { line-height:18px; }
</style>
<script type="text/javascript">
/**
* Warning: there is a first HTTP HandShake going on, that must follow the orasocket.js protocol.
* See the request header:
* "tyrus-ws-attempt" = "Hand-Shake"
*
* Response headers will contain:
* "tyrus-fallback-transports"
* "tyrus-connection-id"
*
* FYI, tyrus is the name of the RI for JSR356.
*/
var response = {};
var displayValue;
var statusFld;
window.onload = function()
{
displayValue = new AnalogDisplay('valueCanvas', 100, 100, 10, 1, true, 40);
statusFld = document.getElementById("status");
console.log("Sending first (POST) request...");
var xhr = new XMLHttpRequest();
xhr.onreadystatechange = function()
{
if (xhr.readyState == 4 && xhr.status == 200)
{
response = JSON.parse(xhr.responseText);
console.log(response);
var headers = xhr.getAllResponseHeaders();
console.log("All headers:\n" + headers);
var supportedTransports = xhr.getResponseHeader("tyrus-fallback-transports");
console.log("Transports:" + supportedTransports);
var transports = supportedTransports.split(",");
var preferredProtocol = "";
for (var i=0; i<transports.length; i++)
{
console.log("Transport : " + transports[i] + " " + (transports[i] in window ? "": "NOT ") + "supported.");
if (transports[i] in window)
{
preferredProtocol = transports[i];
break;
}
}
if (preferredProtocol.length == 0)
console.log("No protocol can be used...");
else
console.log("Preferred Protocol is " + preferredProtocol);
var clientID = xhr.getResponseHeader("tyrus-connection-id");
console.log("Client ID:" + clientID);
}
};
xhr.open("POST", "/", true);
xhr.setRequestHeader("tyrus-ws-attempt", "Hand-Shake"); // Means return the transport list, and my unique ID
xhr.send();
};
</script>
</head>
<body>
<table width="100%">
<tr>
<td valign="top"><h2>ADC on WebSocket</h2></td>
</tr>
<tr>
<td align="left">
<div id="status" style="padding:5px; background:#ddd; border-radius:5px; overflow-y: scroll; border:1px solid #CCC; margin-top:10px; height: 80px;">
<!--i>Status will go here when needed...</i-->
</div>
</td>
</tr>
<tr>
<td valign="top" align="right"><a href="" onclick="javascript:resetStatus(); return false;" title="Clear status board"><small>Reset Status</small></a></td>
</tr>
<tr>
<td align="center" valign="top">
<canvas id="valueCanvas" width="240" height="220" title="Potentiometer value"></canvas>
</td>
</tr>
</table>
<hr>
<script src="./client.js"></script>
</body>
</html>
| 12nosanshiro-pi4j-sample | ADC/node/display.html | HTML | mit | 3,631 |
/*
* @author Olivier Le Diouris
*/
// TODO This config in CSS
// We wait for the var- custom properties to be implemented in CSS...
// @see http://www.w3.org/TR/css-variables-1/
/*
* For now:
* Themes are applied based on a css class:
* .display-scheme
* {
* color: black;
* }
*
* if color is black, analogDisplayColorConfigBlack is applied
* if color is white, analogDisplayColorConfigWhite is applied, etc
*/
var analogDisplayColorConfigWhite =
{
bgColor: 'white',
digitColor: 'black',
withGradient: true,
displayBackgroundGradient: { from: 'LightGrey', to: 'white' },
withDisplayShadow: true,
shadowColor: 'rgba(0, 0, 0, 0.75)',
outlineColor: 'DarkGrey',
majorTickColor: 'black',
minorTickColor: 'black',
valueColor: 'grey',
valueOutlineColor: 'black',
valueNbDecimal: 0,
handColor: 'rgba(0, 0, 100, 0.25)',
handOutlineColor: 'black',
withHandShadow: true,
knobColor: 'DarkGrey',
knobOutlineColor: 'black',
font: 'Arial' /* 'Source Code Pro' */
};
var analogDisplayColorConfigBlack =
{
bgColor: 'black',
digitColor: 'LightBlue',
withGradient: true,
displayBackgroundGradient: { from: 'black', to: 'LightGrey' },
shadowColor: 'black',
outlineColor: 'DarkGrey',
majorTickColor: 'LightGreen',
minorTickColor: 'LightGreen',
valueColor: 'LightGreen',
valueOutlineColor: 'black',
valueNbDecimal: 1,
handColor: 'rgba(0, 0, 100, 0.25)',
handOutlineColor: 'blue',
withHandShadow: true,
knobColor: '#8ED6FF', // Kind of blue
knobOutlineColor: 'blue',
font: 'Arial'
};
var analogDisplayColorConfig = analogDisplayColorConfigWhite; // White is the default
function AnalogDisplay(cName, // Canvas Name
dSize, // Display radius
maxValue, // default 10
majorTicks, // default 1
minorTicks, // default 0
withDigits, // default true, boolean
overlapOver180InDegree, // default 0, beyond horizontal, in degrees, before 0, after 180
startValue) // default 0, In case it is not 0
{
if (maxValue === undefined)
maxValue = 10;
if (majorTicks === undefined)
majorTicks = 1;
if (minorTicks === undefined)
minorTicks = 0;
if (withDigits === undefined)
withDigits = true;
if (overlapOver180InDegree === undefined)
overlapOver180InDegree = 0;
if (startValue === undefined)
startValue = 0;
var scale = dSize / 100;
var canvasName = cName;
var displaySize = dSize;
var running = false;
var previousValue = startValue;
var intervalID;
var valueToDisplay = 0;
var incr = 1;
var instance = this;
//try { console.log('in the AnalogDisplay constructor for ' + cName + " (" + dSize + ")"); } catch (e) {}
(function(){ drawDisplay(canvasName, displaySize, previousValue); })(); // Invoked automatically
this.repaint = function()
{
drawDisplay(canvasName, displaySize, previousValue);
};
this.setDisplaySize = function(ds)
{
scale = ds / 100;
displaySize = ds;
drawDisplay(canvasName, displaySize, previousValue);
};
this.startStop = function (buttonName)
{
// console.log('StartStop requested on ' + buttonName);
var button = document.getElementById(buttonName);
running = !running;
button.value = (running ? "Stop" : "Start");
if (running)
this.animate();
else
{
window.clearInterval(intervalID);
previousValue = valueToDisplay;
}
};
this.animate = function()
{
var value;
if (arguments.length === 1)
value = arguments[0];
else
{
// console.log("Generating random value");
value = maxValue * Math.random();
}
value = Math.max(value, startValue);
value = Math.min(value, maxValue);
//console.log("Reaching Value :" + value + " from " + previousValue);
diff = value - previousValue;
valueToDisplay = previousValue;
// console.log(canvasName + " going from " + previousValue + " to " + value);
// if (diff > 0)
// incr = 0.01 * maxValue;
// else
// incr = -0.01 * maxValue;
incr = diff / 10;
if (intervalID)
window.clearInterval(intervalID);
intervalID = window.setInterval(function () { displayAndIncrement(value); }, 10);
};
var displayAndIncrement = function(finalValue)
{
//console.log('Tic ' + inc + ', ' + finalValue);
drawDisplay(canvasName, displaySize, valueToDisplay);
valueToDisplay += incr;
if ((incr > 0 && valueToDisplay > finalValue) || (incr < 0 && valueToDisplay < finalValue))
{
// console.log('Stop, ' + finalValue + ' reached, steps were ' + incr);
window.clearInterval(intervalID);
previousValue = finalValue;
if (running)
instance.animate();
else
drawDisplay(canvasName, displaySize, finalValue); // Final display
}
};
function drawDisplay(displayCanvasName, displayRadius, displayValue)
{
var schemeColor;
try { schemeColor = getCSSClass(".display-scheme"); } catch (err) { /* not there */ }
if (schemeColor !== undefined && schemeColor !== null)
{
var styleElements = schemeColor.split(";");
for (var i=0; i<styleElements.length; i++)
{
var nv = styleElements[i].split(":");
if ("color" === nv[0])
{
// console.log("Scheme Color:[" + nv[1].trim() + "]");
if (nv[1].trim() === 'black')
analogDisplayColorConfig = analogDisplayColorConfigBlack;
else if (nv[1].trim() === 'white')
analogDisplayColorConfig = analogDisplayColorConfigWhite;
}
}
}
var digitColor = analogDisplayColorConfig.digitColor;
var canvas = document.getElementById(displayCanvasName);
var context = canvas.getContext('2d');
var radius = displayRadius;
// Cleanup
//context.fillStyle = "#ffffff";
context.fillStyle = analogDisplayColorConfig.bgColor;
//context.fillStyle = "transparent";
context.fillRect(0, 0, canvas.width, canvas.height);
//context.fillStyle = 'rgba(255, 255, 255, 0.0)';
//context.fillRect(0, 0, canvas.width, canvas.height);
context.beginPath();
//context.arc(x, y, radius, startAngle, startAngle + Math.PI, antiClockwise);
// context.arc(canvas.width / 2, radius + 10, radius, Math.PI - toRadians(overlapOver180InDegree), (2 * Math.PI) + toRadians(overlapOver180InDegree), false);
context.arc(canvas.width / 2, radius + 10, radius, Math.PI - toRadians(overlapOver180InDegree > 0?90:0), (2 * Math.PI) + toRadians(overlapOver180InDegree > 0?90:0), false);
context.lineWidth = 5;
if (analogDisplayColorConfig.withGradient)
{
var grd = context.createLinearGradient(0, 5, 0, radius);
grd.addColorStop(0, analogDisplayColorConfig.displayBackgroundGradient.from);// 0 Beginning
grd.addColorStop(1, analogDisplayColorConfig.displayBackgroundGradient.to); // 1 End
context.fillStyle = grd;
}
else
context.fillStyle = analogDisplayColorConfig.displayBackgroundGradient.to;
if (analogDisplayColorConfig.withDisplayShadow)
{
context.shadowOffsetX = 3;
context.shadowOffsetY = 3;
context.shadowBlur = 3;
context.shadowColor = analogDisplayColorConfig.shadowColor;
}
context.lineJoin = "round";
context.fill();
context.strokeStyle = analogDisplayColorConfig.outlineColor;
context.stroke();
context.closePath();
var totalAngle = (Math.PI + (2 * (toRadians(overlapOver180InDegree))));
// Major Ticks
context.beginPath();
for (i = 0;i <= (maxValue - startValue) ;i+=majorTicks)
{
var currentAngle = (totalAngle * (i / (maxValue - startValue))) - toRadians(overlapOver180InDegree);
xFrom = (canvas.width / 2) - ((radius * 0.95) * Math.cos(currentAngle));
yFrom = (radius + 10) - ((radius * 0.95) * Math.sin(currentAngle));
xTo = (canvas.width / 2) - ((radius * 0.85) * Math.cos(currentAngle));
yTo = (radius + 10) - ((radius * 0.85) * Math.sin(currentAngle));
context.moveTo(xFrom, yFrom);
context.lineTo(xTo, yTo);
}
context.lineWidth = 3;
context.strokeStyle = analogDisplayColorConfig.majorTickColor;
context.stroke();
context.closePath();
// Minor Ticks
if (minorTicks > 0)
{
context.beginPath();
for (i = 0;i <= (maxValue - startValue) ;i+=minorTicks)
{
var _currentAngle = (totalAngle * (i / (maxValue - startValue))) - toRadians(overlapOver180InDegree);
xFrom = (canvas.width / 2) - ((radius * 0.95) * Math.cos(_currentAngle));
yFrom = (radius + 10) - ((radius * 0.95) * Math.sin(_currentAngle));
xTo = (canvas.width / 2) - ((radius * 0.90) * Math.cos(_currentAngle));
yTo = (radius + 10) - ((radius * 0.90) * Math.sin(_currentAngle));
context.moveTo(xFrom, yFrom);
context.lineTo(xTo, yTo);
}
context.lineWidth = 1;
context.strokeStyle = analogDisplayColorConfig.minorTickColor;
context.stroke();
context.closePath();
}
// Numbers
if (withDigits)
{
context.beginPath();
for (i = 0;i <= (maxValue - startValue) ;i+=majorTicks)
{
context.save();
context.translate(canvas.width/2, (radius + 10)); // canvas.height);
var __currentAngle = (totalAngle * (i / (maxValue - startValue))) - toRadians(overlapOver180InDegree);
// context.rotate((Math.PI * (i / maxValue)) - (Math.PI / 2));
context.rotate(__currentAngle - (Math.PI / 2));
context.font = "bold " + Math.round(scale * 15) + "px " + analogDisplayColorConfig.font; // Like "bold 15px Arial"
context.fillStyle = digitColor;
str = (i + startValue).toString();
len = context.measureText(str).width;
context.fillText(str, - len / 2, (-(radius * .8) + 10));
context.restore();
}
context.closePath();
}
// Value
text = displayValue.toFixed(analogDisplayColorConfig.valueNbDecimal);
len = 0;
context.font = "bold " + Math.round(scale * 40) + "px " + analogDisplayColorConfig.font; // "bold 40px Arial"
var metrics = context.measureText(text);
len = metrics.width;
context.beginPath();
context.fillStyle = analogDisplayColorConfig.valueColor;
context.fillText(text, (canvas.width / 2) - (len / 2), ((radius * .75) + 10));
context.lineWidth = 1;
context.strokeStyle = analogDisplayColorConfig.valueOutlineColor;
context.strokeText(text, (canvas.width / 2) - (len / 2), ((radius * .75) + 10)); // Outlined
context.closePath();
// Hand
context.beginPath();
if (analogDisplayColorConfig.withHandShadow)
{
context.shadowColor = analogDisplayColorConfig.shadowColor;
context.shadowOffsetX = 3;
context.shadowOffsetY = 3;
context.shadowBlur = 3;
}
// Center
context.moveTo(canvas.width / 2, radius + 10);
var ___currentAngle = (totalAngle * ((displayValue - startValue) / (maxValue - startValue))) - toRadians(overlapOver180InDegree);
// Left
x = (canvas.width / 2) - ((radius * 0.05) * Math.cos((___currentAngle - (Math.PI / 2))));
y = (radius + 10) - ((radius * 0.05) * Math.sin((___currentAngle - (Math.PI / 2))));
context.lineTo(x, y);
// Tip
x = (canvas.width / 2) - ((radius * 0.90) * Math.cos(___currentAngle));
y = (radius + 10) - ((radius * 0.90) * Math.sin(___currentAngle));
context.lineTo(x, y);
// Right
x = (canvas.width / 2) - ((radius * 0.05) * Math.cos((___currentAngle + (Math.PI / 2))));
y = (radius + 10) - ((radius * 0.05) * Math.sin((___currentAngle + (Math.PI / 2))));
context.lineTo(x, y);
context.closePath();
context.fillStyle = analogDisplayColorConfig.handColor;
context.fill();
context.lineWidth = 1;
context.strokeStyle = analogDisplayColorConfig.handOutlineColor;
context.stroke();
// Knob
context.beginPath();
context.arc((canvas.width / 2), (radius + 10), 7, 0, 2 * Math.PI, false);
context.closePath();
context.fillStyle = analogDisplayColorConfig.knobColor;
context.fill();
context.strokeStyle = analogDisplayColorConfig.knobOutlineColor;
context.stroke();
};
this.setValue = function(val)
{
drawDisplay(canvasName, displaySize, val);
};
function toDegrees(rad)
{
return rad * (180 / Math.PI);
}
function toRadians(deg)
{
return deg * (Math.PI / 180);
}
} | 12nosanshiro-pi4j-sample | ADC/node/widgets/AnalogDisplay.js | JavaScript | mit | 12,851 |
// http://ejohn.org/blog/ecmascript-5-strict-mode-json-and-more/
"use strict";
/**
* Warning: there is a first HTTP HandShake going on, that must follow the orasocket.js protocol.
* See the request header:
* "tyrus-ws-attempt" = "Hand-Shake"
*
* Response headers will contain:
* "tyrus-fallback-transports"
* "tyrus-connection-id"
*
* FYI, tyrus is the name of the RI for JSR356.
*
* Static requests must be prefixed with /data/, like in http://machine:9876/data/chat.html
*/
// Optional. You will see this name in eg. 'ps' or 'top' command
process.title = 'node-chat';
// Port where we'll run the websocket server
var port = 9876;
// websocket and http servers
var webSocketServer = require('websocket').server;
var http = require('http');
var fs = require('fs');
var verbose = false;
if (typeof String.prototype.startsWith != 'function')
{
String.prototype.startsWith = function (str)
{
return this.indexOf(str) == 0;
};
}
if (typeof String.prototype.endsWith != 'function')
{
String.prototype.endsWith = function(suffix)
{
return this.indexOf(suffix, this.length - suffix.length) !== -1;
};
}
function handler (req, res)
{
var respContent = "";
if (verbose)
{
console.log("Speaking HTTP from " + __dirname);
console.log("Server received an HTTP Request:\n" + req.method + "\n" + req.url + "\n-------------");
console.log("ReqHeaders:" + JSON.stringify(req.headers, null, '\t'));
console.log('Request:' + req.url);
var prms = require('url').parse(req.url, true);
console.log(prms);
console.log("Search: [" + prms.search + "]");
console.log("-------------------------------");
}
if (req.url.startsWith("/data/")) // Static resource
{
var resource = req.url.substring("/data/".length);
console.log('Loading static ' + req.url + " (" + resource + ")");
fs.readFile(__dirname + '/' + resource,
function (err, data)
{
if (err)
{
res.writeHead(500);
return res.end('Error loading ' + resource);
}
if (verbose)
console.log("Read resource content:\n---------------\n" + data + "\n--------------");
var contentType = "text/html";
if (resource.endsWith(".css"))
contentType = "text/css";
else if (resource.endsWith(".html"))
contentType = "text/html";
else if (resource.endsWith(".xml"))
contentType = "text/xml";
else if (resource.endsWith(".js"))
contentType = "text/javascript";
else if (resource.endsWith(".jpg"))
contentType = "image/jpg";
else if (resource.endsWith(".gif"))
contentType = "image/gif";
else if (resource.endsWith(".png"))
contentType = "image/png";
res.writeHead(200, {'Content-Type': contentType});
// console.log('Data is ' + typeof(data));
if (resource.endsWith(".jpg") ||
resource.endsWith(".gif") ||
resource.endsWith(".png"))
{
// res.writeHead(200, {'Content-Type': 'image/gif' });
res.end(data, 'binary');
}
else
res.end(data.toString().replace('$PORT$', port.toString())); // Replace $PORT$ with the actual port value.
});
}
else if (req.url == "/")
{
if (req.method === "POST")
{
var data = "";
console.log("---- Headers ----");
for(var item in req.headers)
console.log(item + ": " + req.headers[item]);
console.log("-----------------");
req.on("data", function(chunk)
{
data += chunk;
});
req.on("end", function()
{
console.log("POST request: [" + data + "]");
if (req.headers["tyrus-ws-attempt"] !== "undefined" && req.headers["tyrus-ws-attempt"] === "Hand-Shake") // List of the supoprted protocols
{
console.log(" ... writing headers...");
res.writeHead(200, {'Content-Type': 'application/json',
'tyrus-fallback-transports': 'WebSocket,MozWebSocket,XMLHttpRequest,FedEx,UPS',
'tyrus-connection-id': guid() });
}
else
res.writeHead(200, {'Content-Type': 'application/json'});
var status = {'status':'OK'};
res.end(JSON.stringify(status));
});
}
}
else
{
console.log("Unmanaged request: [" + req.url + "]");
respContent = "Response from " + req.url;
res.writeHead(404, {'Content-Type': 'text/plain'});
res.end(); // respContent);
}
} // HTTP Handler
/**
* Global variables
*/
// list of currently connected clients (users)
var clients = [ ];
/**
* Helper function for escaping input strings
*/
function htmlEntities(str)
{
return String(str).replace(/&/g, '&').replace(/</g, '<')
.replace(/>/g, '>').replace(/"/g, '"');
}
/**
* HTTP server
*/
var server = http.createServer(handler);
server.listen(port, function()
{
console.log((new Date()) + " Server is listening on port " + port);
});
/**
* WebSocket server
*/
var wsServer = new webSocketServer({
// WebSocket server is tied to a HTTP server. WebSocket request is just
// an enhanced HTTP request. For more info http://tools.ietf.org/html/rfc6455#page-6
httpServer: server
});
// This callback function is called every time someone
// tries to connect to the WebSocket server
wsServer.on('request', function(request)
{
console.log((new Date()) + ' Connection from origin ' + request.origin + '.');
// accept connection - you should check 'request.origin' to make sure that
// client is connecting from your website
// (http://en.wikipedia.org/wiki/Same_origin_policy)
var connection = request.accept(null, request.origin);
clients.push(connection);
console.log((new Date()) + ' Connection accepted.');
// user sent some message
connection.on('message', function(message)
{
if (message.type === 'utf8')
{ // accept only text
console.log((new Date()) + ' Received Message: ' + message.utf8Data);
var obj =
{
time: (new Date()).getTime(),
text: htmlEntities(message.utf8Data)
};
// broadcast message to all connected clients. That's what this app is doing.
var json = JSON.stringify({ type:'message', data: obj });
for (var i=0; i < clients.length; i++)
{
clients[i].sendUTF(json);
}
}
});
// user disconnected
connection.on('close', function(connection)
{
// Close
});
});
function s4()
{
return (Math.floor((1 + Math.random()) * 0x10000) & 0xffff)
.toString(16);
// .substring(1);
};
function guid()
{
return s4() + "." + s4() + '-' + s4() + '-' + s4() + '-' + s4() + '-' + s4() + "." + s4() + "." + s4();
} | 12nosanshiro-pi4j-sample | ADC/node/server.js | JavaScript | mit | 7,263 |
#!/bin/bash
echo Read an ADC
#
CP=./classes:$PI4J_HOME/lib/pi4j-core.jar
sudo java -cp $CP adc.gui.AnalogDisplayApp
| 12nosanshiro-pi4j-sample | ADC/run.gui | Shell | mit | 116 |
package adc.gui;
import adc.ADCObserver;
import java.awt.Dimension;
import java.awt.Toolkit;
import java.awt.event.WindowAdapter;
import java.awt.event.WindowEvent;
import javax.swing.JFrame;
import javax.swing.SwingUtilities;
import javax.swing.UIManager;
public class AnalogDisplayApp
{
private ADCObserver.MCP3008_input_channels channel = null;
private final ADCObserver obs;
public AnalogDisplayApp(int ch)
{
channel = findChannel(ch);
obs = new ADCObserver(channel); // Note: We could instantiate more than one observer (on several channels).
JFrame frame = new AnalogDisplayFrame(channel, this);
Dimension screenSize = Toolkit.getDefaultToolkit().getScreenSize();
Dimension frameSize = frame.getSize();
if (frameSize.height > screenSize.height)
{
frameSize.height = screenSize.height;
}
if (frameSize.width > screenSize.width)
{
frameSize.width = screenSize.width;
}
frame.setLocation( ( screenSize.width - frameSize.width ) / 2, ( screenSize.height - frameSize.height ) / 2 );
// frame.setDefaultCloseOperation( JFrame.EXIT_ON_CLOSE );
frame.addWindowListener(new WindowAdapter()
{
public void windowClosing(WindowEvent e)
{
close();
System.exit(0);
}
});
frame.setVisible(true);
if (true) // For Dev...
{
try { obs.start(); }
catch (Exception ioe)
{
System.err.println("Oops");
ioe.printStackTrace();
}
}
}
public static void main(String[] args)
{
try
{
if (System.getProperty("swing.defaultlaf") == null)
UIManager.setLookAndFeel(UIManager.getSystemLookAndFeelClassName());
}
catch (Exception e)
{
e.printStackTrace();
}
int channel = 0;
if (args.length > 0)
channel = Integer.parseInt(args[0]);
new AnalogDisplayApp(channel);
// swingWait(1L);
}
public void close()
{
System.out.println("Exiting.");
if (obs != null)
obs.stop();
}
private static ADCObserver.MCP3008_input_channels findChannel(int ch) throws IllegalArgumentException
{
ADCObserver.MCP3008_input_channels channel = null;
switch (ch)
{
case 0:
channel = ADCObserver.MCP3008_input_channels.CH0;
break;
case 1:
channel = ADCObserver.MCP3008_input_channels.CH1;
break;
case 2:
channel = ADCObserver.MCP3008_input_channels.CH2;
break;
case 3:
channel = ADCObserver.MCP3008_input_channels.CH3;
break;
case 4:
channel = ADCObserver.MCP3008_input_channels.CH4;
break;
case 5:
channel = ADCObserver.MCP3008_input_channels.CH5;
break;
case 6:
channel = ADCObserver.MCP3008_input_channels.CH6;
break;
case 7:
channel = ADCObserver.MCP3008_input_channels.CH7;
break;
default:
throw new IllegalArgumentException("No channel " + Integer.toString(ch));
}
return channel;
}
private static void swingWait(final long w)
{
try
{
SwingUtilities.invokeAndWait(new Runnable()
{
public void run()
{
try { Thread.sleep(w); } catch (Exception ex) {}
}
});
}
catch (Exception ex)
{
ex.printStackTrace();
}
}
}
| 12nosanshiro-pi4j-sample | ADC/src/adc/gui/AnalogDisplayApp.java | Java | mit | 3,376 |
package adc.gui;
import adc.ADCObserver;
import java.awt.BorderLayout;
import java.awt.Dimension;
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import javax.swing.JFrame;
import javax.swing.JMenu;
import javax.swing.JMenuBar;
import javax.swing.JMenuItem;
public class AnalogDisplayFrame
extends JFrame
{
private JMenuBar menuBar = new JMenuBar();
private JMenu menuFile = new JMenu();
private JMenuItem menuFileExit = new JMenuItem();
private AnalogDisplayPanel displayPanel = null;
private transient AnalogDisplayApp caller;
public AnalogDisplayFrame(ADCObserver.MCP3008_input_channels channel, AnalogDisplayApp parent)
{
this.caller = parent;
displayPanel = new AnalogDisplayPanel(channel, 100);
try
{
jbInit();
}
catch (Exception e)
{
e.printStackTrace();
}
}
private void jbInit()
throws Exception
{
this.setJMenuBar(menuBar);
this.getContentPane().setLayout(new BorderLayout());
this.setSize(new Dimension(400, 275));
this.setTitle("Volume");
menuFile.setText("File");
menuFileExit.setText("Exit");
menuFileExit.addActionListener( new ActionListener() { public void actionPerformed( ActionEvent ae ) { fileExit_ActionPerformed( ae ); } } );
menuFile.add( menuFileExit );
menuBar.add( menuFile );
this.getContentPane().add(displayPanel, BorderLayout.CENTER);
}
void fileExit_ActionPerformed(ActionEvent e)
{
System.out.println(e.getActionCommand());
this.caller.close();
System.exit(0);
}
}
| 12nosanshiro-pi4j-sample | ADC/src/adc/gui/AnalogDisplayFrame.java | Java | mit | 1,572 |
package adc;
import com.pi4j.io.gpio.GpioController;
import com.pi4j.io.gpio.GpioFactory;
import com.pi4j.io.gpio.GpioPinDigitalInput;
import com.pi4j.io.gpio.GpioPinDigitalOutput;
import com.pi4j.io.gpio.Pin;
import com.pi4j.io.gpio.PinState;
import com.pi4j.io.gpio.RaspiPin;
/**
* Read an Analog to Digital Converter
*/
public class ADCObserver
{
private final static boolean DISPLAY_DIGIT = false;
// Note: "Mismatch" 23-24. The wiring says DOUT->#23, DIN->#24
// 23: DOUT on the ADC is IN on the GPIO. ADC:Slave, GPIO:Master
// 24: DIN on the ADC, OUT on the GPIO. Same reason as above.
// SPI: Serial Peripheral Interface
private static Pin spiClk = RaspiPin.GPIO_01; // Pin #18, clock
private static Pin spiMiso = RaspiPin.GPIO_04; // Pin #23, data in. MISO: Master In Slave Out
private static Pin spiMosi = RaspiPin.GPIO_05; // Pin #24, data out. MOSI: Master Out Slave In
private static Pin spiCs = RaspiPin.GPIO_06; // Pin #25, Chip Select
public static enum MCP3008_input_channels
{
CH0(0),
CH1(1),
CH2(2),
CH3(3),
CH4(4),
CH5(5),
CH6(6),
CH7(7);
private int ch;
MCP3008_input_channels(int chNum)
{
this.ch = chNum;
}
public int ch() { return this.ch; }
}
private MCP3008_input_channels[] adcChannel; // Between 0 and 7, 8 channels on the MCP3008
private static GpioPinDigitalInput misoInput = null;
private static GpioPinDigitalOutput mosiOutput = null;
private static GpioPinDigitalOutput clockOutput = null;
private static GpioPinDigitalOutput chipSelectOutput = null;
private boolean go = true;
public ADCObserver(MCP3008_input_channels channel)
{
this(new MCP3008_input_channels[] { channel }) ;
}
public ADCObserver(MCP3008_input_channels[] channel)
{
adcChannel = channel;
}
public void start()
{
GpioController gpio = GpioFactory.getInstance();
mosiOutput = gpio.provisionDigitalOutputPin(spiMosi, "MOSI", PinState.LOW);
clockOutput = gpio.provisionDigitalOutputPin(spiClk, "CLK", PinState.LOW);
chipSelectOutput = gpio.provisionDigitalOutputPin(spiCs, "CS", PinState.LOW);
misoInput = gpio.provisionDigitalInputPin(spiMiso, "MISO");
int lastRead[] = new int[adcChannel.length];
for (int i=0; i<lastRead.length; i++)
lastRead[i] = 0;
int tolerance = 5;
while (go)
{
for (int i=0; i<adcChannel.length; i++)
{
int adc = readAdc(adcChannel[i]);
// System.out.println("ADC:" + adc);
int postAdjust = Math.abs(adc - lastRead[i]);
if (postAdjust > tolerance)
{
ADCContext.getInstance().fireValueChanged(adcChannel[i], adc);
lastRead[i] = adc;
}
}
try { Thread.sleep(100L); } catch (InterruptedException ie) { ie.printStackTrace(); }
}
System.out.println("Shutting down...");
gpio.shutdown();
}
public void stop()
{
go = false;
}
private int readAdc(MCP3008_input_channels channel)
{
chipSelectOutput.high();
clockOutput.low();
chipSelectOutput.low();
int adccommand = channel.ch();
adccommand |= 0x18; // 0x18: 00011000
adccommand <<= 3;
// Send 5 bits: 8 - 3. 8 input channels on the MCP3008.
for (int i=0; i<5; i++) //
{
if ((adccommand & 0x80) != 0x0) // 0x80 = 0&10000000
mosiOutput.high();
else
mosiOutput.low();
adccommand <<= 1;
clockOutput.high();
clockOutput.low();
}
int adcOut = 0;
for (int i=0; i<12; i++) // Read in one empty bit, one null bit and 10 ADC bits
{
clockOutput.high();
clockOutput.low();
adcOut <<= 1;
if (misoInput.isHigh())
{
// System.out.println(" " + misoInput.getName() + " is high (i:" + i + ")");
// Shift one bit on the adcOut
adcOut |= 0x1;
}
if (DISPLAY_DIGIT)
System.out.println("ADCOUT: 0x" + Integer.toString(adcOut, 16).toUpperCase() +
", 0&" + Integer.toString(adcOut, 2).toUpperCase());
}
chipSelectOutput.high();
adcOut >>= 1; // Drop first bit
return adcOut;
}
}
| 12nosanshiro-pi4j-sample | ADC/src/adc/ADCObserver.java | Java | mit | 4,263 |
package adc;
import java.util.ArrayList;
import java.util.List;
public class ADCContext
{
private static ADCContext instance = null;
private List<ADCListener> listeners = null;
private ADCContext()
{
listeners = new ArrayList<ADCListener>();
}
public synchronized static ADCContext getInstance()
{
if (instance == null)
instance = new ADCContext();
return instance;
}
public void addListener(ADCListener listener)
{
if (!listeners.contains(listener))
listeners.add(listener);
}
public void removeListener(ADCListener listener)
{
if (listeners.contains(listener))
listeners.remove(listener);
}
public List<ADCListener> getListeners()
{
return this.listeners;
}
public void fireValueChanged(ADCObserver.MCP3008_input_channels channel, int newValue)
{
for (ADCListener listener : listeners)
listener.valueUpdated(channel, newValue);
}
}
| 12nosanshiro-pi4j-sample | ADC/src/adc/ADCContext.java | Java | mit | 946 |
package adc;
public class ADCListener
{
public void valueUpdated(ADCObserver.MCP3008_input_channels channel, int newValue) {};
}
| 12nosanshiro-pi4j-sample | ADC/src/adc/ADCListener.java | Java | mit | 132 |
package adc.sample;
import adc.ADCContext;
import adc.ADCListener;
import adc.ADCObserver;
import adc.utils.EscapeSeq;
import org.fusesource.jansi.AnsiConsole;
public class SampleMain
{
private final static boolean DEBUG = false;
private final static String STR100 = " ";
private final static int DIGITAL_OPTION = 0;
private final static int ANALOG_OPTION = 1;
private static int displayOption = ANALOG_OPTION;
final String[] channelColors = new String[] { EscapeSeq.ANSI_RED, EscapeSeq.ANSI_BLUE, EscapeSeq.ANSI_YELLOW, EscapeSeq.ANSI_GREEN, EscapeSeq.ANSI_WHITE };
private ADCObserver.MCP3008_input_channels channel = null;
public SampleMain(int ch) throws Exception
{
channel = findChannel(ch);
final ADCObserver obs = new ADCObserver(channel); // Note: We could instantiate more than one observer (on several channels).
ADCContext.getInstance().addListener(new ADCListener()
{
@Override
public void valueUpdated(ADCObserver.MCP3008_input_channels inputChannel, int newValue)
{
if (inputChannel.equals(channel))
{
int volume = (int)(newValue / 10.23); // [0, 1023] ~ [0x0000, 0x03FF] ~ [0&0, 0&1111111111]
if (DEBUG)
System.out.println("readAdc:" + Integer.toString(newValue) +
" (0x" + lpad(Integer.toString(newValue, 16).toUpperCase(), "0", 2) +
", 0&" + lpad(Integer.toString(newValue, 2), "0", 8) + ")");
if (displayOption == DIGITAL_OPTION)
System.out.println("Volume:" + volume + "% (" + newValue + ")");
else if (displayOption == ANALOG_OPTION)
{
String str = "";
for (int i=0; i<volume; i++)
str += ".";
try
{
str = EscapeSeq.superpose(str, "Ch " + Integer.toString(inputChannel.ch()) + ": " + Integer.toString(volume) + "%");
AnsiConsole.out.println(EscapeSeq.ansiLocate(1, 1) + EscapeSeq.ANSI_NORMAL + EscapeSeq.ANSI_DEFAULT_BACKGROUND + EscapeSeq.ANSI_DEFAULT_TEXT + STR100);
AnsiConsole.out.println(EscapeSeq.ansiLocate(1, 1) + EscapeSeq.ansiSetTextAndBackgroundColor(EscapeSeq.ANSI_WHITE, channelColors[inputChannel.ch()]) + EscapeSeq.ANSI_BOLD + str + EscapeSeq.ANSI_NORMAL + EscapeSeq.ANSI_DEFAULT_BACKGROUND + EscapeSeq.ANSI_DEFAULT_TEXT);
}
catch (Exception ex)
{
System.out.println(str);
}
}
}
}
});
obs.start();
Runtime.getRuntime().addShutdownHook(new Thread()
{
public void run()
{
if (obs != null)
obs.stop();
}
});
}
public static void main(String[] args) throws Exception
{
if (displayOption == ANALOG_OPTION)
{
AnsiConsole.systemInstall();
AnsiConsole.out.println(EscapeSeq.ANSI_CLS);
}
int channel = 0;
if (args.length > 0)
channel = Integer.parseInt(args[0]);
new SampleMain(channel);
}
private static ADCObserver.MCP3008_input_channels findChannel(int ch) throws IllegalArgumentException
{
ADCObserver.MCP3008_input_channels channel = null;
switch (ch)
{
case 0:
channel = ADCObserver.MCP3008_input_channels.CH0;
break;
case 1:
channel = ADCObserver.MCP3008_input_channels.CH1;
break;
case 2:
channel = ADCObserver.MCP3008_input_channels.CH2;
break;
case 3:
channel = ADCObserver.MCP3008_input_channels.CH3;
break;
case 4:
channel = ADCObserver.MCP3008_input_channels.CH4;
break;
case 5:
channel = ADCObserver.MCP3008_input_channels.CH5;
break;
case 6:
channel = ADCObserver.MCP3008_input_channels.CH6;
break;
case 7:
channel = ADCObserver.MCP3008_input_channels.CH7;
break;
default:
throw new IllegalArgumentException("No channel " + Integer.toString(ch));
}
return channel;
}
private static String lpad(String str, String with, int len)
{
String s = str;
while (s.length() < len)
s = with + s;
return s;
}
}
| 12nosanshiro-pi4j-sample | ADC/src/adc/sample/SampleMain.java | Java | mit | 4,485 |
package adc.sample;
import adc.ADCContext;
import adc.ADCListener;
import adc.ADCObserver;
import java.io.FileOutputStream;
import oracle.generic.ws.client.ClientFacade;
import oracle.generic.ws.client.ServerListenerAdapter;
import oracle.generic.ws.client.ServerListenerInterface;
public class WebSocketFeeder
{
private final static boolean DEBUG = false;
private ADCObserver.MCP3008_input_channels channel = null;
private boolean keepWorking = true;
private ClientFacade webSocketClient = null;
public WebSocketFeeder(int ch) throws Exception
{
channel = findChannel(ch);
String wsUri = System.getProperty("ws.uri", "ws://localhost:9876/");
initWebSocketConnection(wsUri);
final ADCObserver obs = new ADCObserver(channel); // Note: We could instantiate more than one observer (on several channels).
ADCContext.getInstance().addListener(new ADCListener()
{
@Override
public void valueUpdated(ADCObserver.MCP3008_input_channels inputChannel, int newValue)
{
if (inputChannel.equals(channel))
{
int volume = (int)(newValue / 10.23); // [0, 1023] ~ [0x0000, 0x03FF] ~ [0&0, 0&1111111111]
if (DEBUG)
System.out.println("readAdc:" + Integer.toString(newValue) +
" (0x" + lpad(Integer.toString(newValue, 16).toUpperCase(), "0", 2) +
", 0&" + lpad(Integer.toString(newValue, 2), "0", 8) + ")");
System.out.println("Volume:" + volume + "% (" + newValue + ")");
webSocketClient.send(Integer.toString(volume));
}
}
});
obs.start();
Runtime.getRuntime().addShutdownHook(new Thread()
{
public void run()
{
if (obs != null)
obs.stop();
keepWorking = false;
webSocketClient.bye();
}
});
}
private void initWebSocketConnection(String serverURI)
{
String[] targetedTransports = new String[] {"WebSocket",
"XMLHttpRequest"};
ServerListenerInterface serverListener = new ServerListenerAdapter()
{
@Override
public void onMessage(String mess)
{
// System.out.println(" . Text message :[" + mess + "]");
// JSONObject json = new JSONObject(mess);
// System.out.println(" . Mess content:[" + ((JSONObject)json.get("data")).get("text") + "]");
}
@Override
public void onMessage(byte[] bb)
{
System.out.println(" . Message for you (ByteBuffer) ...");
System.out.println("Length:" + bb.length);
try
{
FileOutputStream fos = new FileOutputStream("binary.xxx");
for (int i=0; i<bb.length; i++)
fos.write(bb[i]);
fos.close();
System.out.println("... was written in binary.xxx");
}
catch (Exception ex)
{
ex.printStackTrace();
}
}
@Override
public void onConnect()
{
System.out.println(" .You're in!");
keepWorking = true;
}
@Override
public void onClose()
{
System.out.println(" .Connection has been closed...");
keepWorking = false;
}
@Override
public void onError(String error)
{
System.out.println(" .Oops! error [" + error + "]");
keepWorking = false; // Careful with that one..., in case of a fallback, use the value returned by the init method.
}
@Override
public void setStatus(String status)
{
System.out.println(" .Your status is now [" + status + "]");
}
@Override
public void onPong(String s)
{
if (DEBUG)
System.out.println("WS Pong");
}
@Override
public void onPing(String s)
{
if (DEBUG)
System.out.println("WS Ping");
}
@Override
public void onHandShakeSentAsClient()
{
System.out.println("WS-HS sent as client");
}
@Override
public void onHandShakeReceivedAsServer()
{
if (DEBUG)
System.out.println("WS-HS received as server");
}
@Override
public void onHandShakeReceivedAsClient()
{
if (DEBUG)
System.out.println("WS-HS received as client");
}
};
try
{
webSocketClient = new ClientFacade(serverURI,
targetedTransports,
serverListener);
keepWorking = webSocketClient.init();
}
catch (Exception ex)
{
ex.printStackTrace();
}
}
public static void main(String[] args) throws Exception
{
int channel = 0;
if (args.length > 0)
channel = Integer.parseInt(args[0]);
new WebSocketFeeder(channel);
}
private static ADCObserver.MCP3008_input_channels findChannel(int ch) throws IllegalArgumentException
{
ADCObserver.MCP3008_input_channels channel = null;
switch (ch)
{
case 0:
channel = ADCObserver.MCP3008_input_channels.CH0;
break;
case 1:
channel = ADCObserver.MCP3008_input_channels.CH1;
break;
case 2:
channel = ADCObserver.MCP3008_input_channels.CH2;
break;
case 3:
channel = ADCObserver.MCP3008_input_channels.CH3;
break;
case 4:
channel = ADCObserver.MCP3008_input_channels.CH4;
break;
case 5:
channel = ADCObserver.MCP3008_input_channels.CH5;
break;
case 6:
channel = ADCObserver.MCP3008_input_channels.CH6;
break;
case 7:
channel = ADCObserver.MCP3008_input_channels.CH7;
break;
default:
throw new IllegalArgumentException("No channel " + Integer.toString(ch));
}
return channel;
}
private static String lpad(String str, String with, int len)
{
String s = str;
while (s.length() < len)
s = with + s;
return s;
}
}
| 12nosanshiro-pi4j-sample | ADC/src/adc/sample/WebSocketFeeder.java | Java | mit | 6,190 |
package adc.sample;
import adc.ADCContext;
import adc.ADCListener;
import adc.ADCObserver;
import java.io.BufferedWriter;
import java.io.FileWriter;
import java.text.DecimalFormat;
import java.text.NumberFormat;
import java.text.SimpleDateFormat;
import java.util.GregorianCalendar;
import java.util.TimeZone;
public class BatteryMonitor
{
private static boolean debug = false;
private static boolean calib = false;
private ADCObserver.MCP3008_input_channels channel = null;
private final static SimpleDateFormat SDF = new SimpleDateFormat("yyyy-MM-dd HH:mm:ss.SSS");
private final static TimeZone HERE = TimeZone.getTimeZone("America/Los_Angeles");
static { SDF.setTimeZone(HERE); }
private final static NumberFormat VF = new DecimalFormat("00.00");
private static BufferedWriter bw = null;
private static ADCObserver obs;
private long lastLogTimeStamp = 0;
private int lastVolumeLogged = 0;
private static String logFileName = "battery.log";
public BatteryMonitor(int ch) throws Exception
{
channel = findChannel(ch);
if (tuning)
{
minADC = 0;
minVolt = 0f;
maxADC = tuningADC;
maxVolt = tuningVolt;
}
final int deltaADC = maxADC - minADC;
final float deltaVolt = maxVolt - minVolt;
final float b = ((maxVolt * minADC) - (minVolt * maxADC)) / deltaADC;
final float a = (maxVolt - b) / maxADC;
if (debug)
{
System.out.println("Volt [" + minVolt + ", " + maxVolt + "]");
System.out.println("ADC [" + minADC + ", " + maxADC + "]");
System.out.println("a=" + a+ ", b=" + b);
}
System.out.println("Value range: ADC=0 => V=" + b + ", ADC=1023 => V=" + ((a * 1023) + b));
obs = new ADCObserver(channel); // Note: We could instantiate more than one observer (on several channels).
bw = new BufferedWriter(new FileWriter(logFileName));
ADCContext.getInstance().addListener(new ADCListener()
{
@Override
public void valueUpdated(ADCObserver.MCP3008_input_channels inputChannel, int newValue)
{
if (inputChannel.equals(channel))
{
long now = System.currentTimeMillis();
if (calib || Math.abs(now - lastLogTimeStamp) > 1000)
{
int volume = (int)(newValue / 10.23); // [0, 1023] ~ [0x0000, 0x03FF] ~ [0&0, 0&1111111111]
if (Math.abs(volume - lastVolumeLogged) > 1) // 1 %
{
float voltage = 0;
if (false)
{
if (newValue < minADC)
{
voltage = /* 0 + */ minVolt * ((float)newValue / (float)minADC);
}
else if (newValue >= minADC && newValue <= maxADC)
{
voltage = minVolt + (deltaVolt * (float)(newValue - minADC) / (float)deltaADC);
}
else // value > maxADC
{
voltage = maxVolt + ((15 - maxVolt) * (float)(newValue - maxADC) / (float)(1023 - maxADC));
}
}
else
{
voltage = (a * newValue) + b;
}
if (debug)
{
System.out.print("readAdc:" + Integer.toString(newValue) +
" (0x" + lpad(Integer.toString(newValue, 16).toUpperCase(), "0", 2) +
", 0&" + lpad(Integer.toString(newValue, 2), "0", 8) + ") ");
System.out.println("Volume:" + volume + "% (" + newValue + ") Volt:" + VF.format(voltage));
}
// Log the voltage, along with the date and ADC val.
String line = SDF.format(GregorianCalendar.getInstance(HERE).getTime()) + ";" + newValue + ";" + volume + ";" + VF.format(voltage);
// System.out.println(line);
try
{
bw.write(line + "\n");
bw.flush();
}
catch (Exception ex) { ex.printStackTrace(); }
lastLogTimeStamp = now;
lastVolumeLogged = volume;
}
}
}
}
});
obs.start();
}
private final static String DEBUG_PRM = "-debug=";
private final static String CALIBRATION_PRM = "-calibration";
private final static String CAL_PRM = "-cal";
private final static String CHANNEL_PRM = "-ch=";
private final static String MIN_VALUE = "-min=";
private final static String MAX_VALUE = "-max=";
private final static String TUNE_VALUE = "-tune=";
private final static String SCALE_PRM = "-scale=";
private final static String LOG_PRM = "-log=";
private static int minADC = 0;
private static int maxADC = 1023;
private static float minVolt = 0f;
private static float maxVolt = 15f;
private static float tuningVolt = 15f;
private static int tuningADC = 1023;
private static boolean scale = false;
private static boolean tuning = false;
public static void main(String[] args) throws Exception
{
System.out.println("Parameters are:");
System.out.println(" -calibration or -cal");
System.out.println(" -debug=y|n|yes|no|true|false - example -debug=y (default is n)");
System.out.println(" -ch=[0-7] - example -ch=0 (default is 0)");
System.out.println(" -min=minADC:minVolt - example -min=280:3.75 (default is 0:0.0)");
System.out.println(" -max=maxADC:maxVolt - example -min=879:11.25 (default is 1023:15.0)");
System.out.println(" -tune=ADC:volt - example -tune=973:12.6 (default is 1023:15.0)");
System.out.println(" -scale=y|n - example -scale=y (default is n)");
System.out.println(" -log=[log-file-name] - example -log=[batt.csv] (default is battery.log)");
System.out.println("");
System.out.println(" -min & -max are required if -tune is not here, and vice versa.");
int channel = 0;
for (String prm : args)
{
if (prm.startsWith(CHANNEL_PRM))
channel = Integer.parseInt(prm.substring(CHANNEL_PRM.length()));
else if (prm.startsWith(CALIBRATION_PRM) || prm.startsWith(CAL_PRM))
{
debug = true;
calib = true;
}
else if (!debug && prm.startsWith(DEBUG_PRM))
debug = ("y".equals(prm.substring(DEBUG_PRM.length())) ||
"yes".equals(prm.substring(DEBUG_PRM.length())) ||
"true".equals(prm.substring(DEBUG_PRM.length())));
else if (prm.startsWith(SCALE_PRM))
scale = ("y".equals(prm.substring(SCALE_PRM.length())));
else if (prm.startsWith(LOG_PRM))
logFileName = prm.substring(LOG_PRM.length());
else if (prm.startsWith(TUNE_VALUE))
{
tuning = true;
String val = prm.substring(TUNE_VALUE.length());
tuningADC = Integer.parseInt(val.substring(0, val.indexOf(":")));
tuningVolt = Float.parseFloat(val.substring(val.indexOf(":") + 1));
}
else if (prm.startsWith(MIN_VALUE))
{
String val = prm.substring(MIN_VALUE.length());
minADC = Integer.parseInt(val.substring(0, val.indexOf(":")));
minVolt = Float.parseFloat(val.substring(val.indexOf(":") + 1));
}
else if (prm.startsWith(MAX_VALUE))
{
String val = prm.substring(MAX_VALUE.length());
maxADC = Integer.parseInt(val.substring(0, val.indexOf(":")));
maxVolt = Float.parseFloat(val.substring(val.indexOf(":") + 1));
}
}
String prms = "Prms: ADC Channel:" + channel;
if (tuning)
prms += ", tuningADC:" + tuningADC + ", tuningVolt:" + tuningVolt;
else
prms += ", MinADC:" + minADC + ", MinVolt:" + minVolt + ", MaxADC:" + maxADC + ", maxVolt:" + maxVolt;
System.out.println(prms);
if (scale)
{
if (tuning)
{
minADC = 0;
minVolt = 0f;
maxADC = tuningADC;
maxVolt = tuningVolt;
}
final int deltaADC = maxADC - minADC;
final float deltaVolt = maxVolt - minVolt;
float b = ((maxVolt * minADC) - (minVolt * maxADC)) / deltaADC;
float a = (maxVolt - b) / maxADC;
// System.out.println("a=" + a + "(" + ((maxVolt - b) / maxADC) + "), b=" + b);
System.out.println("=== Scale ===");
System.out.println("Value range: ADC:0 => V:" + b + ", ADC:1023 => V:" + ((a * 1023) + b));
System.out.println("Coeff A:" + a + ", coeff B:" + b);
for (int i=0; i<1024; i++)
System.out.println(i + ";" + ((a * i) + b));
System.out.println("=============");
System.exit(0);
}
Runtime.getRuntime().addShutdownHook(new Thread()
{
public void run()
{
System.out.println("\nShutting down");
if (bw != null)
{
System.out.println("Closing log file");
try
{
bw.flush();
bw.close();
}
catch (Exception ex) { ex.printStackTrace(); }
}
if (obs != null)
obs.stop();
}
});
new BatteryMonitor(channel);
}
private static ADCObserver.MCP3008_input_channels findChannel(int ch) throws IllegalArgumentException
{
ADCObserver.MCP3008_input_channels channel = null;
switch (ch)
{
case 0:
channel = ADCObserver.MCP3008_input_channels.CH0;
break;
case 1:
channel = ADCObserver.MCP3008_input_channels.CH1;
break;
case 2:
channel = ADCObserver.MCP3008_input_channels.CH2;
break;
case 3:
channel = ADCObserver.MCP3008_input_channels.CH3;
break;
case 4:
channel = ADCObserver.MCP3008_input_channels.CH4;
break;
case 5:
channel = ADCObserver.MCP3008_input_channels.CH5;
break;
case 6:
channel = ADCObserver.MCP3008_input_channels.CH6;
break;
case 7:
channel = ADCObserver.MCP3008_input_channels.CH7;
break;
default:
throw new IllegalArgumentException("No channel " + Integer.toString(ch));
}
return channel;
}
private static String lpad(String str, String with, int len)
{
String s = str;
while (s.length() < len)
s = with + s;
return s;
}
}
| 12nosanshiro-pi4j-sample | ADC/src/adc/sample/BatteryMonitor.java | Java | mit | 10,643 |
package adc.sample.log;
import java.awt.Dimension;
import java.awt.Toolkit;
import java.awt.event.WindowAdapter;
import java.awt.event.WindowEvent;
import java.io.BufferedReader;
import java.io.FileReader;
import java.io.IOException;
import java.text.ParseException;
import java.text.SimpleDateFormat;
import java.util.Date;
import java.util.HashMap;
import java.util.Map;
import javax.swing.JOptionPane;
import javax.swing.UIManager;
public class LogAnalysis
{
private static float voltageCoeff = 1.0f; // MULTIPLYING VOLTAGE by this one !
private static int hourOffset = 0;
private final static SimpleDateFormat SDF = new SimpleDateFormat("yyyy-MM-dd HH:mm:ss.SSS");
private final Map<Date, LogData> logdata = new HashMap<Date, LogData>();
public LogAnalysis(String fName) throws IOException, ParseException
{
LogAnalysisFrame frame = new LogAnalysisFrame(this);
Dimension screenSize = Toolkit.getDefaultToolkit().getScreenSize();
Dimension frameSize = frame.getSize();
if (frameSize.height > screenSize.height)
{
frameSize.height = screenSize.height;
}
if (frameSize.width > screenSize.width)
{
frameSize.width = screenSize.width;
}
frame.setLocation( ( screenSize.width - frameSize.width ) / 2, ( screenSize.height - frameSize.height ) / 2 );
// frame.setDefaultCloseOperation( JFrame.EXIT_ON_CLOSE );
frame.addWindowListener(new WindowAdapter()
{
public void windowClosing(WindowEvent e)
{
System.exit(0);
}
});
frame.setVisible(true);
BufferedReader br = new BufferedReader(new FileReader(fName));
String line = "";
boolean keepReading = true;
Date minDate = null, maxDate = null;
long smallestTimeInterval = Long.MAX_VALUE;
long previousDate = -1L;
int prevAdc = 0;
int prevVolume = 0;
float prevVoltage = 0;
float minVolt = Float.MAX_VALUE, maxVolt = Float.MIN_VALUE;
int nbl = 0;
boolean withSmoothing = "true".equals(System.getProperty("with.smoothing", "true"));
while (keepReading)
{
line = br.readLine();
if (line == null)
keepReading = false;
else
{
nbl++;
if (nbl % 100 == 0)
System.out.println("Read " + nbl + " lines");
String[] data = line.split(";");
try
{
Date logDate = SDF.parse(data[0]);
logDate = new Date(logDate.getTime() + (hourOffset * 3600 * 1000)); // TODO Make sure the gap is not too big (like > 1 day)
int adc = Integer.parseInt(data[1]);
int volume = Integer.parseInt(data[2]);
float voltage = Float.parseFloat(data[3]) * voltageCoeff;
if (withSmoothing && previousDate != -1)
{
// Smooth...
long deltaT = (logDate.getTime() - previousDate) / 1000; // in seconds
int deltaADC = (adc - prevAdc);
int deltaVolume = (volume - prevVolume);
float deltaVolt = (voltage - prevVoltage);
for (int i=0; i<deltaT; i++)
{
Date smoothDate = new Date(previousDate + (i * 1000));
int smoothADC = prevAdc + (int)((double)deltaADC * ((double)i / (double)deltaT));
int smoothVolume = prevVolume + (int)((double)deltaVolume * ((double)i / (double)deltaT));
float smoothVolt = prevVoltage + (float)((double)deltaVolt * ((double)i / (double)deltaT));
logdata.put(smoothDate, new LogData(smoothDate, smoothADC, smoothVolume, smoothVolt));
}
}
else
{
logdata.put(logDate, new LogData(logDate, adc, volume, voltage));
}
if (minDate == null)
minDate = logDate;
else
{
long interval = logDate.getTime() - previousDate;
smallestTimeInterval = Math.min(smallestTimeInterval, interval);
if (logDate.before(minDate))
minDate = logDate;
}
prevAdc = adc;
prevVolume = volume;
prevVoltage = voltage;
previousDate = logDate.getTime();
if (maxDate == null)
maxDate = logDate;
else
{
if (logDate.after(maxDate))
maxDate = logDate;
}
minVolt = Math.min(minVolt, voltage);
maxVolt = Math.max(maxVolt, voltage);
}
catch (NumberFormatException nfe)
{
System.err.println("For line [" + line + "], (" + nbl + ") " + nfe.toString());
}
catch (ParseException pe)
{
System.err.println("For line [" + line + "], (" + nbl + ") " + pe.toString());
}
catch (Exception ex)
{
System.err.println("For line [" + line + "], (" + nbl + ")");
ex.printStackTrace();
}
}
}
br.close();
System.out.println("Read " + nbl + " lines.");
// Sort
// SortedSet<Date> keys = new TreeSet<Date>(logdata.keySet());
// for (Date key : keys)
// {
// LogData value = logdata.get(key);
// // do something
// System.out.println(value.getDate() + ": " + value.getVoltage() + " V");
// }
if (nbl == 0)
{
JOptionPane.showMessageDialog(null, "LogFile [" + fName + "] is empty, aborting.", "Battery Log", JOptionPane.WARNING_MESSAGE);
System.exit(1);
}
else
{
System.out.println("From [" + minDate + "] to [" + maxDate + "] (" + Long.toString((maxDate.getTime() - minDate.getTime()) / 1000) + " s)");
System.out.println("Volts [" + minVolt + ", " + maxVolt + "]");
System.out.println("Smallest interval:" + (smallestTimeInterval / 1000) + " s.");
System.out.println("LogData has " + logdata.size() + " element(s)");
frame.setLogData(logdata);
}
}
public static void main(String[] args) throws Exception
{
try
{
if (System.getProperty("swing.defaultlaf") == null)
UIManager.setLookAndFeel(UIManager.getSystemLookAndFeelClassName());
}
catch (Exception e)
{
e.printStackTrace();
}
try { voltageCoeff = Float.parseFloat(System.getProperty("voltage.coeff", Float.toString(voltageCoeff))); }
catch (NumberFormatException nfe)
{
nfe.printStackTrace();
}
try { hourOffset = Integer.parseInt(System.getProperty("hour.offset", Integer.toString(hourOffset))); }
catch (NumberFormatException nfe)
{
nfe.printStackTrace();
}
System.setProperty("hour.offset", Integer.toString(hourOffset));
String dataFName = "battery.log";
if (args.length > 0)
dataFName = args[0];
new LogAnalysis(dataFName);
}
public static class LogData
{
private Date date;
private int adc;
private int volume;
public Date getDate()
{
return date;
}
public int getAdc()
{
return adc;
}
public int getVolume()
{
return volume;
}
public float getVoltage()
{
return voltage;
}
private float voltage;
public LogData(Date d, int a, int v, float volt)
{
this.date = d;
this.adc = a;
this.volume = v;
this.voltage = volt;
}
}
}
| 12nosanshiro-pi4j-sample | ADC/src/adc/sample/log/LogAnalysis.java | Java | mit | 7,281 |
package adc.sample.log;
import adc.sample.log.LogAnalysis.LogData;
import java.awt.BasicStroke;
import java.awt.Color;
import java.awt.Graphics;
import java.awt.Graphics2D;
import java.awt.Point;
import java.awt.RenderingHints;
import java.awt.Stroke;
import java.awt.event.MouseEvent;
import java.awt.event.MouseListener;
import java.awt.event.MouseMotionListener;
import java.text.DateFormat;
import java.text.DecimalFormat;
import java.text.NumberFormat;
import java.text.SimpleDateFormat;
import java.util.ArrayList;
import java.util.Date;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
import java.util.Set;
import java.util.SortedSet;
import java.util.TreeSet;
import javax.swing.JPanel;
public class LogAnalysisPanel
extends JPanel
implements MouseListener, MouseMotionListener
{
@SuppressWarnings("compatibility:5644286187611665244")
public final static long serialVersionUID = 1L;
private transient Map<Date, LogData> logdata = null;
private Date minDate = null, maxDate = null;
private float minVolt = Float.MAX_VALUE, maxVolt = Float.MIN_VALUE;
private final static NumberFormat VOLT_FMT = new DecimalFormat("#0.00");
private final static DateFormat DATE_FMT = new SimpleDateFormat("dd-MMM-yy HH:mm");
protected transient Stroke thick = new BasicStroke(2f, BasicStroke.CAP_ROUND, BasicStroke.JOIN_ROUND);
private boolean withSmoothing = "true".equals(System.getProperty("with.smoothing", "true"));
public LogAnalysisPanel()
{
try
{
jbInit();
}
catch (Exception e)
{
e.printStackTrace();
}
}
private void jbInit()
throws Exception
{
this.setLayout(null);
this.setOpaque(false);
this.setBackground(new Color(0, 0, 0, 0));
this.addMouseListener(this);
this.addMouseMotionListener(this);
}
@Override
protected void paintComponent(Graphics g)
{
super.paintComponent(g);
Graphics2D g2d = (Graphics2D)g;
g2d.setRenderingHint(RenderingHints.KEY_TEXT_ANTIALIASING, RenderingHints.VALUE_TEXT_ANTIALIAS_ON);
g2d.setRenderingHint(RenderingHints.KEY_ANTIALIASING, RenderingHints.VALUE_ANTIALIAS_ON);
if (logdata != null)
{
// Smooth Voltage
Map<Date, Float> smoothVoltage = new HashMap<Date, Float>();
final int SMOOTH_WIDTH = 1000;
SortedSet<Date> keys = new TreeSet<Date>(logdata.keySet());
if (withSmoothing)
{
List<LogData> ld = new ArrayList<LogData>();
for (Date d : keys)
ld.add(logdata.get(d));
for (int i=0; i<ld.size(); i++)
{
float yAccu = 0f;
for (int acc=i-(SMOOTH_WIDTH / 2); acc<i+(SMOOTH_WIDTH/2); acc++)
{
double y;
if (acc < 0)
y = ld.get(0).getVoltage();
else if (acc > (ld.size() - 1))
y = ld.get(ld.size() - 1).getVoltage();
else
y = ld.get(acc).getVoltage();
yAccu += y;
}
yAccu = yAccu / SMOOTH_WIDTH;
// System.out.println("Smooth Voltage:" + yAccu);
smoothVoltage.put(ld.get(i).getDate(), yAccu);
}
}
// Sort, mini maxi.
boolean narrow = "y".equals(System.getProperty("narrow", "n"));
/* SortedSet<Date> */ keys = new TreeSet<Date>(logdata.keySet());
for (Date key : keys)
{
LogData value = logdata.get(key);
// System.out.println(value.getDate() + ": " + value.getVoltage() + " V");
if (minDate == null)
minDate = value.getDate();
else
{
if (value.getDate().before(minDate))
minDate = value.getDate();
}
if (maxDate == null)
maxDate = value.getDate();
else
{
if (value.getDate().after(maxDate))
maxDate = value.getDate();
}
if (narrow)
{
minVolt = Math.min(minVolt, value.getVoltage());
maxVolt = Math.max(maxVolt, value.getVoltage());
}
}
if (!narrow)
{
minVolt = 0; // Math.min(minVolt, value.getVoltage());
maxVolt = 15; // Math.max(maxVolt, value.getVoltage());
}
long timespan = maxDate.getTime() - minDate.getTime();
float voltspan = maxVolt - minVolt;
g2d.setColor(Color.white);
g2d.fillRect(0, 0, this.getWidth(), this.getHeight());
// Volt grid
int minVoltGrid = (int)Math.floor(minVolt);
int maxVoltGrid = (int)Math.ceil(maxVolt);
g2d.setColor(Color.lightGray);
for (int v=minVoltGrid; v<maxVoltGrid; v++)
{
float voltoffset = v - minVolt;
int y = this.getHeight() - (int)(this.getHeight() * ((float)voltoffset / (float)voltspan));
g2d.drawLine(0, y, this.getWidth(), y);
}
g2d.setColor(Color.red);
Point previous = null;
// Raw Data
for (Date key : keys)
{
LogData value = logdata.get(key);
Date date = key;
float volt = value.getVoltage();
long timeoffset = date.getTime() - minDate.getTime();
float voltoffset = volt - minVolt;
int x = (int)(this.getWidth() * ((float)timeoffset / (float)timespan));
int y = this.getHeight() - (int)(this.getHeight() * ((float)voltoffset / (float)voltspan));
Point current = new Point(x, y);
// System.out.println("x:" + x + ", y:" + y);
if (previous != null)
g2d.drawLine(previous.x, previous.y, current.x, current.y);
previous = current;
}
if (withSmoothing)
{
// Smooth Data
g2d.setColor(Color.blue);
Stroke orig = g2d.getStroke();
g2d.setStroke(thick);
previous = null;
for (Date key : keys)
{
float volt = smoothVoltage.get(key).floatValue();
long timeoffset = key.getTime() - minDate.getTime();
float voltoffset = volt - minVolt;
int x = (int)(this.getWidth() * ((float)timeoffset / (float)timespan));
int y = this.getHeight() - (int)(this.getHeight() * ((float)voltoffset / (float)voltspan));
Point current = new Point(x, y);
//System.out.println("x:" + x + ", y:" + y);
if (previous != null)
g2d.drawLine(previous.x, previous.y, current.x, current.y);
previous = current;
}
g2d.setStroke(orig);
}
}
}
public void setLogData(Map<Date, LogData> logdata)
{
this.logdata = logdata;
this.repaint();
}
@Override
public void mouseClicked(MouseEvent mouseEvent)
{
// TODO Implement this method
}
@Override
public void mousePressed(MouseEvent mouseEvent)
{
// TODO Implement this method
}
@Override
public void mouseReleased(MouseEvent mouseEvent)
{
// TODO Implement this method
}
@Override
public void mouseEntered(MouseEvent mouseEvent)
{
// TODO Implement this method
}
@Override
public void mouseExited(MouseEvent mouseEvent)
{
// TODO Implement this method
}
@Override
public void mouseDragged(MouseEvent mouseEvent)
{
// TODO Implement this method
}
@Override
public void mouseMoved(MouseEvent mouseEvent)
{
int x = mouseEvent.getPoint().x;
int y = mouseEvent.getPoint().y;
// Voltage
try
{
float voltspan = maxVolt - minVolt;
long timespan = maxDate.getTime() - minDate.getTime();
float voltage = minVolt + (voltspan * (float)(this.getHeight() - y) / (float)this.getHeight());
long minTime = minDate.getTime();
long time = minTime + (long)(timespan * ((float)x / (float)this.getWidth()));
Date date = new Date(time);
String mess = "<html><center><b>" + VOLT_FMT.format(voltage) + " V</b><br>" +
DATE_FMT.format(date) + "</center></html>";
// System.out.println(mess);
this.setToolTipText(mess);
}
catch (NullPointerException npe)
{
}
}
}
| 12nosanshiro-pi4j-sample | ADC/src/adc/sample/log/LogAnalysisPanel.java | Java | mit | 8,007 |
package adc.sample.log;
import adc.ADCObserver;
import adc.gui.AnalogDisplayApp;
import adc.gui.AnalogDisplayPanel;
import adc.sample.log.LogAnalysis.LogData;
import java.awt.BorderLayout;
import java.awt.Dimension;
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import java.util.Date;
import java.util.Map;
import javax.swing.JFrame;
import javax.swing.JMenu;
import javax.swing.JMenuBar;
import javax.swing.JMenuItem;
import javax.swing.JScrollPane;
public class LogAnalysisFrame
extends JFrame
{
private JMenuBar menuBar = new JMenuBar();
private JMenu menuFile = new JMenu();
private JMenuItem menuFileExit = new JMenuItem();
private LogAnalysisPanel displayPanel = null;
private transient LogAnalysis caller;
private JScrollPane jScrollPane = null;
public LogAnalysisFrame(LogAnalysis parent)
{
this.caller = parent;
displayPanel = new LogAnalysisPanel();
try
{
jbInit();
}
catch (Exception e)
{
e.printStackTrace();
}
}
private void jbInit()
throws Exception
{
this.setJMenuBar(menuBar);
this.getContentPane().setLayout(new BorderLayout());
this.setSize(new Dimension(1000, 275));
this.setTitle("Battery Data");
menuFile.setText("File");
menuFileExit.setText("Exit");
menuFileExit.addActionListener( new ActionListener() { public void actionPerformed( ActionEvent ae ) { fileExit_ActionPerformed( ae ); } } );
menuFile.add( menuFileExit );
menuBar.add( menuFile );
displayPanel.setPreferredSize(new Dimension(1400, 275));
jScrollPane = new JScrollPane(displayPanel);
// this.getContentPane().add(displayPanel, BorderLayout.CENTER);
this.getContentPane().add(jScrollPane, BorderLayout.CENTER);
}
void fileExit_ActionPerformed(ActionEvent e)
{
System.out.println(e.getActionCommand());
// this.caller.close();
System.exit(0);
}
public void setLogData(Map<Date, LogData> logdata)
{
displayPanel.setLogData(logdata);
}
}
| 12nosanshiro-pi4j-sample | ADC/src/adc/sample/log/LogAnalysisFrame.java | Java | mit | 2,021 |
package adc.sample;
import adc.ADCContext;
import adc.ADCListener;
import adc.ADCObserver;
import adc.utils.EscapeSeq;
import org.fusesource.jansi.AnsiConsole;
public class FiveChannelListener
{
private final static boolean DEBUG = false;
private final static String STR100 = " ";
private final static int DIGITAL_OPTION = 0;
private final static int ANALOG_OPTION = 1;
private static int displayOption = ANALOG_OPTION;
private static ADCObserver.MCP3008_input_channels channel[] = null;
private final int[] channelValues = new int[] { 0, 0, 0, 0, 0 };
public FiveChannelListener() throws Exception
{
channel = new ADCObserver.MCP3008_input_channels[]
{
ADCObserver.MCP3008_input_channels.CH0,
ADCObserver.MCP3008_input_channels.CH1,
ADCObserver.MCP3008_input_channels.CH2,
ADCObserver.MCP3008_input_channels.CH3,
ADCObserver.MCP3008_input_channels.CH4
};
final ADCObserver obs = new ADCObserver(channel);
final String[] channelColors = new String[] { EscapeSeq.ANSI_RED, EscapeSeq.ANSI_WHITE, EscapeSeq.ANSI_YELLOW, EscapeSeq.ANSI_GREEN, EscapeSeq.ANSI_BLUE };
ADCContext.getInstance().addListener(new ADCListener()
{
@Override
public void valueUpdated(ADCObserver.MCP3008_input_channels inputChannel, int newValue)
{
// if (inputChannel.equals(channel))
{
int ch = inputChannel.ch();
int volume = (int)(newValue / 10.23); // [0, 1023] ~ [0x0000, 0x03FF] ~ [0&0, 0&1111111111]
channelValues[ch] = volume;
if (DEBUG)
System.out.println("readAdc:" + Integer.toString(newValue) +
" (0x" + lpad(Integer.toString(newValue, 16).toUpperCase(), "0", 2) +
", 0&" + lpad(Integer.toString(newValue, 2), "0", 8) + ")");
if (displayOption == DIGITAL_OPTION)
{
String output = "";
for (int chan=0; chan<channel.length; chan++)
output += "Ch " + Integer.toString(chan) + ", Volume:" + channelValues[chan] + "% ";
System.out.println(output.trim());
}
else if (displayOption == ANALOG_OPTION)
{
for (int chan=0; chan<channel.length; chan++)
{
String str = "";
for (int i=0; i<channelValues[chan]; i++)
str += ".";
try
{
str = EscapeSeq.superpose(str, "Ch " + Integer.toString(chan) + ": " + Integer.toString(channelValues[chan]) + "%");
AnsiConsole.out.println(EscapeSeq.ansiLocate(2, 2 + chan + 1) + EscapeSeq.ANSI_NORMAL + EscapeSeq.ANSI_DEFAULT_BACKGROUND + EscapeSeq.ANSI_DEFAULT_TEXT + STR100);
AnsiConsole.out.println(EscapeSeq.ansiLocate(2, 2 + chan + 1) + EscapeSeq.ansiSetTextAndBackgroundColor(EscapeSeq.ANSI_WHITE, channelColors[chan]) + EscapeSeq.ANSI_BOLD + str + EscapeSeq.ANSI_NORMAL + EscapeSeq.ANSI_DEFAULT_BACKGROUND + EscapeSeq.ANSI_DEFAULT_TEXT);
}
catch (Exception ex)
{
System.out.println(str);
}
}
}
}
}
});
obs.start();
Runtime.getRuntime().addShutdownHook(new Thread()
{
public void run()
{
if (obs != null)
obs.stop();
}
});
}
public static void main(String[] args) throws Exception
{
if (displayOption == ANALOG_OPTION)
{
AnsiConsole.systemInstall();
AnsiConsole.out.println(EscapeSeq.ANSI_CLS);
AnsiConsole.out.println(EscapeSeq.ansiLocate(1, 1) + EscapeSeq.ANSI_NORMAL + EscapeSeq.ANSI_DEFAULT_BACKGROUND + EscapeSeq.ANSI_DEFAULT_TEXT + EscapeSeq.ANSI_BOLD + "Displaying channels' volume");
}
// Channels are hard-coded
new FiveChannelListener();
}
private static String lpad(String str, String with, int len)
{
String s = str;
while (s.length() < len)
s = with + s;
return s;
}
}
| 12nosanshiro-pi4j-sample | ADC/src/adc/sample/FiveChannelListener.java | Java | mit | 4,342 |
package adc.utils;
import org.fusesource.jansi.Ansi;
import org.fusesource.jansi.AnsiConsole;
public class EscapeSeq
{
public final static char ESC = '\u001b'; // (char) 27;
public final static String ANSI_BLACK = "0";
public final static String ANSI_RED = "1";
public final static String ANSI_GREEN = "2";
public final static String ANSI_YELLOW = "3";
public final static String ANSI_BLUE = "4";
public final static String ANSI_MAGENTA = "5";
public final static String ANSI_CYAN = "6";
public final static String ANSI_WHITE = "7";
public static final String ANSI_CLS = ESC + "[2J";
public static final String ANSI_HOME = ESC + "[H"; // 0,0
public static final String ANSI_HEAD = ESC + "[1G"; // Start of current line, position 1
public static final String ANSI_NORMAL = ESC + "[0m";
public static final String ANSI_BOLD = ESC + "[1m";
public static final String ANSI_FAINT = ESC + "[2m";
public static final String ANSI_ITALIC = ESC + "[3m";
public static final String ANSI_UNDERLINE = ESC + "[4m";
public static final String ANSI_BLINK = ESC + "[5m";
public static final String ANSI_BLINK_FAST = ESC + "[6m";
public static final String ANSI_REVERSE = ESC + "[7m";
public static final String ANSI_CONCEAL = ESC + "[8m";
public static final String ANSI_CROSSED_OUT = ESC + "[9m";
public static final String ANSI_DEFAULT_TEXT = ESC + "[39m";
public static final String ANSI_DEFAULT_BACKGROUND = ESC + "[49m";
private final static String[] SOME_TEXT =
{
"What happens when the boat sends an email:",
"On the boat, you compose your email, and you put it in your outbox.",
"Then you turn your SSB on, and you use the SailMail client program to contact a land SailMail station.",
"When the contact is established, the messages sitting in the outbox go through the modem and the SSB to ",
"be streamed to the land station. On receive, the land station then turns the messages back into digital files,",
"and uses its Internet connection to post them on the web. From there, it's the usual email story."
};
public static final String ANSI_AT55 = ESC + "[10;10H"; // Actually 10, 10
public static final String ANSI_WHITEONBLUE = ESC + "[37;44m";
public static String ansiSetBackGroundColor(String color)
{
// ESC[40-47
return ESC + "[4" + color + "m";
}
public static String ansiSetTextColor(String color)
{
// ESC[30-37
return ESC + "[3" + color + "m";
}
public static String ansiSetTextAndBackgroundColor(String text, String bg)
{
// ESC[30-37;40-47
return ESC + "[3" + text + ";4" + bg + "m";
}
public static String ansiLocate(int x, int y)
{
return ESC + "[" + Integer.toString(y) + ";" + Integer.toString(x) + "H"; // Actually Y, X
}
// An example
public static void main(String[] args)
{
String str80 = " ";
AnsiConsole.systemInstall();
AnsiConsole.out.println(ANSI_CLS);
// Display 5 rows, like an horizontal bar chart
for (int i=0; i<20; i++)
{
int value1 = (int)Math.round(Math.random() * 80);
int value2 = (int)Math.round(Math.random() * 80);
int value3 = (int)Math.round(Math.random() * 80);
int value4 = (int)Math.round(Math.random() * 80);
int value5 = (int)Math.round(Math.random() * 80);
String str1 = "";
for (int j=0; j<value1; j++)
str1 += ".";
String str2 = "";
for (int j=0; j<value2; j++)
str2 += ".";
String str3 = "";
for (int j=0; j<value3; j++)
str3 += ".";
String str4 = "";
for (int j=0; j<value4; j++)
str4 += ".";
String str5 = "";
for (int j=0; j<value5; j++)
str5 += ".";
str1 = superpose(str1, "Cell 1:" + Integer.toString(value1));
str2 = superpose(str2, "Cell 2:" + Integer.toString(value2));
str3 = superpose(str3, "Cell 3:" + Integer.toString(value3));
str4 = superpose(str4, "Cell 4:" + Integer.toString(value4));
str5 = superpose(str5, "Cell 5:" + Integer.toString(value5));
// AnsiConsole.out.println(ANSI_CLS);
AnsiConsole.out.println(ansiLocate(0, 1) + ANSI_NORMAL + ANSI_DEFAULT_BACKGROUND + ANSI_DEFAULT_TEXT + str80);
AnsiConsole.out.println(ansiLocate(0, 1) + ansiSetTextAndBackgroundColor(ANSI_WHITE, ANSI_RED) + ANSI_BOLD + str1 + ANSI_NORMAL + ANSI_DEFAULT_BACKGROUND + ANSI_DEFAULT_TEXT);
AnsiConsole.out.println(ansiLocate(0, 2) + ANSI_NORMAL + ANSI_DEFAULT_BACKGROUND + ANSI_DEFAULT_TEXT + str80);
AnsiConsole.out.println(ansiLocate(0, 2) + ansiSetTextAndBackgroundColor(ANSI_WHITE, ANSI_WHITE) + ANSI_BOLD + str2 + ANSI_NORMAL + ANSI_DEFAULT_BACKGROUND + ANSI_DEFAULT_TEXT);
AnsiConsole.out.println(ansiLocate(0, 3) + ANSI_NORMAL + ANSI_DEFAULT_BACKGROUND + ANSI_DEFAULT_TEXT + str80);
AnsiConsole.out.println(ansiLocate(0, 3) + ansiSetTextAndBackgroundColor(ANSI_WHITE, ANSI_YELLOW) + ANSI_BOLD + str3 + ANSI_NORMAL + ANSI_DEFAULT_BACKGROUND + ANSI_DEFAULT_TEXT);
AnsiConsole.out.println(ansiLocate(0, 4) + ANSI_NORMAL + ANSI_DEFAULT_BACKGROUND + ANSI_DEFAULT_TEXT + str80);
AnsiConsole.out.println(ansiLocate(0, 4) + ansiSetTextAndBackgroundColor(ANSI_WHITE, ANSI_GREEN) + ANSI_BOLD + str4 + ANSI_NORMAL + ANSI_DEFAULT_BACKGROUND + ANSI_DEFAULT_TEXT);
AnsiConsole.out.println(ansiLocate(0, 5) + ANSI_NORMAL + ANSI_DEFAULT_BACKGROUND + ANSI_DEFAULT_TEXT + str80);
AnsiConsole.out.println(ansiLocate(0, 5) + ansiSetTextAndBackgroundColor(ANSI_WHITE, ANSI_BLUE) + ANSI_BOLD + str5 + ANSI_NORMAL + ANSI_DEFAULT_BACKGROUND + ANSI_DEFAULT_TEXT);
try { Thread.sleep(1000L); } catch (Exception ex) {}
}
System.out.println(ansiSetTextAndBackgroundColor(ANSI_GREEN, ANSI_RED) + "this concludes the " + ansiSetTextColor(ANSI_WHITE) + "Jansi" + ansiSetTextColor(ANSI_GREEN) + " demo" + ANSI_NORMAL);
}
public static String superpose(String orig, String override)
{
byte[] ret = orig.getBytes();
for (int i=0; i<Math.min(orig.length(), override.length()); i++)
ret[i] = (byte)override.charAt(i);
return new String(ret);
}
public static void main_(String[] args)
{
AnsiConsole.systemInstall();
AnsiConsole.out.println(ANSI_CLS);
AnsiConsole.out.println(ANSI_AT55 + ANSI_REVERSE + "10,10 reverse : Hello world" + ANSI_NORMAL);
AnsiConsole.out.println(ANSI_HOME + ANSI_WHITEONBLUE + "WhiteOnBlue : Hello world" + ANSI_NORMAL);
AnsiConsole.out.print(ANSI_BOLD + "Bold : Press return..." + ANSI_NORMAL);
try
{
System.in.read();
}
catch (Exception e)
{
}
// AnsiConsole.out.println(ANSI_CLS);
AnsiConsole.out.println(ANSI_NORMAL + "Normal text and " + ANSI_WHITEONBLUE + "bold" + ANSI_NORMAL + " text.");
AnsiConsole.out.println(ANSI_NORMAL + "Normal " + ansiSetTextColor(ANSI_YELLOW) + "yellow" + ANSI_NORMAL + " text and " + ansiSetTextAndBackgroundColor(ANSI_WHITE, ANSI_BLACK) + "bold" + ANSI_NORMAL + " text.");
System.out.println(ANSI_NORMAL + "Normal text and " + ANSI_WHITEONBLUE + "bold" + ANSI_NORMAL + " text.");
System.out.println(ANSI_NORMAL + "Normal " + ansiSetTextColor(ANSI_YELLOW) + "yellow" + ANSI_NORMAL + " text and " + ansiSetTextAndBackgroundColor(ANSI_WHITE, ANSI_BLACK) + "bold" + ANSI_NORMAL + " text.");
for (String line : SOME_TEXT)
{
System.out.print(ANSI_HEAD + line);
try { Thread.sleep(1000); } catch (Exception ex) {}
}
System.out.println();
System.out.println(ansiSetTextAndBackgroundColor(ANSI_GREEN, ANSI_RED) + "this concludes the " + ansiSetTextColor(ANSI_WHITE) + "Jansi" + ansiSetTextColor(ANSI_GREEN) + " demo" + ANSI_NORMAL);
}
}
| 12nosanshiro-pi4j-sample | ADC/src/adc/utils/EscapeSeq.java | Java | mit | 7,897 |
package analogdigitalconverter.mcp3008;
import com.pi4j.io.gpio.GpioController;
import com.pi4j.io.gpio.GpioFactory;
import com.pi4j.io.gpio.GpioPinDigitalInput;
import com.pi4j.io.gpio.GpioPinDigitalOutput;
import com.pi4j.io.gpio.Pin;
import com.pi4j.io.gpio.PinState;
import com.pi4j.io.gpio.RaspiPin;
/**
* Read an Analog to Digital Converter
*/
public class MCP3008Reader
{
private final static boolean DISPLAY_DIGIT = "true".equals(System.getProperty("display.digit", "false"));
// Note: "Mismatch" 23-24. The wiring says DOUT->#23, DIN->#24
// 23: DOUT on the ADC is IN on the GPIO. ADC:Slave, GPIO:Master
// 24: DIN on the ADC, OUT on the GPIO. Same reason as above.
// SPI: Serial Peripheral Interface
private static Pin spiClk = RaspiPin.GPIO_01; // Pin #18, clock
private static Pin spiMiso = RaspiPin.GPIO_04; // Pin #23, data in. MISO: Master In Slave Out
private static Pin spiMosi = RaspiPin.GPIO_05; // Pin #24, data out. MOSI: Master Out Slave In
private static Pin spiCs = RaspiPin.GPIO_06; // Pin #25, Chip Select
public enum MCP3008_input_channels
{
CH0(0),
CH1(1),
CH2(2),
CH3(3),
CH4(4),
CH5(5),
CH6(6),
CH7(7);
private int ch;
MCP3008_input_channels(int chNum)
{
this.ch = chNum;
}
public int ch() { return this.ch; }
}
private static GpioController gpio;
private static GpioPinDigitalInput misoInput = null;
private static GpioPinDigitalOutput mosiOutput = null;
private static GpioPinDigitalOutput clockOutput = null;
private static GpioPinDigitalOutput chipSelectOutput = null;
public static void initMCP3008()
{
gpio = GpioFactory.getInstance();
mosiOutput = gpio.provisionDigitalOutputPin(spiMosi, "MOSI", PinState.LOW);
clockOutput = gpio.provisionDigitalOutputPin(spiClk, "CLK", PinState.LOW);
chipSelectOutput = gpio.provisionDigitalOutputPin(spiCs, "CS", PinState.LOW);
misoInput = gpio.provisionDigitalInputPin(spiMiso, "MISO");
}
public static void shutdownMCP3008()
{
gpio.shutdown();
}
public static int readMCP3008(int channel)
{
chipSelectOutput.high();
clockOutput.low();
chipSelectOutput.low();
int adccommand = channel;
if (DISPLAY_DIGIT)
System.out.println("1 - ADCCOMMAND: 0x" + lpad(Integer.toString(adccommand, 16).toUpperCase(), "0", 4) +
", 0&" + lpad(Integer.toString(adccommand, 2).toUpperCase(), "0", 16));
adccommand |= 0x18; // 0x18: 00011000
if (DISPLAY_DIGIT)
System.out.println("2 - ADCCOMMAND: 0x" + lpad(Integer.toString(adccommand, 16).toUpperCase(), "0", 4) +
", 0&" + lpad(Integer.toString(adccommand, 2).toUpperCase(), "0", 16));
adccommand <<= 3;
if (DISPLAY_DIGIT)
System.out.println("3 - ADCCOMMAND: 0x" + lpad(Integer.toString(adccommand, 16).toUpperCase(), "0", 4) +
", 0&" + lpad(Integer.toString(adccommand, 2).toUpperCase(), "0", 16));
// Send 5 bits: 8 - 3. 8 input channels on the MCP3008.
for (int i=0; i<5; i++) //
{
if (DISPLAY_DIGIT)
System.out.println("4 - (i=" + i + ") ADCCOMMAND: 0x" + lpad(Integer.toString(adccommand, 16).toUpperCase(), "0", 4) +
", 0&" + lpad(Integer.toString(adccommand, 2).toUpperCase(), "0", 16));
if ((adccommand & 0x80) != 0x0) // 0x80 = 0&10000000
mosiOutput.high();
else
mosiOutput.low();
adccommand <<= 1;
// Clock high and low
tickOnPin(clockOutput);
}
int adcOut = 0;
for (int i=0; i<12; i++) // Read in one empty bit, one null bit and 10 ADC bits
{
tickOnPin(clockOutput);
adcOut <<= 1;
if (misoInput.isHigh())
{
// System.out.println(" " + misoInput.getName() + " is high (i:" + i + ")");
// Shift one bit on the adcOut
adcOut |= 0x1;
}
if (DISPLAY_DIGIT)
System.out.println("ADCOUT: 0x" + lpad(Integer.toString(adcOut, 16).toUpperCase(), "0", 4) +
", 0&" + lpad(Integer.toString(adcOut, 2).toUpperCase(), "0", 16));
}
chipSelectOutput.high();
adcOut >>= 1; // Drop first bit
return adcOut;
}
private static void tickOnPin(GpioPinDigitalOutput pin)
{
pin.high();
pin.low();
}
private static String lpad(String str, String with, int len)
{
String s = str;
while (s.length() < len)
s = with + s;
return s;
}
}
| 12nosanshiro-pi4j-sample | ADC/src/analogdigitalconverter/mcp3008/MCP3008Reader.java | Java | mit | 4,682 |
package analogdigitalconverter.mcp3008.sample;
import analogdigitalconverter.mcp3008.MCP3008Reader;
import analogdigitalconverter.mcp3008.MCP3008Reader.MCP3008_input_channels;
public class MainMCP3008Sample
{
private final static boolean DEBUG = false;
private static boolean go = true;
private static int ADC_CHANNEL =
MCP3008Reader.MCP3008_input_channels.CH0.ch(); // Between 0 and 7, 8 channels on the MCP3008
public static void main(String[] args)
{
MCP3008Reader.initMCP3008();
Runtime.getRuntime().addShutdownHook(new Thread()
{
public void run()
{
System.out.println("Shutting down.");
go = false;
synchronized (Thread.currentThread())
{
Thread.currentThread().notify();
}
}
});
int lastRead = 0;
int tolerance = 5;
while (go)
{
boolean trimPotChanged = false;
int adc = MCP3008Reader.readMCP3008(ADC_CHANNEL);
int postAdjust = Math.abs(adc - lastRead);
if (postAdjust > tolerance)
{
trimPotChanged = true;
int volume = (int)(adc / 10.23); // [0, 1023] ~ [0x0000, 0x03FF] ~ [0&0, 0&1111111111]
if (DEBUG)
System.out.println("readAdc:" + Integer.toString(adc) +
" (0x" + lpad(Integer.toString(adc, 16).toUpperCase(), "0", 2) +
", 0&" + lpad(Integer.toString(adc, 2), "0", 8) + ")");
System.out.println("Volume:" + volume + "% (" + adc + ")");
lastRead = adc;
}
try
{
synchronized (Thread.currentThread())
{
Thread.currentThread().wait(100L);
}
} catch (InterruptedException ie) { ie.printStackTrace(); }
}
System.out.println("Bye, freeing resources.");
MCP3008Reader.shutdownMCP3008();
}
private static String lpad(String str, String with, int len)
{
String s = str;
while (s.length() < len)
s = with + s;
return s;
}
}
| 12nosanshiro-pi4j-sample | ADC/src/analogdigitalconverter/mcp3008/sample/MainMCP3008Sample.java | Java | mit | 2,438 |
package analogdigitalconverter;
import com.pi4j.io.gpio.GpioController;
import com.pi4j.io.gpio.GpioFactory;
import com.pi4j.io.gpio.GpioPinDigitalInput;
import com.pi4j.io.gpio.GpioPinDigitalOutput;
import com.pi4j.io.gpio.Pin;
import com.pi4j.io.gpio.PinState;
import com.pi4j.io.gpio.RaspiPin;
/**
* Read an Analog to Digital Converter
*/
public class ADCReader
{
private final static boolean DISPLAY_DIGIT = false;
private final static boolean DEBUG = false;
// Note: "Mismatch" 23-24. The wiring says DOUT->#23, DIN->#24
// 23: DOUT on the ADC is IN on the GPIO. ADC:Slave, GPIO:Master
// 24: DIN on the ADC, OUT on the GPIO. Same reason as above.
// SPI: Serial Peripheral Interface
private static Pin spiClk = RaspiPin.GPIO_01; // Pin #18, clock
private static Pin spiMiso = RaspiPin.GPIO_04; // Pin #23, data in. MISO: Master In Slave Out
private static Pin spiMosi = RaspiPin.GPIO_05; // Pin #24, data out. MOSI: Master Out Slave In
private static Pin spiCs = RaspiPin.GPIO_06; // Pin #25, Chip Select
private enum MCP3008_input_channels
{
CH0(0),
CH1(1),
CH2(2),
CH3(3),
CH4(4),
CH5(5),
CH6(6),
CH7(7);
private int ch;
MCP3008_input_channels(int chNum)
{
this.ch = chNum;
}
public int ch() { return this.ch; }
}
private static int ADC_CHANNEL = MCP3008_input_channels.CH0.ch(); // Between 0 and 7, 8 channels on the MCP3008
private static GpioPinDigitalInput misoInput = null;
private static GpioPinDigitalOutput mosiOutput = null;
private static GpioPinDigitalOutput clockOutput = null;
private static GpioPinDigitalOutput chipSelectOutput = null;
private static boolean go = true;
public static void main(String[] args)
{
GpioController gpio = GpioFactory.getInstance();
mosiOutput = gpio.provisionDigitalOutputPin(spiMosi, "MOSI", PinState.LOW);
clockOutput = gpio.provisionDigitalOutputPin(spiClk, "CLK", PinState.LOW);
chipSelectOutput = gpio.provisionDigitalOutputPin(spiCs, "CS", PinState.LOW);
misoInput = gpio.provisionDigitalInputPin(spiMiso, "MISO");
Runtime.getRuntime().addShutdownHook(new Thread()
{
public void run()
{
System.out.println("Shutting down.");
go = false;
}
});
int lastRead = 0;
int tolerance = 5;
while (go)
{
boolean trimPotChanged = false;
int adc = readAdc();
int postAdjust = Math.abs(adc - lastRead);
if (postAdjust > tolerance)
{
trimPotChanged = true;
int volume = (int)(adc / 10.23); // [0, 1023] ~ [0x0000, 0x03FF] ~ [0&0, 0&1111111111]
if (DEBUG)
System.out.println("readAdc:" + Integer.toString(adc) +
" (0x" + lpad(Integer.toString(adc, 16).toUpperCase(), "0", 2) +
", 0&" + lpad(Integer.toString(adc, 2), "0", 8) + ")");
System.out.println("Volume:" + volume + "% (" + adc + ")");
lastRead = adc;
}
try { Thread.sleep(100L); } catch (InterruptedException ie) { ie.printStackTrace(); }
}
System.out.println("Bye...");
gpio.shutdown();
}
private static int readAdc()
{
chipSelectOutput.high();
clockOutput.low();
chipSelectOutput.low();
int adccommand = ADC_CHANNEL;
adccommand |= 0x18; // 0x18: 00011000
adccommand <<= 3;
// Send 5 bits: 8 - 3. 8 input channels on the MCP3008.
for (int i=0; i<5; i++) //
{
if ((adccommand & 0x80) != 0x0) // 0x80 = 0&10000000
mosiOutput.high();
else
mosiOutput.low();
adccommand <<= 1;
clockOutput.high();
clockOutput.low();
}
int adcOut = 0;
for (int i=0; i<12; i++) // Read in one empty bit, one null bit and 10 ADC bits
{
clockOutput.high();
clockOutput.low();
adcOut <<= 1;
if (misoInput.isHigh())
{
// System.out.println(" " + misoInput.getName() + " is high (i:" + i + ")");
// Shift one bit on the adcOut
adcOut |= 0x1;
}
if (DISPLAY_DIGIT)
System.out.println("ADCOUT: 0x" + Integer.toString(adcOut, 16).toUpperCase() +
", 0&" + Integer.toString(adcOut, 2).toUpperCase());
}
chipSelectOutput.high();
adcOut >>= 1; // Drop first bit
return adcOut;
}
private static String lpad(String str, String with, int len)
{
String s = str;
while (s.length() < len)
s = with + s;
return s;
}
}
| 12nosanshiro-pi4j-sample | ADC/src/analogdigitalconverter/ADCReader.java | Java | mit | 4,904 |
#!/bin/bash
echo Read an ADC, feed a WebSocket
#
CP=./classes
CP=$CP:$PI4J_HOME/lib/pi4j-core.jar
CP=$CP:./lib/orasocket-client-12.1.3.jar
#
sudo java -cp $CP -Dws.uri=ws://localhost:9876/ adc.sample.WebSocketFeeder $*
| 12nosanshiro-pi4j-sample | ADC/run.ws | Shell | mit | 219 |
#!/bin/bash
echo Read an ADC
#
CP=./classes
CP=$CP:$PI4J_HOME/lib/pi4j-core.jar
CP=$CP:./lib/jansi-1.9.jar
sudo java -cp $CP adc.sample.BatteryMonitor $*
| 12nosanshiro-pi4j-sample | ADC/battery.monitor | Shell | mit | 154 |
/*
* Compile with
* gcc -l wiringPi -o readMCP3008 mcp3008reader.c mcp3008main.c
***********************************************************************
* Oliv proudly did it.
*/
#include <stdio.h>
#include <stdlib.h>
#include <stdbool.h>
#include <wiringPi.h>
#include "mcp3008reader.h"
#define ADC_CHANNEL 0 // 0 to 7, 8 channels on the MCP3008
int main(void)
{
fprintf(stdout, "Raspberry Pi reads an ADC\n") ;
initMPC3008();
bool go = true;
int lastRead = -100;
int tolerance = 10;
while (go)
{
bool trimPotChanged = false;
int pot = readMCP3008(ADC_CHANNEL);
int potAdjust = abs(pot - lastRead);
if (potAdjust > tolerance)
{
trimPotChanged = true;
int volume = (int)((float)pot / 10.23);
fprintf(stdout, "Pot volume:%d %% value:%d\n", volume, pot);
lastRead = pot;
}
delay (250);
}
return 0;
}
| 12nosanshiro-pi4j-sample | ADC/C/mcp3008main.c | C | mit | 882 |
void initMPC3008(void);
int readMCP3008(int channel);
| 12nosanshiro-pi4j-sample | ADC/C/mcp3008reader.h | C | mit | 55 |
/*
* Oliv proudly did it.
*/
#include <stdio.h>
#include <stdlib.h>
#include <stdbool.h>
#include <wiringPi.h>
/* Pin numbers:
* pin 1 is BCM_GPIO 18.
* pin 4 is BCM_GPIO 23.
* pin 5 is BCM_GPIO 24.
* pin 6 is BCM_GPIO 25.
*/
#define SPI_CLK 1 // Clock
#define SPI_MISO 4 // Master In Slave Out
#define SPI_MOSI 5 // Master Out Slave In
#define SPI_CS 6 // Chip Select
#define ADC_CHANNEL 0 // 0 to 7, 8 channels on the MCP3008
#define DISPLAY_DIGIT 0
void initMPC3008(void)
{
wiringPiSetup();
pinMode(SPI_CLK, OUTPUT);
pinMode(SPI_MOSI, OUTPUT);
pinMode(SPI_CS, OUTPUT);
digitalWrite(SPI_CLK, LOW);
digitalWrite(SPI_MOSI, LOW);
digitalWrite(SPI_CS, LOW);
pinMode (SPI_MISO, INPUT);
}
int readMCP3008(int channel)
{
int i;
digitalWrite(SPI_CS, HIGH);
digitalWrite(SPI_CLK, LOW);
digitalWrite(SPI_CS, LOW);
int adcCommand = channel;
adcCommand |= 0x18; // 0x18 = 00011000
adcCommand <<= 3;
// Send 5 bits: 8 - 3. 8 input channels on the MCP3008.
for (i=0; i<5; i++)
{
if (DISPLAY_DIGIT)
fprintf(stdout, "(i=%d) ADCCOMMAND: 0x%04x\n", i, adcCommand);
if ((adcCommand & 0x80) != 0x0) // 0x80 = 0&10000000
digitalWrite(SPI_MOSI, HIGH);
else
digitalWrite(SPI_MOSI, LOW);
adcCommand <<= 1;
digitalWrite(SPI_CLK, HIGH);
digitalWrite(SPI_CLK, LOW);
}
int adcOut = 0;
for (i=0; i<12; i++) // Read in one empty bit, one null bit and 10 ADC bits
{
digitalWrite(SPI_CLK, HIGH);
digitalWrite(SPI_CLK, LOW);
adcOut <<= 1;
if (digitalRead(SPI_MISO) == HIGH)
{
// Shift one bit on the adcOut
adcOut |= 0x1;
}
if (DISPLAY_DIGIT)
fprintf(stdout, "ADCOUT: 0x%04x\n", (adcOut));
}
digitalWrite(SPI_CS, HIGH);
adcOut >>= 1; // Drop first bit
return adcOut & 0x3FF; // 0x3FF = 2^10, 1024.
}
| 12nosanshiro-pi4j-sample | ADC/C/mcp3008reader.c | C | mit | 1,855 |
@setlocal
@echo off
set CP=.\classes
set CP=%CP%;.\lib\jansi-1.9.jar
java -cp %CP% adc.utils.EscapeSeq
@endlocal | 12nosanshiro-pi4j-sample | ADC/test.esc.cmd | Batchfile | mit | 112 |
#!/bin/bash
JAVAC_OPTIONS="-sourcepath ./src"
JAVAC_OPTIONS="$JAVAC_OPTIONS -d ./classes"
echo $JAVAC_OPTIONS
CP=./classes
CP=$CP:$PI4J_HOME/lib/pi4j-core.jar
# JAVAC_OPTIONS="-verbose $JAVAC_OPTIONS"
JAVAC_OPTIONS="$JAVAC_OPTIONS -cp $CP"
COMMAND="javac $JAVAC_OPTIONS `find ./src -name '*.java' -print`"
echo Compiling: $COMMAND
$COMMAND
echo Done
| 12nosanshiro-pi4j-sample | DAC/compile | Shell | mit | 351 |
#!/bin/bash
CP=./classes:$PI4J_HOME/lib/pi4j-core.jar
java -cp $CP dac.sample.DACSample
| 12nosanshiro-pi4j-sample | DAC/run | Shell | mit | 88 |
package dac.sample;
import dac.mcp4725.AdafruitMCP4725;
import java.io.IOException;
public class DACSample
{
private static final int[] DACLookupFullSine9Bit = new int[]
{ 2048, 2073, 2098, 2123, 2148, 2174, 2199, 2224,
2249, 2274, 2299, 2324, 2349, 2373, 2398, 2423,
2448, 2472, 2497, 2521, 2546, 2570, 2594, 2618,
2643, 2667, 2690, 2714, 2738, 2762, 2785, 2808,
2832, 2855, 2878, 2901, 2924, 2946, 2969, 2991,
3013, 3036, 3057, 3079, 3101, 3122, 3144, 3165,
3186, 3207, 3227, 3248, 3268, 3288, 3308, 3328,
3347, 3367, 3386, 3405, 3423, 3442, 3460, 3478,
3496, 3514, 3531, 3548, 3565, 3582, 3599, 3615,
3631, 3647, 3663, 3678, 3693, 3708, 3722, 3737,
3751, 3765, 3778, 3792, 3805, 3817, 3830, 3842,
3854, 3866, 3877, 3888, 3899, 3910, 3920, 3930,
3940, 3950, 3959, 3968, 3976, 3985, 3993, 4000,
4008, 4015, 4022, 4028, 4035, 4041, 4046, 4052,
4057, 4061, 4066, 4070, 4074, 4077, 4081, 4084,
4086, 4088, 4090, 4092, 4094, 4095, 4095, 4095,
4095, 4095, 4095, 4095, 4094, 4092, 4090, 4088,
4086, 4084, 4081, 4077, 4074, 4070, 4066, 4061,
4057, 4052, 4046, 4041, 4035, 4028, 4022, 4015,
4008, 4000, 3993, 3985, 3976, 3968, 3959, 3950,
3940, 3930, 3920, 3910, 3899, 3888, 3877, 3866,
3854, 3842, 3830, 3817, 3805, 3792, 3778, 3765,
3751, 3737, 3722, 3708, 3693, 3678, 3663, 3647,
3631, 3615, 3599, 3582, 3565, 3548, 3531, 3514,
3496, 3478, 3460, 3442, 3423, 3405, 3386, 3367,
3347, 3328, 3308, 3288, 3268, 3248, 3227, 3207,
3186, 3165, 3144, 3122, 3101, 3079, 3057, 3036,
3013, 2991, 2969, 2946, 2924, 2901, 2878, 2855,
2832, 2808, 2785, 2762, 2738, 2714, 2690, 2667,
2643, 2618, 2594, 2570, 2546, 2521, 2497, 2472,
2448, 2423, 2398, 2373, 2349, 2324, 2299, 2274,
2249, 2224, 2199, 2174, 2148, 2123, 2098, 2073,
2048, 2023, 1998, 1973, 1948, 1922, 1897, 1872,
1847, 1822, 1797, 1772, 1747, 1723, 1698, 1673,
1648, 1624, 1599, 1575, 1550, 1526, 1502, 1478,
1453, 1429, 1406, 1382, 1358, 1334, 1311, 1288,
1264, 1241, 1218, 1195, 1172, 1150, 1127, 1105,
1083, 1060, 1039, 1017, 995, 974, 952, 931,
910, 889, 869, 848, 828, 808, 788, 768,
749, 729, 710, 691, 673, 654, 636, 618,
600, 582, 565, 548, 531, 514, 497, 481,
465, 449, 433, 418, 403, 388, 374, 359,
345, 331, 318, 304, 291, 279, 266, 254,
242, 230, 219, 208, 197, 186, 176, 166,
156, 146, 137, 128, 120, 111, 103, 96,
88, 81, 74, 68, 61, 55, 50, 44,
39, 35, 30, 26, 22, 19, 15, 12,
10, 8, 6, 4, 2, 1, 1, 0,
0, 0, 1, 1, 2, 4, 6, 8,
10, 12, 15, 19, 22, 26, 30, 35,
39, 44, 50, 55, 61, 68, 74, 81,
88, 96, 103, 111, 120, 128, 137, 146,
156, 166, 176, 186, 197, 208, 219, 230,
242, 254, 266, 279, 291, 304, 318, 331,
345, 359, 374, 388, 403, 418, 433, 449,
465, 481, 497, 514, 531, 548, 565, 582,
600, 618, 636, 654, 673, 691, 710, 729,
749, 768, 788, 808, 828, 848, 869, 889,
910, 931, 952, 974, 995, 1017, 1039, 1060,
1083, 1105, 1127, 1150, 1172, 1195, 1218, 1241,
1264, 1288, 1311, 1334, 1358, 1382, 1406, 1429,
1453, 1478, 1502, 1526, 1550, 1575, 1599, 1624,
1648, 1673, 1698, 1723, 1747, 1772, 1797, 1822,
1847, 1872, 1897, 1922, 1948, 1973, 1998, 2023 };
public static void main(String[] args)// throws IOException
{
System.out.println("The output happens on the VOUT terminal of the MCP4725.");
AdafruitMCP4725 dac = new AdafruitMCP4725();
for (int i=0; i<5; i++)
{
for (int volt : DACLookupFullSine9Bit)
{
dac.setVoltage(volt);
try { Thread.sleep(10L); } catch (InterruptedException ie) {}
}
}
}
}
| 12nosanshiro-pi4j-sample | DAC/src/dac/sample/DACSample.java | Java | mit | 3,914 |
package dac.mcp4725;
import com.pi4j.io.i2c.I2CBus;
import com.pi4j.io.i2c.I2CDevice;
import com.pi4j.io.i2c.I2CFactory;
import java.io.IOException;
public class AdafruitMCP4725
{
public final static int MCP4725_ADDRESS = 0x62; // Can be changed with pin A0. A0 connected to VDD: 0x63
public final static int MCP4725_REG_WRITEDAC = 0x40;
public final static int MCP4725_REG_WRITEDACEEPROM = 0x60;
private static boolean verbose = true;
private I2CBus bus;
private I2CDevice mcp4725;
public AdafruitMCP4725()
{
this(MCP4725_ADDRESS);
}
public AdafruitMCP4725(int address)
{
try
{
// Get i2c bus
bus = I2CFactory.getInstance(I2CBus.BUS_1); // Depends on the RasPI version
if (verbose)
System.out.println("Connected to bus. OK.");
// Get device itself
mcp4725 = bus.getDevice(address);
if (verbose)
System.out.println("Connected to device. OK.");
}
catch (IOException e)
{
System.err.println(e.getMessage());
}
}
// Set the voltage, readable on the VOUT terminal
public void setVoltage(int voltage) // throws IOException
{
try { setVoltage(voltage, false); }
catch (IOException ioe)
{
ioe.printStackTrace();
}
catch (NullPointerException npe)
{
npe.printStackTrace();
}
}
public void setVoltage(int voltage, boolean persist) throws IOException, NullPointerException
{
voltage = Math.min(voltage, 4095); // 4096 = 2^12
voltage = Math.max(voltage, 0);
byte[] bytes = new byte[2];
bytes[0] = (byte)((voltage >> 4) & 0xff);
bytes[1] = (byte)((voltage << 4) & 0xff);
if (persist)
this.mcp4725.write(MCP4725_REG_WRITEDACEEPROM, bytes, 0, 2);
else
this.mcp4725.write(MCP4725_REG_WRITEDAC, bytes, 0, 2);
}
}
| 12nosanshiro-pi4j-sample | DAC/src/dac/mcp4725/AdafruitMCP4725.java | Java | mit | 1,829 |
#!/bin/bash
JAVAC_OPTIONS="-sourcepath ./src"
JAVAC_OPTIONS="$JAVAC_OPTIONS -d ./classes"
echo $JAVAC_OPTIONS
CP=./classes
CP=$CP:../AdafruitI2C/classes
CP=$CP:../GPSandSun/classes
# PI4J_HOME=/home/pi/pi4j/pi4j-distribution/target/distro-contents
CP=$CP:$PI4J_HOME/lib/pi4j-core.jar
CP=$CP:./lib/almanactools.jar
CP=$CP:./lib/geomutil.jar
CP=$CP:./lib/nauticalalmanac.jar
CP=$CP:./lib/nmeaparser.jar
CP=$CP:./lib/jansi-1.9.jar
# JAVAC_OPTIONS="-verbose $JAVAC_OPTIONS"
JAVAC_OPTIONS="$JAVAC_OPTIONS -cp $CP"
COMMAND="javac $JAVAC_OPTIONS `find ./src -name '*.java' -print`"
echo Compiling: $COMMAND
$COMMAND
echo Done
| 12nosanshiro-pi4j-sample | GPS.sun.servo/compile | Shell | mit | 620 |
#!/bin/bash
echo Read serial port
echo Usage $0 [BaudRate] \(default 4800\)
echo Try 2400, 4800, 9600, 19200, 38400, 57600, 115200, ...
CP=./classes
CP=$CP:../AdafruitI2C/classes
CP=$CP:../GPSandSun/classes
CP=$CP:$PI4J_HOME/lib/pi4j-core.jar
CP=$CP:./lib/almanactools.jar
CP=$CP:./lib/geomutil.jar
CP=$CP:./lib/nauticalalmanac.jar
CP=$CP:./lib/nmeaparser.jar
CP=$CP:./lib/coreutilities.jar
CP=$CP:./lib/jansi-1.9.jar
sudo java -cp $CP sunservo.SunServoNMEAReader $*
# sudo java -Dserial.port=/dev/ttyUSB0 -cp $CP sunservo.SunServoNMEAReader $*
| 12nosanshiro-pi4j-sample | GPS.sun.servo/run | Shell | mit | 545 |
package sunservo;
import org.fusesource.jansi.AnsiConsole;
public class EscapeSeq
{
public final static char ESC = '\u001b'; // (char) 27;
public final static String ANSI_BLACK = "0";
public final static String ANSI_RED = "1";
public final static String ANSI_GREEN = "2";
public final static String ANSI_YELLOW = "3";
public final static String ANSI_BLUE = "4";
public final static String ANSI_MAGENTA = "5";
public final static String ANSI_CYAN = "6";
public final static String ANSI_WHITE = "7";
public static final String ANSI_CLS = ESC + "[2J";
public static final String ANSI_HOME = ESC + "[H"; // 0,0
public static final String ANSI_HEAD = ESC + "[1G"; // Start of current line, position 1
public static final String ANSI_NORMAL = ESC + "[0m";
public static final String ANSI_BOLD = ESC + "[1m";
public static final String ANSI_FAINT = ESC + "[2m";
public static final String ANSI_ITALIC = ESC + "[3m";
public static final String ANSI_UNDERLINE = ESC + "[4m";
public static final String ANSI_BLINK = ESC + "[5m";
public static final String ANSI_BLINK_FAST = ESC + "[6m";
public static final String ANSI_REVERSE = ESC + "[7m";
public static final String ANSI_CONCEAL = ESC + "[8m";
public static final String ANSI_CROSSED_OUT = ESC + "[9m";
public static final String ANSI_DEFAULT_TEXT = ESC + "[39m";
public static final String ANSI_DEFAULT_BACKGROUND = ESC + "[49m";
private final static String[] SOME_TEXT =
{
"What happens when the boat sends an email:",
"On the boat, you compose your email, and you put it in your outbox.",
"Then you turn your SSB on, and you use the SailMail client program to contact a land SailMail station.",
"When the contact is established, the messages sitting in the outbox go through the modem and the SSB to ",
"be streamed to the land station. On receive, the land station then turns the messages back into digital files,",
"and uses its Internet connection to post them on the web. From there, it's the usual email story."
};
public static final String ANSI_AT55 = ESC + "[10;10H"; // Actually 10, 10
public static final String ANSI_WHITEONBLUE = ESC + "[37;44m";
public static String ansiSetBackGroundColor(String color)
{
// ESC[40-47
return ESC + "[4" + color + "m";
}
public static String ansiSetTextColor(String color)
{
// ESC[30-37
return ESC + "[3" + color + "m";
}
public static String ansiSetTextAndBackgroundColor(String text, String bg)
{
// ESC[30-37;40-47
return ESC + "[3" + text + ";4" + bg + "m";
}
public static String ansiLocate(int x, int y)
{
return ESC + "[" + Integer.toString(y) + ";" + Integer.toString(x) + "H"; // Actually Y, X
}
// An example
public static void main(String[] args)
{
String str80 = " ";
AnsiConsole.systemInstall();
AnsiConsole.out.println(ANSI_CLS);
// Display 5 rows, like an horizontal bar chart
for (int i=0; i<20; i++)
{
int value1 = (int)Math.round(Math.random() * 80);
int value2 = (int)Math.round(Math.random() * 80);
int value3 = (int)Math.round(Math.random() * 80);
int value4 = (int)Math.round(Math.random() * 80);
int value5 = (int)Math.round(Math.random() * 80);
String str1 = "";
for (int j=0; j<value1; j++)
str1 += ".";
String str2 = "";
for (int j=0; j<value2; j++)
str2 += ".";
String str3 = "";
for (int j=0; j<value3; j++)
str3 += ".";
String str4 = "";
for (int j=0; j<value4; j++)
str4 += ".";
String str5 = "";
for (int j=0; j<value5; j++)
str5 += ".";
str1 = superpose(str1, "Cell 1:" + Integer.toString(value1));
str2 = superpose(str2, "Cell 2:" + Integer.toString(value2));
str3 = superpose(str3, "Cell 3:" + Integer.toString(value3));
str4 = superpose(str4, "Cell 4:" + Integer.toString(value4));
str5 = superpose(str5, "Cell 5:" + Integer.toString(value5));
// AnsiConsole.out.println(ANSI_CLS);
AnsiConsole.out.println(ansiLocate(0, 1) + ANSI_NORMAL + ANSI_DEFAULT_BACKGROUND + ANSI_DEFAULT_TEXT + str80);
AnsiConsole.out.println(ansiLocate(0, 1) + ansiSetTextAndBackgroundColor(ANSI_WHITE, ANSI_RED) + ANSI_BOLD + str1 + ANSI_NORMAL + ANSI_DEFAULT_BACKGROUND + ANSI_DEFAULT_TEXT);
AnsiConsole.out.println(ansiLocate(0, 2) + ANSI_NORMAL + ANSI_DEFAULT_BACKGROUND + ANSI_DEFAULT_TEXT + str80);
AnsiConsole.out.println(ansiLocate(0, 2) + ansiSetTextAndBackgroundColor(ANSI_WHITE, ANSI_WHITE) + ANSI_BOLD + str2 + ANSI_NORMAL + ANSI_DEFAULT_BACKGROUND + ANSI_DEFAULT_TEXT);
AnsiConsole.out.println(ansiLocate(0, 3) + ANSI_NORMAL + ANSI_DEFAULT_BACKGROUND + ANSI_DEFAULT_TEXT + str80);
AnsiConsole.out.println(ansiLocate(0, 3) + ansiSetTextAndBackgroundColor(ANSI_WHITE, ANSI_YELLOW) + ANSI_BOLD + str3 + ANSI_NORMAL + ANSI_DEFAULT_BACKGROUND + ANSI_DEFAULT_TEXT);
AnsiConsole.out.println(ansiLocate(0, 4) + ANSI_NORMAL + ANSI_DEFAULT_BACKGROUND + ANSI_DEFAULT_TEXT + str80);
AnsiConsole.out.println(ansiLocate(0, 4) + ansiSetTextAndBackgroundColor(ANSI_WHITE, ANSI_GREEN) + ANSI_BOLD + str4 + ANSI_NORMAL + ANSI_DEFAULT_BACKGROUND + ANSI_DEFAULT_TEXT);
AnsiConsole.out.println(ansiLocate(0, 5) + ANSI_NORMAL + ANSI_DEFAULT_BACKGROUND + ANSI_DEFAULT_TEXT + str80);
AnsiConsole.out.println(ansiLocate(0, 5) + ansiSetTextAndBackgroundColor(ANSI_WHITE, ANSI_BLUE) + ANSI_BOLD + str5 + ANSI_NORMAL + ANSI_DEFAULT_BACKGROUND + ANSI_DEFAULT_TEXT);
try { Thread.sleep(1000L); } catch (Exception ex) {}
}
System.out.println(ansiSetTextAndBackgroundColor(ANSI_GREEN, ANSI_RED) + "this concludes the " + ansiSetTextColor(ANSI_WHITE) + "Jansi" + ansiSetTextColor(ANSI_GREEN) + " demo" + ANSI_NORMAL);
}
public static String superpose(String orig, String override)
{
byte[] ret = orig.getBytes();
for (int i=0; i<Math.min(orig.length(), override.length()); i++)
ret[i] = (byte)override.charAt(i);
return new String(ret);
}
public static void main_(String[] args)
{
AnsiConsole.systemInstall();
AnsiConsole.out.println(ANSI_CLS);
AnsiConsole.out.println(ANSI_AT55 + ANSI_REVERSE + "10,10 reverse : Hello world" + ANSI_NORMAL);
AnsiConsole.out.println(ANSI_HOME + ANSI_WHITEONBLUE + "WhiteOnBlue : Hello world" + ANSI_NORMAL);
AnsiConsole.out.print(ANSI_BOLD + "Bold : Press return..." + ANSI_NORMAL);
try
{
System.in.read();
}
catch (Exception e)
{
}
// AnsiConsole.out.println(ANSI_CLS);
AnsiConsole.out.println(ANSI_NORMAL + "Normal text and " + ANSI_WHITEONBLUE + "bold" + ANSI_NORMAL + " text.");
AnsiConsole.out.println(ANSI_NORMAL + "Normal " + ansiSetTextColor(ANSI_YELLOW) + "yellow" + ANSI_NORMAL + " text and " + ansiSetTextAndBackgroundColor(ANSI_WHITE, ANSI_BLACK) + "bold" + ANSI_NORMAL + " text.");
System.out.println(ANSI_NORMAL + "Normal text and " + ANSI_WHITEONBLUE + "bold" + ANSI_NORMAL + " text.");
System.out.println(ANSI_NORMAL + "Normal " + ansiSetTextColor(ANSI_YELLOW) + "yellow" + ANSI_NORMAL + " text and " + ansiSetTextAndBackgroundColor(ANSI_WHITE, ANSI_BLACK) + "bold" + ANSI_NORMAL + " text.");
for (String line : SOME_TEXT)
{
System.out.print(ANSI_HEAD + line);
try { Thread.sleep(1000); } catch (Exception ex) {}
}
System.out.println();
System.out.println(ansiSetTextAndBackgroundColor(ANSI_GREEN, ANSI_RED) + "this concludes the " + ansiSetTextColor(ANSI_WHITE) + "Jansi" + ansiSetTextColor(ANSI_GREEN) + " demo" + ANSI_NORMAL);
}
}
| 12nosanshiro-pi4j-sample | GPS.sun.servo/src/sunservo/EscapeSeq.java | Java | mit | 7,862 |
@setlocal
@echo off
set JAVA_HOME=D:\Java\jdk1.7.0_45
set PATH=%JAVA_HOME%\bin;%PATH%
set JAVAC_OTPIONS=-sourcepath .\src
set JAVAC_OPTIONS=%JAVAC_OPTIONS% -d .\classes
set CP=.\classes
set CP=%CP%;..\AdafruitI2C\classes
set CP=%CP%;..\GPSandSun\classes
set PI4J_HOME=D:\Cloud\pi4j
set CP=%CP%;%PI4J_HOME%\libs\pi4j-core.jar
:: set CP=%CP%;%PI4J_HOME%\libs\pi4j-device.jar
:: set CP=%CP%;%PI4J_HOME%\libs\pi4j-gpio-extension.jar
:: set CP=%CP%;%PI4J_HOME%\libs\pi4j-service.jar
set CP=%CP%;.\lib\almanactools.jar
set CP=%CP%;.\lib\geomutil.jar
set CP=%CP%;.\lib\nauticalalmanac.jar
set CP=%CP%;.\lib\nmeaparser.jar
set CP=%CP%;.\lib\jansi-1.9.jar
set JAVAC_OPTIONS=%JAVAC_OPTIONS% -cp %CP%
echo Compiling
javac %JAVAC_OPTIONS% .\src\sunservo\*.java
echo Done
@endlocal
| 12nosanshiro-pi4j-sample | GPS.sun.servo/compile.cmd | Batchfile | mit | 771 |
#!/bin/bash
echo Blinking 8 leds
CP=./classes:$PI4J_HOME/lib/pi4j-core.jar
sudo java -cp $CP gpio01.GPIO08led
| 12nosanshiro-pi4j-sample | GPIO.01/run8 | Shell | mit | 110 |
#!/bin/bash
JAVAC_OPTIONS="-sourcepath ./src"
JAVAC_OPTIONS="$JAVAC_OPTIONS -d ./classes"
echo $JAVAC_OPTIONS
CP=./classes
CP=$CP:$PI4J_HOME/lib/pi4j-core.jar
# JAVAC_OPTIONS="-verbose $JAVAC_OPTIONS"
JAVAC_OPTIONS="$JAVAC_OPTIONS -cp $CP"
COMMAND="javac $JAVAC_OPTIONS `find ./src -name '*.java' -print`"
echo Compiling: $COMMAND
$COMMAND
echo Done
| 12nosanshiro-pi4j-sample | GPIO.01/compile | Shell | mit | 351 |
#!/bin/bash
echo Speed Test
CP=./classes:/home/pi/pi4j/pi4j-distribution/target/distro-contents/lib/pi4j-core.jar
sudo java -cp $CP gpio01.SpeedTest
| 12nosanshiro-pi4j-sample | GPIO.01/test | Shell | mit | 150 |
#!/bin/bash
echo Blinking a led, pin 01
CP=./classes:$PI4J_HOME/lib/pi4j-core.jar
java -cp $CP gpio01.GPIO01led
| 12nosanshiro-pi4j-sample | GPIO.01/run | Shell | mit | 112 |
package gpio01;
import com.pi4j.io.gpio.GpioController;
import com.pi4j.io.gpio.GpioFactory;
import com.pi4j.io.gpio.GpioPinDigitalOutput;
import com.pi4j.io.gpio.PinState;
import com.pi4j.io.gpio.RaspiPin;
public class GPIO01led
{
public static void main(String[] args)
throws InterruptedException
{
System.out.println("GPIO Control - pin 01 ... started.");
// create gpio controller
final GpioController gpio = GpioFactory.getInstance();
// provision gpio pin #01 as an output pin and turn on
final GpioPinDigitalOutput pin = gpio.provisionDigitalOutputPin(RaspiPin.GPIO_01, "MyLED", PinState.HIGH);
System.out.println("--> GPIO state should be: ON");
Thread.sleep(5000);
// turn off gpio pin #01
pin.low();
System.out.println("--> GPIO state should be: OFF");
Thread.sleep(5000);
// toggle the current state of gpio pin #01 (should turn on)
pin.toggle();
System.out.println("--> GPIO state should be: ON");
Thread.sleep(5000);
// toggle the current state of gpio pin #01 (should turn off)
pin.toggle();
System.out.println("--> GPIO state should be: OFF");
Thread.sleep(5000);
// turn on gpio pin #01 for 1 second and then off
System.out.println("--> GPIO state should be: ON for only 1 second");
pin.pulse(1000, true); // set second argument to 'true' use a blocking call
// stop all GPIO activity/threads by shutting down the GPIO controller
// (this method will forcefully shutdown all GPIO monitoring threads and scheduled tasks)
gpio.shutdown();
}
}
| 12nosanshiro-pi4j-sample | GPIO.01/src/gpio01/GPIO01led.java | Java | mit | 1,582 |
package gpio01;
import com.pi4j.io.gpio.GpioController;
import com.pi4j.io.gpio.GpioFactory;
import com.pi4j.io.gpio.GpioPinDigitalOutput;
import com.pi4j.io.gpio.PinState;
import com.pi4j.io.gpio.RaspiPin;
public class GPIO08led
{
public static void main(String[] args)
throws InterruptedException
{
System.out.println("GPIO Control ...started.");
// create gpio controller
final GpioController gpio = GpioFactory.getInstance();
final GpioPinDigitalOutput pin00 = gpio.provisionDigitalOutputPin(RaspiPin.GPIO_00, "00", PinState.HIGH);
final GpioPinDigitalOutput pin01 = gpio.provisionDigitalOutputPin(RaspiPin.GPIO_01, "01", PinState.HIGH);
final GpioPinDigitalOutput pin02 = gpio.provisionDigitalOutputPin(RaspiPin.GPIO_02, "02", PinState.HIGH);
final GpioPinDigitalOutput pin03 = gpio.provisionDigitalOutputPin(RaspiPin.GPIO_03, "03", PinState.HIGH);
final GpioPinDigitalOutput pin04 = gpio.provisionDigitalOutputPin(RaspiPin.GPIO_04, "04", PinState.HIGH);
final GpioPinDigitalOutput pin05 = gpio.provisionDigitalOutputPin(RaspiPin.GPIO_05, "05", PinState.HIGH);
final GpioPinDigitalOutput pin06 = gpio.provisionDigitalOutputPin(RaspiPin.GPIO_06, "06", PinState.HIGH);
final GpioPinDigitalOutput pin07 = gpio.provisionDigitalOutputPin(RaspiPin.GPIO_07, "07", PinState.HIGH);
final GpioPinDigitalOutput[] ledArray = { pin00, pin01, pin02, pin03, pin04, pin05, pin06, pin07 };
System.out.println("Down an Up");
// Down
Thread.sleep(1000);
for (int i=0; i<ledArray.length; i++)
{
ledArray[i].toggle();
Thread.sleep(100);
}
Thread.sleep(1000);
// Up
for (int i=0; i<ledArray.length; i++)
{
ledArray[ledArray.length - 1 - i].toggle();
Thread.sleep(100);
}
System.out.println("One only");
// Down
Thread.sleep(1000);
for (int i=0; i<ledArray.length; i++)
{
oneOnly(ledArray, ledArray[i]);
Thread.sleep(100);
}
Thread.sleep(1000);
// Up
for (int i=0; i<ledArray.length; i++)
{
oneOnly(ledArray, ledArray[ledArray.length - 1 - i]);
Thread.sleep(100);
}
System.out.println("Messy...");
Thread.sleep(1000);
// Big mess
for (int i=0; i<1000; i++)
{
int idx = (int)(Math.random() * 8);
ledArray[idx].toggle();
Thread.sleep(50);
}
System.out.println("Down and Up, closing.");
// Down
Thread.sleep(500);
for (int i=0; i<ledArray.length; i++)
{
oneOnly(ledArray, ledArray[i]);
Thread.sleep(100);
}
// Up
for (int i=0; i<ledArray.length; i++)
{
oneOnly(ledArray, ledArray[ledArray.length - 1 - i]);
Thread.sleep(100);
}
System.out.println("Done.");
Thread.sleep(1000);
// Everything off
for (int i=0; i<ledArray.length; i++)
ledArray[i].low();
gpio.shutdown();
}
private static void oneOnly(GpioPinDigitalOutput[] allLeds, GpioPinDigitalOutput theOneOn)
{
for (int i=0; i<allLeds.length; i++)
{
if (allLeds[i].equals(theOneOn))
allLeds[i].high();
else
allLeds[i].low();
}
}
}
| 12nosanshiro-pi4j-sample | GPIO.01/src/gpio01/GPIO08led.java | Java | mit | 3,172 |
package gpio01;
import com.pi4j.io.gpio.GpioController;
import com.pi4j.io.gpio.GpioFactory;
import com.pi4j.io.gpio.GpioPinDigitalOutput;
import com.pi4j.io.gpio.PinState;
import com.pi4j.io.gpio.RaspiPin;
public class GPIO02led
{
public static void main(String[] args)
throws InterruptedException
{
System.out.println("GPIO Control - pin 00 & 02 ... started.");
// create gpio controller
final GpioController gpio = GpioFactory.getInstance();
// provision gpio pin #00 & #02 as an output pin and turn on
final GpioPinDigitalOutput pin00 = gpio.provisionDigitalOutputPin(RaspiPin.GPIO_00, "RedLed", PinState.HIGH);
final GpioPinDigitalOutput pin02 = gpio.provisionDigitalOutputPin(RaspiPin.GPIO_02, "GreenLed", PinState.HIGH);
Thread.sleep(1000);
System.out.println("Blinking red fast...");
for (int i=0; i<100; i++)
{
pin00.toggle();
Thread.sleep(50);
}
System.out.println("Blinking green fast...");
for (int i=0; i<100; i++)
{
pin02.toggle();
Thread.sleep(50);
}
pin00.low();
pin02.low();
Thread.sleep(1000);
pin00.high();
System.out.println("Blinking red & green fast...");
for (int i=0; i<100; i++)
{
pin00.toggle();
pin02.toggle();
Thread.sleep(50);
}
pin00.high();
pin02.low();
Thread.sleep(100);
pin02.high();
Thread.sleep(1000);
pin00.low();
pin02.low();
Thread.sleep(100);
pin00.pulse(500, true); // set second argument to 'true' use a blocking call
pin02.pulse(500, true); // set second argument to 'true' use a blocking call
Thread.sleep(100);
pin00.pulse(500, false); // set second argument to 'true' use a blocking call
Thread.sleep(100);
pin02.pulse(500, false); // set second argument to 'true' use a blocking call
Thread.sleep(1000);
// All on
pin00.high();
pin02.high();
Thread.sleep(1000);
pin00.low();
pin02.low();
// stop all GPIO activity/threads by shutting down the GPIO controller
// (this method will forcefully shutdown all GPIO monitoring threads and scheduled tasks)
gpio.shutdown();
}
}
| 12nosanshiro-pi4j-sample | GPIO.01/src/gpio01/GPIO02led.java | Java | mit | 2,183 |
package gpio01;
import com.pi4j.io.gpio.GpioController;
import com.pi4j.io.gpio.GpioFactory;
import com.pi4j.io.gpio.GpioPinDigitalOutput;
import com.pi4j.io.gpio.PinState;
import com.pi4j.io.gpio.RaspiPin;
public class SpeedTest
{
public static void main(String[] args)
throws InterruptedException
{
System.out.println("GPIO Control - Speed test.");
// create gpio controller
final GpioController gpio = GpioFactory.getInstance();
// provision gpio pin #01 as an output pin and turn on
final GpioPinDigitalOutput pin01 = gpio.provisionDigitalOutputPin(RaspiPin.GPIO_01, "One", PinState.LOW);
final GpioPinDigitalOutput pin02 = gpio.provisionDigitalOutputPin(RaspiPin.GPIO_02, "Two", PinState.LOW);
final GpioPinDigitalOutput pin03 = gpio.provisionDigitalOutputPin(RaspiPin.GPIO_03, "Three", PinState.LOW);
Thread.sleep(1000);
long before = System.currentTimeMillis();
pin01.toggle();
long after = System.currentTimeMillis();
System.out.println("Toggle took " + Long.toString(after - before) + " ms.");
Thread.sleep(500);
System.out.println("Pulse...");
for (int i=0; i<100; i++)
{
pin01.pulse(75, false); // set second argument to 'true' use a blocking call
pin02.pulse(75, false); // set second argument to 'true' use a blocking call
pin03.pulse(75, false); // set second argument to 'true' use a blocking call
Thread.sleep(100); // 1/10 s
}
System.out.println("Done");
pin01.low(); // Off
gpio.shutdown();
}
}
| 12nosanshiro-pi4j-sample | GPIO.01/src/gpio01/SpeedTest.java | Java | mit | 1,539 |
#!/bin/bash
echo Blinking 2 leds
CP=./classes:$PI4J_HOME/lib/pi4j-core.jar
sudo java -cp $CP gpio01.GPIO02led
| 12nosanshiro-pi4j-sample | GPIO.01/run2 | Shell | mit | 110 |
#!/bin/bash
echo Interactive LED
CP=./classes:$PI4J_HOME/lib/pi4j-core.jar
sudo java -cp $CP rgbled.RGBLed
| 12nosanshiro-pi4j-sample | RGB-Led/run | Shell | mit | 107 |
package rgbled;
import com.pi4j.io.gpio.GpioController;
import com.pi4j.io.gpio.GpioFactory;
import com.pi4j.io.gpio.GpioPinDigitalOutput;
import com.pi4j.io.gpio.PinState;
import com.pi4j.io.gpio.RaspiPin;
import java.io.BufferedReader;
import java.io.InputStreamReader;
public class RGBLed
{
private static final BufferedReader stdin = new BufferedReader(new InputStreamReader(System.in));
public static String userInput(String prompt)
{
String retString = "";
System.err.print(prompt);
try
{
retString = stdin.readLine();
}
catch(Exception e)
{
System.out.println(e);
String s;
try
{
s = userInput("<Oooch/>");
}
catch(Exception exception)
{
exception.printStackTrace();
}
}
return retString;
}
public static void main(String[] args)
throws InterruptedException
{
System.out.println("GPIO Control - pin 00, 01 & 02 ... started.");
// create gpio controller
final GpioController gpio = GpioFactory.getInstance();
final GpioPinDigitalOutput greenPin = gpio.provisionDigitalOutputPin(RaspiPin.GPIO_00, "green", PinState.LOW);
final GpioPinDigitalOutput bluePin = gpio.provisionDigitalOutputPin(RaspiPin.GPIO_01, "blue", PinState.LOW);
final GpioPinDigitalOutput redPin = gpio.provisionDigitalOutputPin(RaspiPin.GPIO_02, "red", PinState.LOW);
/*
* yellow = R+G
* cyan = G+B
* magenta = R+B
* white = R+G+B
*/
boolean go = true;
while (go)
{
String s = userInput("R, G, B, or QUIT > ");
if ("R".equals(s.toUpperCase()))
redPin.toggle();
else if ("G".equals(s.toUpperCase()))
greenPin.toggle();
else if ("B".equals(s.toUpperCase()))
bluePin.toggle();
else if ("QUIT".equals(s.toUpperCase()) || "Q".equals(s.toUpperCase()))
go = false;
else
System.out.println("Unknown command [" + s + "]");
}
// Switch them off
redPin.low();
greenPin.low();
bluePin.low();
// stop all GPIO activity/threads by shutting down the GPIO controller
// (this method will forcefully shutdown all GPIO monitoring threads and scheduled tasks)
gpio.shutdown();
}
}
| 12nosanshiro-pi4j-sample | RGB-Led/src/rgbled/RGBLed.java | Java | mit | 2,260 |
package relay;
import com.pi4j.io.gpio.GpioController;
import com.pi4j.io.gpio.GpioFactory;
import com.pi4j.io.gpio.GpioPinDigitalOutput;
import com.pi4j.io.gpio.PinState;
import com.pi4j.io.gpio.RaspiPin;
public class RelayManager
{
private final GpioController gpio = GpioFactory.getInstance();
private final GpioPinDigitalOutput pin17;
private final GpioPinDigitalOutput pin18;
public RelayManager()
{
System.out.println("GPIO Control - pin 00/#17 and 01/#18 ... started.");
System.out.println("(Labelled #17 an #18 on the cobbler.)");
// For a relay it seems that HIGH means NC (Normally Closed)...
pin17 = gpio.provisionDigitalOutputPin(RaspiPin.GPIO_00, "Relay1", PinState.HIGH);
pin18 = gpio.provisionDigitalOutputPin(RaspiPin.GPIO_01, "Relay2", PinState.HIGH);
}
public void set(String device, String status)
{
GpioPinDigitalOutput pin = ("01".equals(device)?pin17:pin18);
if ("on".equals(status))
pin.low();
else
pin.high();
}
public void shutdown()
{
gpio.shutdown();
}
}
| 12nosanshiro-pi4j-sample | Relay.by.http/src/relay/RelayManager.java | Java | mit | 1,064 |
package httpserver;
import com.sun.speech.freetts.Voice;
import com.sun.speech.freetts.VoiceManager;
import java.io.BufferedReader;
import java.io.File;
import java.io.FileReader;
import java.io.InputStreamReader;
import java.io.OutputStreamWriter;
import java.io.PrintWriter;
import java.net.ServerSocket;
import java.net.Socket;
import relay.RelayManager;
/**
* Dedicated HTTP Server.
* This is NOT J2EE Compliant, not even CGI.
*
* Runs the communication between an HTTP client and the
* features of the Data server to be displayed remotely.
*
* Comes with a speech option using "freeTTS" (see http://freetts.sourceforge.net/docs/index.php)
*/
public class StandaloneHTTPServer
{
private static boolean verbose = false;
private static boolean speak = false;
private static RelayManager rm;
private VoiceManager voiceManager = VoiceManager.getInstance();
private static Voice voice;
private final static String VOICENAME = "kevin16";
public StandaloneHTTPServer() {}
public StandaloneHTTPServer(String[] prms)
{
try { rm = new RelayManager(); }
catch (Exception ex)
{
System.err.println("You're not on the PI, hey?");
ex.printStackTrace();
}
// Bind the server
String machineName = "localhost";
String port = "9999";
machineName = System.getProperty("http.host", machineName);
port = System.getProperty("http.port", port);
System.out.println("HTTP Host:" + machineName);
System.out.println("HTTP Port:" + port);
System.out.println("\nOptions are -verbose=y|[n], -speak=y|[n]");
if (prms != null && prms.length > 0)
{
for (int i=0; i<prms.length; i++)
{
// System.out.println("Parameter[" + i + "]=" + prms[i]);
if (prms[i].startsWith("-verbose="))
{
verbose = prms[i].substring("-verbose=".length()).equals("y");
}
else if (prms[i].startsWith("-speak="))
{
speak = prms[i].substring("-speak=".length()).equals("y");
}
// System.out.println("verbose=" + verbose);
}
}
int _port = 0;
try
{
_port = Integer.parseInt(port);
}
catch (NumberFormatException nfe)
{
throw nfe;
}
if (speak)
{
voice = voiceManager.getVoice(VOICENAME);
voice.allocate();
}
if (verbose)
System.out.println("Server running from [" + System.getProperty("user.dir") + "]");
// Infinite loop
try
{
ServerSocket ss = new ServerSocket(_port);
while (true)
{
Socket client = ss.accept();
BufferedReader in = new BufferedReader(new InputStreamReader(client.getInputStream()));
PrintWriter out = new PrintWriter(new OutputStreamWriter(client.getOutputStream()));
String line;
while ((line = in.readLine()) != null)
{
if (line.length() == 0)
break;
else if (line.startsWith("POST /exit") || line.startsWith("GET /exit"))
{
System.out.println("Received an exit signal");
System.exit(0);
}
else if (line.startsWith("POST /") || line.startsWith("GET /"))
{
manageRequest(line, out);
}
if (verbose)
System.out.println("Read:[" + line + "]");
}
// out.println(generateContent());
out.flush();
out.close();
in.close();
client.close();
}
}
catch (Exception e)
{
System.err.println(e.toString());
e.printStackTrace();
}
}
private void manageRequest(String request, PrintWriter out)
{
out.println(generateContent(request));
}
private String generateContent(String request)
{
String str = ""; // "Content-Type: text/xml\r\n\r\n";
// System.out.println("Managing request [" + request + "]");
String[] elements = request.split(" ");
if (elements[0].equals("GET"))
{
String[] parts = elements[1].split("\\?");
if (parts.length != 2)
{
String fileName = parts[0];
File data = new File("." + fileName);
if (data.exists())
{
try
{
BufferedReader br = new BufferedReader(new FileReader(data));
String line = "";
while (line != null)
{
line = br.readLine();
if (line != null)
str += (line + "\n");
}
br.close();
}
catch (Exception ex)
{
ex.printStackTrace();
}
}
else
str = "- There is no parameter is this query -";
}
else
{
if (request.startsWith("GET /relay-access"))
{
System.out.println("--> " + request);
String dev = "";
String status = "";
String[] params = parts[1].split("&");
for (String nv : params)
{
String[] nvPair = nv.split("=");
// System.out.println(nvPair[0] + " = " + nvPair[1]);
if (nvPair[0].equals("dev"))
dev = nvPair[1];
else if (nvPair[0].equals("status"))
status = nvPair[1];
}
System.out.println("Setting [" + dev + "] to [" + status + "]");
if (("01".equals(dev) || "02".equals(dev)) &&
("on".equals(status) || "off".equals(status)))
{
if (speak)
voice.speak("Turning light " + ("01".equals(dev)?"one":"two") + ", " + status + "!");
try { rm.set(dev, status); }
catch (Exception ex)
{
System.err.println(ex.toString());
}
str = "200 OK\r\n";
}
else
{
System.out.println("Unknown dev/status [" + dev + "/" + status + "]");
}
}
}
}
else
str = "- Not managed -";
return str;
}
public static void shutdown()
{
rm.shutdown();
rm.set("01", "off");
rm.set("02", "off");
if (speak)
voice.deallocate();
}
/**
*
* @param args see usage
*/
public static void main(String[] args)
{
System.out.println("Starting tiny dedicated server");
System.out.println("Use [Ctrl] + [C] to stop it, or POST the following request:");
System.out.println("http://localhost:" + System.getProperty("http.port", "9999") + "/exit");
System.out.println("Data are available at:");
System.out.println("http://localhost:" + System.getProperty("http.port", "9999"));
System.out.println("----------------------------------");
if (isHelpRequired(args))
{
System.out.println("Usage is: java " + new StandaloneHTTPServer().getClass().getName() + " prms");
System.out.println("\twhere prms can be:");
System.out.println("\t-?\tDisplay this message");
System.out.println("\t-verbose=[y|n] - default is n");
System.out.println("The following variables can be defined in the command line (before the class name):");
System.out.println("\t-Dhttp.port=[port number]\tThe HTTP port to listen to, 9999 by default");
System.out.println("\t-Dhttp.host=[hostname] \tThe HTTP host to bind, localhost by default");
System.out.println("Example:");
System.out.println("java -Dhttp.port=6789 -Dhttp.host=localhost " + new StandaloneHTTPServer().getClass().getName());
System.exit(0);
}
Runtime.getRuntime().addShutdownHook(new Thread()
{
public void run()
{
System.out.println("\nShutting down nicely...");
shutdown();
}
});
new StandaloneHTTPServer(args);
}
private static boolean isHelpRequired(String[] args)
{
boolean ret = false;
if (args != null)
{
for (int i=0; i<args.length; i++)
{
if (args[i].toUpperCase().equals("-H") ||
args[i].toUpperCase().equals("-HELP") ||
args[i].toUpperCase().equals("HELP") ||
args[i].equals("?") ||
args[i].equals("-?"))
{
ret = true;
break;
}
}
}
return ret;
}
} | 12nosanshiro-pi4j-sample | Relay.by.http/src/httpserver/StandaloneHTTPServer.java | Java | mit | 8,202 |
package httpserver;
import java.io.EOFException;
import java.net.HttpURLConnection;
import java.net.SocketException;
import java.net.URL;
public class SmallClient
{
public static void main(String[] args) throws Exception
{
int responseCode = 0;
try
{
URL url = new URL("http://raspberrypi:9999/relay-access?dev=01&status=off");
HttpURLConnection conn = (HttpURLConnection)url.openConnection();
conn.setRequestMethod("GET");
responseCode = conn.getResponseCode();
System.out.println("Done. (" + responseCode + ")");
}
catch (EOFException eofe)
{
System.out.println("EOFException"); // That's ok, nothing is returned
}
catch (SocketException se)
{
System.out.println("SocketException"); // OK too.
}
catch (Exception ex)
{
ex.printStackTrace();
}
System.out.println("Response Code:" + responseCode);
}
}
| 12nosanshiro-pi4j-sample | Relay.by.http/src/httpserver/SmallClient.java | Java | mit | 917 |
var set = function(device, state)
{
request(device, state);
};
var SERVICE_ROOT = "/relay-access";
var request = function(pin, status)
{
var restRequest = SERVICE_ROOT + "?dev=" + pin + "&status=" + status;
var ajax = new XMLHttpRequest();
ajax.open("GET", restRequest, false);
ajax.send(null);
};
| 12nosanshiro-pi4j-sample | Relay.by.http/web/relay.js | JavaScript | mit | 310 |
<!DOCTYPE html>
<html>
<head>
<title>Relay over the Internet</title>
<link rel="stylesheet" href="./stylesheet.css" type="text/css"/>
<script type="text/javascript" src="relay.js"></script>
</head>
<body>
<h1>Home Automation <img src="https://encrypted-tbn0.gstatic.com/images?q=tbn:ANd9GcShXziEYSrwRD_qhgn29_PZsGBBTcrqty5O3dTViH1OpylgCpiQBg" alt="Raspberry PI" style="vertical-align:middle;" width="51" height="62"></h1>
Choose below.
<p>
<table style="margin-left: auto; margin-right: auto;" cellspacing="10"> <!-- style="margin: auto;" -->
<tr>
<td><button onClick="set('01', 'on');">1 - On</button></td>
<td><button onClick="set('01', 'off');">1 - Off</button></td>
<td><button onClick="set('02', 'on');">2 - On</button></td>
<td><button onClick="set('02', 'off');">2 - Off</button></td>
</tr>
</table>
</p>
<hr>
<address>Oliv did it</address>
</body>
</html> | 12nosanshiro-pi4j-sample | Relay.by.http/web/index.html | HTML | mit | 978 |
body
{
color : blue;
font-weight: normal;
font-size: 10pt;
font-family: Verdana, Helvetica, Geneva;
background-position: top left;
background-repeat: repeat
}
h1
{
color: silver;
font-style: italic;
font-size: 26pt;
font-family: Verdana, Arial, Helvetica, Geneva;
padding-left: 5pt
}
h2
{
color: silver;
font-size: 12pt;
font-family: Verdana, Arial, Helvetica, Geneva
}
h3
{
color: silver;
font-style: italic;
font-weight: bold;
font-size: 11pt;
font-family: Verdana, Arial, Helvetica, Geneva;
}
h4
{
color: silver;
font-style: italic;
font-weight: bold;
font-size: 10pt;
font-family: Verdana, Arial, Helvetica, Geneva;
}
h5
{
color: silver;
font-style: normal;
font-weight: bold;
font-size: 10pt;
font-family: Arial, Helvetica, Geneva;
}
h6
{
font-style: italic;
font-weight: normal;
font-size: 10pt;
font-family: Verdana, Arial, Helvetica, Geneva;
}
li
{
font-weight: normal;
font-size: 10pt;
font-family: Verdana, Helvetica, Geneva;
}
dt
{
font-size: 10pt;
font-weight: bold;
font-family: Verdana, Arial, Helvetica, Geneva;
}
dd
{
font-size: 10pt;
font-weight: normal;
font-family: Verdana, Arial, Helvetica, Geneva;
}
p
{
font-size: 10pt;
font-weight: normal;
font-family: Verdana, Helvetica, Geneva;
}
td
{
font-size: 10pt;
font-family: Arial, Helvetica, Geneva;
}
small
{
font-size: 8pt;
font-family: Verdana, Arial, Helvetica, Geneva;
}
blockquote
{
font-style: italic;
font-size: 10pt;
font-family: Verdana, Arial, Helvetica, Geneva;
}
em
{
font-size: 10pt;
font-style: italic;
font-weight: bold;
font-family: Verdana, Arial, Helvetica, Geneva
}
pre
{
font-size: 9pt;
font-family: "Source Code Pro", "Courier New", Helvetica, Geneva;
background-color: #d3d3d3;
}
address
{
font-size: 8pt;
font-family: Verdana, Arial, Helvetica, Geneva;
}
.red
{
color:red;
}
a:link { color : #0000A0}
a:active { color: #8080FF}
a:visited { color : #8080FF} | 12nosanshiro-pi4j-sample | Relay.by.http/web/stylesheet.css | CSS | mit | 2,066 |
#!/bin/bash
CP=./classes
CP=$CP:$PI4J_HOME/lib/pi4j-core.jar
CP=$CP:./lib/freetts.jar
sudo java -cp $CP httpserver.StandaloneHTTPServer $*
| 12nosanshiro-pi4j-sample | Relay.by.http/start.server | Shell | mit | 139 |
#!/bin/sh
# This is a shell archive (produced by GNU sharutils 4.2.1).
# To extract the files from this archive, save it to some FILE, remove
# everything before the `!/bin/sh' line above, then type `sh FILE'.
#
# Existing files will *not* be overwritten unless `-c' is specified.
#
# This shar contains:
# length mode name
# ------ ---------- ------------------------------------------
# 51811 -rw-rw-r-- jsapi.jar
#
more <<- xxxFOOxxx
Sun Microsystems, Inc.
Binary Code License Agreement
READ THE TERMS OF THIS AGREEMENT AND ANY PROVIDED SUPPLEMENTAL LICENSE
TERMS (COLLECTIVELY "AGREEMENT") CAREFULLY BEFORE OPENING THE SOFTWARE
MEDIA PACKAGE. BY OPENING THE SOFTWARE MEDIA PACKAGE, YOU AGREE TO THE
TERMS OF THIS AGREEMENT. IF YOU ARE ACCESSING THE SOFTWARE
ELECTRONICALLY, INDICATE YOUR ACCEPTANCE OF THESE TERMS BY SELECTING
THE "ACCEPT" BUTTON AT THE END OF THIS AGREEMENT. IF YOU DO NOT AGREE
TO ALL THESE TERMS, PROMPTLY RETURN THE UNUSED SOFTWARE TO YOUR PLACE
OF PURCHASE FOR A REFUND OR, IF THE SOFTWARE IS ACCESSED
ELECTRONICALLY, SELECT THE "DECLINE" BUTTON AT THE END OF THIS
AGREEMENT.
1. LICENSE TO USE. Sun grants you a non-exclusive and
non-transferable license for the internal use only of the accompanying
software and documentation and any error corrections provided by Sun
(collectively "Software"), by the number of users and the class of
computer hardware for which the corresponding fee has been paid.
2. RESTRICTIONS. Software is confidential and copyrighted. Title to
Software and all associated intellectual property rights is retained by
Sun and/or its licensors. Except as specifically authorized in any
Supplemental License Terms, you may not make copies of Software, other
than a single copy of Software for archival purposes. Unless
enforcement is prohibited by applicable law, you may not modify,
decompile, or reverse engineer Software. You acknowledge that Software
is not designed, licensed or intended for use in the design,
construction, operation or maintenance of any nuclear facility. Sun
disclaims any express or implied warranty of fitness for such uses. No
right, title or interest in or to any trademark, service mark, logo or
trade name of Sun or its licensors is granted under this Agreement.
3. LIMITED WARRANTY. Sun warrants to you that for a period of ninety
(90) days from the date of purchase, as evidenced by a copy of the
receipt, the media on which Software is furnished (if any) will be free
of defects in materials and workmanship under normal use. Except for
the foregoing, Software is provided "AS IS". Your exclusive remedy and
Sun's entire liability under this limited warranty will be at Sun's
option to replace Software media or refund the fee paid for Software.
4. DISCLAIMER OF WARRANTY. UNLESS SPECIFIED IN THIS AGREEMENT, ALL
EXPRESS OR IMPLIED CONDITIONS, REPRESENTATIONS AND WARRANTIES,
INCLUDING ANY IMPLIED WARRANTY OF MERCHANTABILITY, FITNESS FOR A
PARTICULAR PURPOSE OR NON-INFRINGEMENT ARE DISCLAIMED, EXCEPT TO THE
EXTENT THAT THESE DISCLAIMERS ARE HELD TO BE LEGALLY INVALID.
5. LIMITATION OF LIABILITY. TO THE EXTENT NOT PROHIBITED BY LAW, IN
NO EVENT WILL SUN OR ITS LICENSORS BE LIABLE FOR ANY LOST REVENUE,
PROFIT OR DATA, OR FOR SPECIAL, INDIRECT, CONSEQUENTIAL, INCIDENTAL OR
PUNITIVE DAMAGES, HOWEVER CAUSED REGARDLESS OF THE THEORY OF LIABILITY,
ARISING OUT OF OR RELATED TO THE USE OF OR INABILITY TO USE SOFTWARE,
EVEN IF SUN HAS BEEN ADVISED OF THE POSSIBILITY OF SUCH DAMAGES. In no
event will Sun's liability to you, whether in contract, tort (including
negligence), or otherwise, exceed the amount paid by you for Software
under this Agreement. The foregoing limitations will apply even if the
above stated warranty fails of its essential purpose.
6. Termination. This Agreement is effective until terminated. You
may terminate this Agreement at any time by destroying all copies of
Software. This Agreement will terminate immediately without notice
from Sun if you fail to comply with any provision of this Agreement.
Upon Termination, you must destroy all copies of Software.
7. Export Regulations. All Software and technical data delivered under
this Agreement are subject to US export control laws and may be subject
to export or import regulations in other countries. You agree to
comply strictly with all such laws and regulations and acknowledge that
you have the responsibility to obtain such licenses to export,
re-export, or import as may be required after delivery to you.
8. U.S. Government Restricted Rights. If Software is being acquired
by or on behalf of the U.S. Government or by a U.S. Government prime
contractor or subcontractor (at any tier), then the Government's rights
in Software and accompanying documentation will be only as set forth in
this Agreement; this is in accordance with 48 CFR 227.7201 through
227.7202-4 (for Department of Defense (DOD) acquisitions) and with 48
CFR 2.101 and 12.212 (for non-DOD acquisitions).
9. Governing Law. Any action related to this Agreement will be
governed by California law and controlling U.S. federal law. No choice
of law rules of any jurisdiction will apply.
10. Severability. If any provision of this Agreement is held to be
unenforceable, this Agreement will remain in effect with the provision
omitted, unless omission would frustrate the intent of the parties, in
which case this Agreement will immediately terminate.
11. Integration. This Agreement is the entire agreement between you
and Sun relating to its subject matter. It supersedes all prior or
contemporaneous oral or written communications, proposals,
representations and warranties and prevails over any conflicting or
additional terms of any quote, order, acknowledgment, or other
communication between the parties relating to its subject matter during
the term of this Agreement. No modification of this Agreement will be
binding, unless in writing and signed by an authorized representative
of each party.
JAVA(TM) SPEECH API (JSAPI) SPECIFICATION IMPLEMETATION, VERSION
1.0
SUPPLEMENTAL LICENSE TERMS
These supplemental license terms ("Supplemental Terms") add to or
modify the terms of the Binary Code License Agreement (collectively,
the "Agreement"). Capitalized terms not defined in these Supplemental
Terms shall have the same meanings ascribed to them in the Agreement.
These Supplemental Terms shall supersede any inconsistent or
conflicting terms in the Agreement, or in any license contained within
the Software.
1. Software Internal Use and Development License Grant. Subject to the
terms and conditions of this Agreement, including, but not limited to
Section 3 (Java(TM) Technology Restrictions) of these Supplemental
Terms, Sun grants you a non-exclusive, non-transferable, limited
license to reproduce internally and use internally the binary form of
the Software, complete and unmodified, for the sole purpose of
designing, developing and testing your Java applets and applications
("Programs").
2. License to Distribute Software. In addition to the license granted
in Section 1 (Software Internal Use and Development License Grant) of
these Supplemental Terms, subject to the terms and conditions of this
Agreement, including but not limited to Section 3 (Java Technology
Restrictions), Sun grants you a non-exclusive, non-transferable,
limited license to reproduce and distribute the Software in binary form
only, provided that you (i) distribute the Software complete and
unmodified and only bundled as part of your Programs, (ii) do not
distribute additional software intended to replace any component(s) of
the Software, (iii) do not remove or alter any proprietary legends or
notices contained in the Software, (iv) only distribute the Software
subject to a license agreement that protects Sun's interests consistent
with the terms contained in this Agreement, and (v) agree to defend and
indemnify Sun and its licensors from and against any damages, costs,
liabilities, settlement amounts and/or expenses (including attorneys'
fees) incurred in connection with any claim, lawsuit or action by any
third party that arises or results from the use or distribution of any
and all Programs and/or Software.
3. Java Technology Restrictions. You may not modify the Java Platform
Interface ("JPI", identified as classes contained within the "java"
package or any subpackages of the "java" package), by creating
additional classes within the JPI or otherwise causing the addition to
or modification of the classes in the JPI. In the event that you
create an additional class and associated API(s) which (i) extends the
functionality of the Java Platform, and (ii) is exposed to third party
software developers for the purpose of developing additional software
which invokes such additional API, you must promptly publish broadly an
accurate specification for such API for free use by all developers. You
may not create, or authorize your licensees to create additional
classes, interfaces, or subpackages that are in any way identified as
"java", "javax", "sun" or similar convention as specified by Sun in any
naming convention designation.
4. Trademarks and Logos. You acknowledge and agree as between you and
Sun that Sun owns the SUN, SOLARIS, JAVA, JINI, FORTE, and iPLANET
trademarks and all SUN, SOLARIS, JAVA, JINI, FORTE, and iPLANET-related
trademarks, service marks, logos and other brand designations ("Sun
Marks"), and you agree to comply with the Sun Trademark and Logo Usage
Requirements currently located at
http://www.sun.com/policies/trademarks. Any use you make of the Sun
Marks inures to Sun's benefit.
5. Source Code. Software may contain source code that is provided
solely for reference purposes pursuant to the terms of this Agreement.
Source code may not be redistributed unless expressly provided for in
this Agreement.
6. Termination for Infringement. Either party may terminate this
Agreement immediately should any Software become, or in either party's
opinion be likely to become, the subject of a claim of infringement of
any intellectual property right.
For inquiries please contact: Sun Microsystems, Inc. 901 San Antonio
Road, Palo Alto, California 94303 (LFI#108931/Form ID#011801)
xxxFOOxxx
echo "Accept (y/n)?: "
read ans
if [ "$ans" != "y" ]
then
echo 'failed to accept license'
exit 1
fi
save_IFS="${IFS}"
IFS="${IFS}:"
gettext_dir=FAILED
locale_dir=FAILED
first_param="$1"
for dir in $PATH
do
if test "$gettext_dir" = FAILED && test -f $dir/gettext \
&& ($dir/gettext --version >/dev/null 2>&1)
then
set `$dir/gettext --version 2>&1`
if test "$3" = GNU
then
gettext_dir=$dir
fi
fi
if test "$locale_dir" = FAILED && test -f $dir/shar \
&& ($dir/shar --print-text-domain-dir >/dev/null 2>&1)
then
locale_dir=`$dir/shar --print-text-domain-dir`
fi
done
IFS="$save_IFS"
if test "$locale_dir" = FAILED || test "$gettext_dir" = FAILED
then
echo=echo
else
TEXTDOMAINDIR=$locale_dir
export TEXTDOMAINDIR
TEXTDOMAIN=sharutils
export TEXTDOMAIN
echo="$gettext_dir/gettext -s"
fi
if touch -am -t 200112312359.59 $$.touch >/dev/null 2>&1 && test ! -f 200112312359.59 -a -f $$.touch; then
shar_touch='touch -am -t $1$2$3$4$5$6.$7 "$8"'
elif touch -am 123123592001.59 $$.touch >/dev/null 2>&1 && test ! -f 123123592001.59 -a ! -f 123123592001.5 -a -f $$.touch; then
shar_touch='touch -am $3$4$5$6$1$2.$7 "$8"'
elif touch -am 1231235901 $$.touch >/dev/null 2>&1 && test ! -f 1231235901 -a -f $$.touch; then
shar_touch='touch -am $3$4$5$6$2 "$8"'
else
shar_touch=:
echo
$echo 'WARNING: not restoring timestamps. Consider getting and'
$echo "installing GNU \`touch', distributed in GNU File Utilities..."
echo
fi
rm -f 200112312359.59 123123592001.59 123123592001.5 1231235901 $$.touch
#
if mkdir _sh01451; then
$echo 'x -' 'creating lock directory'
else
$echo 'failed to create lock directory'
exit 1
fi
# ============= jsapi.jar ==============
if test -f 'jsapi.jar' && test "$first_param" != -c; then
$echo 'x -' SKIPPING 'jsapi.jar' '(file already exists)'
else
$echo 'x -' extracting 'jsapi.jar' '(binary)'
sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 jsapi.jar
M4$L#!!0`"``(`#2=624````````````````)``0`345402U)3D8O_LH```,`
M4$L'"``````"`````````%!+`P04``@`"``UG5DE````````````````%```
M`$U%5$$M24Y&+TU!3DE&15-4+DU&\TW,RTQ++2[1#4LM*L[,S[-2,-0SX.7B
MY0(`4$L'"+)_`NX;````&0```%!+`P04``@`"``A@%0E````````````````
M)@```&IA=F%X+W-P965C:"]S>6YT:&5S:7,O4W!E86MA8FQE+F-L87-S._5O
MUSX&9@9=!FYV!DYV!BY&!A$-39^LQ+)$_9S$O'3]X)*BS+QT:T8&%N?\E%1&
M!GZ?S+Q4O]+<I-2BD,2D'*`(5W!^:5%RJELFB,,77)":F`V2T`.9P<C`G9Y:
MXA7LZQ.26E'"R""`,-@_*2LU&2BD`!*JT"\N2$U-SM`OKLPKR4@MSBS6AQO$
MQLC`Q,#(``*,+(P,'$#7`ED,;$"2B8$=`%!+!P@05)./HP```,````!02P,$
M%``(``@`(8!4)0```````````````"L```!J879A>"]S<&5E8V@O<WEN=&AE
M<VES+U-P96%K86)L945V96YT+F-L87-SC55K3QQ5&'[.<AM@RV6X6&YUBZ7N
MI72KK:U<6KHLLX#LK3L+"*4L`PQT"\QNEMG2)L888_0?F/@+3(PF:V*AT<0/
M^LWXP6MCU%93/_@OC.\[N\@`F\9-SG/>YWV?><X[9V;/?///YU^B`OU8JP`<
M<PSS##<9%AAN,2PRI!B6YMA@,":](N"SABH17)8Q)4"2$)$Q)"$N(2(A*
MB$F(2U`E3$M8J<%"#6[58+$./?#6H1L^AG,,_;64.U^+4_!S]0)'+W'A98XN
M,EQR(H!AANM.S&"(8<2)FQAW(L6PA$$G-$PZL<S1*N=TC`M4N<S,H$M`]%+<
MZ]),BJ5>UUHNL\7I"K=G4J#5[0G?T>YJ_DW-6/>K9BYMK`\)=+DGC^='\VMK
M>HZJ[6Y;+;9\1U\QAR8],P*><H7C_I;6^S^UEOB<^WCE&0VVE9.33?5PVDB;
MUP0J@YE57>!$,&-LFYIASFB;>>9*6(DHT60J&(ZIBHTKD7AR3L"YSV-Q)4H[
M2QO8&$X;>C2_M:SGDMKR)IG(Y3:T(1)(3"F)5$()!">4,8&FPPE^(BUJ7`E,
M!4;#2BH8B`:5<)B%C0=9)3IF77J0B0>F54XU'Z02BCH=.9)3DX%$DG-U:B:?
M6]%#:6ZT1<WJV@8WK=S5#?,\MTWWF(S%4[%0ZL:T,DU;X)R-)<8.#!KLU$5O
M5K66S>K&*NW5NFY&M-P&[</]++G7$$_J]TQ:E*+93&Y589FS1%13RU'-D:9<
M>_D'*7"2"_?\VUE=7[GM5ZW)ZE6@[U!I^[YAWM:WT]O^P_=$BV_9>JK/:CEM
MJ[@&O02FU9YD9O8SSKRQ861V#)=9O(6=_:YK=_9;QFGZ4_8`:$0'5(Q#($C,
M07,'XC;N(!ZQ\0KB41NO)!ZS\2KB81NO)IZT\1KBK]FX1#QDX[7$QVR\CKAB
MX_6T(AT3%%?RP6'->FE>M6:)M'36$(X2&Z>.Z<!#E]?7O8?GO>(!SGH=#W"&
MP</@_I3*`A.$G=0NQ`*JQ2+JQ1*:Q#+:Q`HZQ;QE>K5D.D&6531WETS[V;2M
M\IFN!KEFR36'9F&B7>31)38MUVLEUTER)25Z[*Y6JVSM\;95E;%]BVS?)MMW
MJ-EWR?8]=(LW23&+@9)M#\V"YBKO9SCS\7^75W-2O$_X.@;+2,\6CD@_(9PK
MZ^H^ZOHUX7Q9J>>H]"'ATGX#8H2>HH-J?Y/TA8]@_9[P!XZ_8!1?H'&1QF4:
M`S2&:8S0X&4,N:,@GRS(;06YO2`_5Y!;"U^@>T[NW(.+[V<7O7(C`7>QB].R
MLQB[*=[%BT5M"VG#/BL\8;NL@8`TA+.\B<7&!OB#RI]2?KMH]-'P^V2951_B
ME$]N*D:M/KFY&-7YY"Z.?+R>=P]]!UL<0C.%W^&2^!Y7Q`\8%#_BJO@)U\7/
M"(I'"(E?D!._X@WQ&SX0O^.A>(ROQ!-\*_[`(_$G'HNG>"K^(K<;UM\D\2]0
M2P<(!JVL&DP$```A"```4$L#!!0`"``(`"&`5"4````````````````N````
M:F%V87@O<W!E96-H+W-Y;G1H97-I<R]3<&5A:V%B;&5,:7-T96YE<BYC;&%S
M<X60WT[",!2'3W%Q.(1--/H*:*)]`"\)7BV@S'C?;4<WV+JE?Q!?S0L?@(<R
MMJ3,>&6:]$N__DY/V]WWYQ<<P2U<^'#B0^##@,#-)%ZQ#=M2V2)F!94?7!4H
M2TF3%MF:I17.-LC5_?4+`6_:Y$@@C$N.<UVG*)YM@$"0-%ID^%#:Q657&9=2
M(4=Q9UL0B"QHQ?@;7:0KS!2!J[W2JJSHOLVA@L#DOVO]1H<U$VL42V19@3F!
ML3QDIHQG6%56CCHYX[D582<>F9;61)U9HM3U7Y4H)I15@6K:Q>N31FW>.GAO
M1.ZVCHGY76)&#P#Z'H%3\``,AXXCQ]`Q<CQS'#N>6YIS?#/WH/\#4$L'"$/N
M>C$'`0``N`$``%!+`P04``@`"``RG5DE````````````````*````&IA=F%X
M+W-P965C:"]S>6YT:&5S:7,O4WEN=&AE<VEZ97(N8VQA<W.54U%/$T$0GH72
ME2)0+42(@H*(K=H>[WTPA)P)I*7%MB0^F>UUO!YN]YJ]/5+]:3[X`_Q1QKGK
M68^V2+CDLK/??//M[,S.K]\_?L(BE.&(PP&'5QP..;SF4.10XO"&P]LEB#X&
M,#86(GN[6*I=B6MAA<:3EJW"`6IA/%]5&1PEOI$5#!&=OA5\4Z:/@1=8K<3Z
MCKJI_2%JXV%`(8O%TB6#S>)84PKE6HWN%3JF&N&':;QEM*?<:FD68O!^#O'6
M5(8HOHJNQ)H7&%2HXZ.JB8)"8W4^UNX9W2C>R;^G8OENQ1O\S(G?0P:K)[X*
MC%#F4LB0]CE[Y.`PZD_`@)TQ6*]Y"L_#01=U.Q)AL'+1L3OV9[O>;'\B_WAW
MWFC_17(M/]0.?O`B<C[5R$J4((,-T>O-Y,0@ZPCEH&2P/#:.)=EKF#P8O`@Q
MRF_+13/W;3`HQ/WP?.NT,;D$@_U_?3Z5$ETAC[5+FLJD2/GIU\1@=]+=NI!?
M?#W`'K4Y%5.X46Y;N50G!CMST):A_&VM?;KEP2U-.FO5:]-9_W\L&/!AWU<X
MH%.?:!SXUSBGJDM!A%$AX[4IA:?:.#)9!@]HELE/4[H-3^DGE7AFE\E^EMJO
MP,,,@^>P"4#K"U@GSQ9Y,K1F8R2?(%EB+\38W@QK'U:GD)>P%BN^@T=3GG)R
M5@4>IY1Y[*M`(<%RQ.>3F`ILS'"M27S,HG\GOM'N'U!+!PC08\PS&`(``,H$
M``!02P,$%``(``@`(8!4)0```````````````"H```!J879A>"]S<&5E8V@O
M<WEN=&AE<VES+TI334Q%>&-E<'1I;VXN8VQA<W,[]6_7/@9F!ET&`78&/G8&
M?BX&1@96$,'&P\#)P`XB.!@9F#4TPQ@91#5\LA++$O5S$O/2]8-+BC+STJU!
MXFPVF7F9)7:,#"S.^2FIC`Q"7L&^/JX5R:D%)9GY>7H@/8P,_#Z9>:E^I;E)
MJ44AB4DY0&5<P?FE1<FI;ID@C@Q(585^<4%J:G*&?C"8@AO!R*""(EU<F5>2
MD5J<6:R/8A.#(@,3T.4@`**!S@>27$">(I`&B;-J;6=@W@AD,#+P`$DNH#(&
M!AD&%@8IL'(.J'(EH#A(ADU+>SL#"[IZ3096!G6@""_8&FX`4$L'"+.+1>'H
M````00$``%!+`P04``@`"``A@%0E````````````````,````&IA=F%X+W-P
M965C:"]S>6YT:&5S:7,O4WEN=&AE<VEZ97),:7-T96YE<BYC;&%S<X5/RT[#
M,!`<AZ@I`0I')'X`$.`/X(C24]0>`KT[R:IQE#@AMJ/"IW'@`_@HA"TU@I[0
M'F9G=F<?7]\?GSC"/181CB/$$4X8[J[36HQBQW5/5%1<ORE3D9::9_OLG89D
M)&4>;S8,X5-7$L-Y*A6M;)O3\"SRQBEQUMFAH*7TY/*/-Y7:D*+AP:]AN/#`
M&Z&V?)W75!B&JX,#$K5ULR<7P^W_Y_TVG[Y:LI2TO9%43O2E+X6A<L;<\\Q%
M`"`(714AX/#,H],CKV/^`U!+!P@H+4;&R0```"<!``!02P,$%``(``@`(8!4
M)0```````````````"T```!J879A>"]S<&5E8V@O<WEN=&AE<VES+U-P96%K
M86)L94%D87!T97(N8VQA<W.%D+M.PS`4AH]["[V70KD(,3`@0B7(C$!(J"I3
MH=`BF-WD0-.F3A0[!1Z+"8F!!^"A$,=5B02+!W^V?W\ZML_7]\<G9.$(MBRH
M6E"SH%X"!OD*K$"!0=8^O&?0MGL3/N<OCHP0W;$C7X4:H_2E,XR03_DHP.X<
MA3K5<N',%[XZ9Y#KA!XRJ/=\@=?);(3QG389E(9A$KMXZ>M-*RUQX?%(87RL
MKV+0T),3</'D]$<3=!6#`],CEA48V":SYTN%0JO5&8^G&`^0NV/TEK]/A
MPL4@T&$M#;O"TT$]#6YX(G722),!RF3V-QHJ'BL=E508]1]O$TSHZ^7G,/:6
M1[`'&>H[=1P`BC13^XE%VNTN<H!\^QUR;[2@,L3"(FP2&V`MU6T:&6W\USAQ
MU:Q=$9MFS2&NF;43XKI9ZQ!;9FV?N&'6=HB;9NV!6%X<5GX`4$L'"!,#ZCU.
M`0```P,``%!+`P04``@`"``A@%0E````````````````+P```&IA=F%X+W-P
M965C:"]S>6YT:&5S:7,O4WEN=&AE<VEZ97)!9&%P=&5R+F-L87-SA9!-3L,P
M$(6?^Y-`"92?!0+!@@UJ*R`'`"$A%%81FP)[MQY1(^J&V*F`6[%"8L$!.!1B
M'`4$;+*8IWGC3S/C^?A\>T<3AU@/L1QB)42W`X%VA`4$`LU>_T;@H)?>R;E\
MC&U&-)[$]LFX"5EMXV&5/5.>S,FX8X\')]IH=RK0.I\I$NBFVM!E,1U1?B5'
M]USI#&=%/J8+[<WFKR9G2F:.\B,_3F#[S]3$W'*?BA#HUZ_TPP[JV51;1\;#
MT4-!!273S&E2W_8Z4]*1PAX:?!X^#,`A_)58%]GMEG6@/7A%ZX43_B9K4!8W
M6%<15N@61\,3_[$=UK5Z;)]UJ7R,O@!02P<(I,RH)/X```#``0``4$L#!!0`
M"``(`'QM524````````````````B````:F%V87@O<W!E96-H+W-Y;G1H97-I
M<R]6;VEC92YC;&%S<WU5;5,;511^3O,&(4`(29"25EJKA@0(K5K;4MN&9`G1
MD'3"BZU?F"6L$`P;FEVP.(X_Q"_ZM2,Z[4Q+M9W1.L[4&?T1_@%_@_6<S0+K
MDG$R.?<\9Y_[G'O.O7?WCW^>_0P/)G"["V<]`$C,*3%>,5UBPF)&V;QZ%4`N
M@'P`2@"S`10"F`NB!T-!A##4C3Z\)MYP$+TX+7!$3$+,F1"2.!_"-"Z'<!VC
M(7R`"R'<$/@AKH10P17B]/`DQXJ$:'*LM*GNJIF&JJ]G*JN;6LV<=H<7S%9=
M7Y^VYBP3O,FB#+'DR9ECG[CB]E3ACW6(%XN=N>?:W/L98UO3:AL98T\W-S2C
M;F26F_6:9N7Q7Z_K=?,&H3M;4%9R<\52GM`K?KY27ES)9:L*(2QXOIC/EY25
M;'ZIM$CHD5!965JL9DN$?D&54EZI'CX/26114<H\5@D#`N]6ELJ%8XHWUUS3
M.%FNJ1NFJIO+:F.'<;B@E$7(D;_7#LTJ\]D2XQX;MU&?C8Y60[PE_:6ZKI5W
MME:UUJ*ZVF#=2*>]""XT=UHU;;8NC*#5EDFA\2ZIZQSRU1I-G4>_=F]';1CL
MK&OZFM:R'#,KE&YV"G8PP'Y9W>)H%WL+YI[(7CC.FQ.U<M-<V-G>;K9,;4VY
M7].VS7I3)PRZ:.U5#QU'B[JIM72UH;1:3<X5=I^;_X3:%1(2_W<"N+XMU:QM
M\%[HUJK]QF%1AJ,HXZ@HXZ@HGR$CSO%E"?$]"*(?P[B$R^Q?E#N)+L;O./`I
MQN\ZL(?Q>P[L99QRS1]SS9]TS<^XYJ<=V,=XPH']C,<=.,!_OLJ6S_?:&J?M
ML6+%>YG+;P&V4XP*'.<KCY'44X13]`2Q5*3K":*6'9!`_)&\D?`^V].<#GC`
MB_H.W=CGYGR/&'[@^`-+]"U;=-9:*/,MT;2()D3SC$@.>SMH'K#FCZSY$S?^
M&0;QG,LZ8`:_I&S-:_9"^U@S\O#CY^BY^Q3]OU@Q'_^Z;;T(*X$F^#\)'TW!
M3Q?Y";_G;)T75I.!1OHE@NE?T?<U?)[]]`OTS:<>(_8[0N,\O$3,LR]8P`$&
M+1+C>/MY_/!Y7(#C>91Q]%M>Y&,,L#OPC<2]^T?5SB#,[AIZ2$,OK2-"=0S3
M9QBE!LZ3CBEJXA+=PU4R<(M,S-`N;M/GJ-(>-N@+;-*7K'03K]O5G.'1ZH`D
M/$[CER!_10BW.E*C+BK^8IOE8W^2&GOHHO[&=J8C->ZB4H)M$6_;U`/KN`.[
M::O!21DB9#4OT6Y]NX>QM*/G::O9PHT[N/%#;CSMZ#_[42GNJT,T(%UI(\<>
M3/+'$C2+09I#@HH8IQ)N4AES5,$=JF*-%O`I+:%%RS#I#L_Z"&_8-9RU:_"G
M1O@L/W+5.\BVU)D;=7'Q-]MYO'F"*[?%S?V3;;DS-^Y>@V2_:EWW:_\"4$L'
M"#SGH3DH!```6`@``%!+`P04``@`"``B@%0E````````````````,````&IA
M=F%X+W-P965C:"]S>6YT:&5S:7,O4WEN=&AE<VEZ97)-;V1E1&5S8RYC;&%S
M<ZU476\451A^IC.SV]UN/T2J+.P"Y7,[L]O!QE1-@8CE(V`+QA(2/R!.M\?M
MXG87=W8K"T1O""'\`[E0O+$W)&(B%`@TU9B"1F/BK0F$8"!&@I$+N"!!GW-V
M6K;)0KWPYCWO><[[\;S/G#,_/KHX"1TI=`=A!Y$,(A5$5Q@-:)&F59JV,#0\
M([T%81C2-.!9Z2T,,;4]@@X\)\UB:6(1)!"-H!.+(G`0EV99!"]@C08]T;E'
M0T>B\YW^_>Z8>]#Q#@B1'G&\2KXT(KRLY^PI9-.B5T-[0D4X.3>?<78-[1?I
M4F_GVQJL.OCV.M!VV:B_-GBP5,SF,[U/0LJE;,[I+Z3=G*B->:U0R`DWWRO+
M??#_E9MG?MEM1H':2A)?GIB;NR6?R>;%0&%8;!9>6HG4D9B__+PQK+,B\1]X
M!M9G\]G21@U&'SEH:.TGG9WET2%1W.T.Y8B$!POE8EILS<K-HD&_QB%1G"'=
M)9MH6#;OK6ATAX>5KR'D%HMN)5TX4"$%\6'9S7D$,Z*DSNFWU7R9BE<2HQJ6
M/$4X7JTG-*]#6$/L:4PUF*-N*3U"0MYC0H$QY?")Z'P_X)-JD*^"7B-]/B':
M%=Q9Q#6N86L"IJ6=1?/7*GHE;0MS@3X^O<T(89/*6^+GK8.)`-<VRTZFHL8$
M`E;4K)/]+C/WHA5OJ>R8GVVSJV359-D3"-9MNXL-WD`8`T378JF?F"%J<'7T
M#=8W:)Y&2"Z3&V+&>Y=A[(Q]AA8)Z"D]=AZ-J9@]:*7F%%]#/D"9W<?H?41F
M%6IQ&(MQ!*OQ,7\DGZ`+'J/Y2_&;WB(AV?2$/8VP_2WTDS#UT_84]`')/Z2V
M53I!?1R&D:SQ/W]\^+KB*@\G%:IO'$>7Q.+=5]"25,XTHM7P>'<5.(>PJG]4
MU^(J_XM_?C%.S\ZS`PMHKZ$)U]&,&]S=Y"R_4^E;>`FW\0K^P*OXDS+>H:1W
ML1M_\7O\C?=Q#R.XCT-XP,GOXC@>LJ*%Y_V9XUSEO3!ESS.S[0(*%+2."I&A
M=RB/O`K'I1A-^BDE3E4EPU<I.7M0E6:?K'IE1H-M>H\Q,_W+>H\YCI@\;S=G
M)8A\BH#18QPUM7;CI#SQE?A-;GUQDE7H7(TX;V(A[9?\T.,4Z"N*<X;(!**X
M0.87L0J7>!4G\2*F*-1W6(_OL07\4+B*??@!+GT//^$@?J904SB&7UEY'9;[
MDR_UKW'`LN=<LJI*.=I57!NP^E]02P<(_(9^<9<#``#X!@``4$L#!!0`"``(
M`"*`5"4````````````````M````:F%V87@O<W!E96-H+W-Y;G1H97-I<R]3
M>6YT:&5S:7IE<D5V96YT+F-L87-SA5)=:Q-!%#V333>;=&ML3&*:#XWUHYNM
MNO@H$4'2%5*JMB3I0Z&4;3HF*^DF[$=1GP7Q#PB^BB@6'R(H!5%_@#]*O+-9
M0@V""W/OW+GGGITS]_[Z_>TG)-S`B@3$O@OS0T%104E!.8'E!"XG<"4%&0M)
M)'!&[-))*#BK(H=S*BZAH.(J%E5<PT6&K%;;>&(=6<;`<GI&RW=MIU=GD+3:
M#D-)"W-/#6_$>;=OF$[/=GB]N;Y>VV98G<EZSQR_SSW;,UK1[CEWZ\V="5J^
M8SNV?Y<AWA@><(:%QM#Q?,OQMZU!0#%K,J0WB/YA<+C/W;:U/Q"HK8[9,??,
M!YOMIKDVC3N;:_?:(E[^*ZYJ_G#TZ/%6P`->[?9)$3^H,:1:P\#M\ONV8,R=
MNIQYQ!W_IA!!_R>]V1[WVU.&QH2`(6:3*?SC)<+ZV50K=%%JY?\O%"'G1Y9K
M'4X:P+#HSUZ#&J=0+T'-7T(1!3"<IRA&?@FE4W$,<=':$$ERD26;I^@VC8-"
M/J>OEO/QO'R"I"Y]A:I7R'RFA"`",E0.O$0*(Z3QBLI?4*9*YQ.:"GE&?D[_
M`O73M$P.#U^3I=F*H+L1]!9!4\<(/TU,K1A:VA=HE3+26#"]@9R9&V?B8_T$
M\^,I;3&4_!9EO"-)[TG8!]3P$==Q3(A**/C"'U!+!PC/IE;A]@$``!0#``!0
M2P,$%``(``@`0TY7)0```````````````#(```!J879A>"]S<&5E8V@O<WEN
M=&AE<VES+U-Y;G1H97-I>F5R4')O<&5R=&EE<RYC;&%S<WU134_"0!!]"Y4B
M$<%O14WP5A*U/\"C@1-1`H9[6R=E$=JFNQ#PIWGP!_BCC--:)(":/;R9V3<S
M[^U^?+Z](X\;7)@X,'%HXLC$L4#>:K0$ZE:C/72FSLQ6$9$WL-4\T`-24MG]
M4'IT)V!8K49?X,KZGYAPC/OPF01*S9E'D99AH`0J;1G0PV3L4OSDN*/DNA=.
M8H]:,DEJO6S.*\6=.(PHUI+4;;)*H.B3[DCM#03*B[#K!#[W53CO1>2\R,#O
M.IJ^R:D4@>TT'$W&'->34;9+3J#L;,&\3SK\T2A032DC'FP_ND/RM,#EBM=F
MX+.)I3R!ZS_>XE<WK$TMC:@U(VK#B%H:40LC!7Y=Y,#_!J!D".QB"V"L9%C-
M<`^%%/>S_`0F=Y6XRV`47#G=J)QM5&HHKE7.5SE\=CC.H?P%4$L'",;)=A\]
M`0``80(``%!+`P04``@`"``B@%0E````````````````,0```&IA=F%X+W-P
M965C:"]S>6YT:&5S:7,O4WEN=&AE<VEZ97)1=65U94ET96TN8VQA<W.54MM*
M&U$47<?,Q8G3JO$:V[3>B>-E/J#B2T$00F^1%E)]F,1-/#&.8>9$M/35O_%!
MH:'0!S_`CY+N,P8+DRFT#*QU]IYUUM[[L.\??MTAATVLVIBWL9"'P+"#(3@:
M\AI&-+@N)C#F8A&S+I;PPL4RIEVL8$9@LKQ6:07G@=\.PJ;_OMZBAGJ33E=5
M),,FIS?ZZ0L_[A`UCOWX,E3'%,O8KW8H.`GJ;:K(6%%($<MSY;7/"=8$/I4'
MZPR6J/V[O;:VMF4HU8Z`\?;LB`1&*S*D=]W3.D7[6BQ0R)JND#6;]S^3Y:MG
MW:A!NU+7*%;[VF\4?>Q2E_84G6YI-P'!HSM-4H]Z?EA]3AL*V)S>IPLE,"+C
M#^U`AH_16+I[@?6_M9G1!.]#^ZF&T_GC:\7]?@S%,19X2P0`@S_>C>3$ZY$P
M+TS"O#W,)NLF4&"<Y&B7[YG,<]Y/Y+SU'BQOHP?;*_5@>D6C!^.6_PI,:0TL
MQB_L5(.#KWB.`W8Z1)%S`B_QK.]98M:]F-X/6#=/UZTDV6(L831#:J2E5XRO
MN,J@U$Y+%>-KC&=(S>N4]#MCD7D(<[\!4$L'""@93V6Q`0``?P,``%!+`P04
M``@`"``B@%0E````````````````+P```&IA=F%X+W-P965C:"]R96-O9VYI
M=&EO;B]$:6-T871I;VY'<F%M;6%R+F-L87-S=8Z]3L,P%(6/VY"(`&WYV]EH
M!L@#,*$B6*HB400#DQ-?!5>)C1RWZK-UX`%X*(0=HB)!D"4?W4^?[_''Y^8=
M?5S@),)!A$&$(</I.'F9+OB*IR5713JW1JKBRO._-'EB.._@W68R[EC<@;P;
M3+0@5WHC<\NMU.K.\*KBYM+;#,.I5#1;5AF91YZ5SHSG>FERNI5^B+@0S]H(
MAM'/]OML0;EUW_!HG=9O1/EK:BC7A9*^(OU=QG#VK[M5!J6L[;40U#36KM*#
M!ZKT:HMBTXS?7XIKLA.M+*UMR-`#<Z</(`P8]K$#N!PA:/*PS:.6'R-L,W(O
M&/;<W</N%U!+!P@6TLJ"^@```,D!``!02P,$%``(``@`(H!4)0``````````
M`````"8```!J879A>"]S<&5E8V@O<F5C;V=N:71I;VXO1W)A;6UA<BYC;&%S
M<X52VV[30!2<K4W=IBW0$B[E6LJECD3Q!_0IA#2*Y,92`GW("]HX*[.5O:[L
M=53Q#'P4#WP`'X4XN[5(0P2\[.P9GSD[L^L?/[]]AX-#'#B`\]DL7\SRU<.>
MAZ<>]AD<O]5G:/JM\(S/>)!RE00C74B5'#$<U/1%4)X+$7\,"A'GB9):YBH8
M7NX_B>+(CADSN'Z_=<IPZ/]=U2MXEO$BE*46BJ2F_]4_^H>BK%*]T.[Z8PN=
M?"H8MCJY*C57^I2G%=6-[D4LSHVV9%CMA=&;=LBP69_[VAS$P"CSC5`J,:BR
MB2C>\4E*TIO#;B?J#?KC[O##<=1Y/UJD3J*W9E1CE%=%+(ZED>SPZ?2/2`S;
M1"[Z)BX1NAUK.>/&VHFU[A$WX)D)0;OY?3*LR=(VTZ=U67:5\3=EV)^_43]-
M1<+3=I%4F5#Z=VBR/&^*)F<BU@Q[_WL.AMN%R/*96,K2O.27XI3+<1K$U597
MZ>IQ#?2O81=WT`39HFJ%<!=WK]0K5.]<J1ULN*9G$R"\CRV+#^!9?(@UBX^P
M;O$Q&A:?U/BLUCVO=2^P09.W:;)+Z!+S$M>I8KAG3[OU"U!+!PA?4OV*M@$`
M`"(#``!02P,$%``(``@`(H!4)0```````````````"L```!J879A>"]S<&5E
M8V@O<F5C;V=N:71I;VXO1W)A;6UA<D5V96YT+F-L87-SE51;3Q-1$/Y.6]I2
M%Z4M1:J@]8:E%:L"HJ!(*16K%!+:8.3%+.50:F!;ERWRX@_Q+Q@3,0I$37PT
M2-177WWT!QBO\3*S+8*E";K)SIR9^<YW9F;WS/K/9R]@13NN60&LL7C%8MV)
M=B=..A%QHL.)3B>Z'(@[<-F!(0>NN.""WP4%^WBUGT5S+>K0PN*`"[MPD%>!
M6H(<8MQAAAQ1<`JM+((L0@HNH$W!1?0JZ&,Q@*,*8CBO8!#="A)L7L51@89@
MV_`M=4&-S*I:-I(R])R6[15H+[L7(_,%*3,S$5UF\EDM9^3R6F1(5^?F5#V^
MF)$%=A#>&FP;-^6$0&-P"^/HY"V9,7H3'#X1W'[4]M,'BM/34B=.7S4XT;0&
M=TRM=%[J7X`3$_]1*+-:>@("WI[`E)S.E7"Q&<I03@G4]P2DID[.RJD_+OL%
M!O4)V&+Y*2E0%\MK\X:J&>/J;)%L]]!8-)F,CMV,QM*)\6@Z/BC@W_#%KD1'
MAN*IF['19#*1-F/>C=A@?,L.]T:F"U(S3G(]`B(AL&<XI\F1XMRDU-.<ET#X
MOSZK*Y4OZAEY.<=;!7U;NUHH2(WJ<E<I?W=E\0U9:0QNQ[G)':^`>LE7F0"=
M3]ZDG)]7LW1^?79;W)*CK8W5_R#BW`RD9_3\G5('FOYJ0,I49M\$CNW8FQ)N
M5T$ENW28@-/(EY8X1#=3H3MNAQ^=Z(;`&;(LI/WHV&);R.[:8EMAXVM*:QO?
M65/39369!-WG,,G39/41DF=(8RC<O(H](>LRO"P\(;$,WR.*")SC.&IXTM#N
MUS0PWJ`>;^'#FLEUHLS53TQVTDUEKA;F\MF8S%]3A>TQH9>);05NK&(O'E+T
M$HZ7V5I("](UH2?P//BSU6XZWY/LKPKU5D+?D8SB6!6H;ZD"^H$DS;$R]"FU
MS$+Z+D$;[\-\#!Z\9B.`9GHU>F\_A^O&*G8/ASU.*N4Z)W$/KK#'7K8\IE53
MMGPO<2#,6SRV5=2S8P4-%%M!$R/"I)<\CB5/[5*(FK*98HB&,O`1`7Q"$)\1
MP1?ZLE]Q#=\PA^_0\0-%_,*BX`I[S+_@[&]02P<(#-?R\R,#```S!@``4$L#
M!!0`"``(`"*`5"4````````````````N````:F%V87@O<W!E96-H+W)E8V]G
M;FET:6]N+T=R86UM87),:7-T96YE<BYC;&%S<X502T[#,!!]TT8-+9]6"*E7
M:"N!#\`*A<\F@@6(O>..4E>QC1PGXFPL.`"'0C@A%4LTTCS-O#??K^^/3XQQ
MB7F*DQ2G*<X(FU6^EZU\%_4;L]H)S\J55@?MK'CPTACI[UJVX7K]2D@RMV7"
MQ4#DN@YLV5]U'0CS7%M^;$S!_D46513.GEWC%=_K+EB4OU4W*NA6!MX2ED,J
MVTE;<ITY8W3HF?.!N67Y)U]T<T05M>*IV+,*L4.?:H*N1+_F827"ZK^S#M()
MQ:=0M!&`<4*8(@$BS@8\[C#R1]&/,/D!4$L'"(PK9[/=````1P$``%!+`P04
M``@`"``RG5DE````````````````*0```&IA=F%X+W-P965C:"]R96-O9VYI
M=&EO;B]296-O9VYI>F5R+F-L87-SI599<]-`#-:VH6XY2EON^QX2+G,?#5?)
M45+2I!/3/A1FF*TM@L%>A_6:ZZ?QP`_@1S'(!_$F=%(Z/&0B?9(^:25E-S]_
M??\!XW`55@R8-Z!LP$,#'AGPV(`G!CPU8,&`9P94#*CN``!&'XB%L3]"(142
M0RR,I0*#&\52\SW_Q+^880_1?F=*M(.N<)4;"+.3RM]0KLB@AU*Y&)897!X5
M8_60?T"YS`7OHB3O\6)IC4&I6'HU(E'DX:+DOL_CB`?%Q--T`[,A>I&RE$3N
MET<DS6/O;SNV@V'D*0HMYZ'M2.6Q6Z>-#SB_[>@L<1RL5=U![E#?1A4\T*PG
M6:C'1=>DG*[HC@JNNK;BL90SS&^/83#]\RQ8H#)7.\WR?U"]WI)J?3W%(N5Z
MYAK:*MA&HZX4MQI%TPT5"DSG61KEKA''OH7B>O)5"1QDL*<2B%!QH=:X%Y&^
ML_;%QEX<&#*8JK<KJ]:;=KW.8#*36PS8$IF:#>MEK=5H+3+8VW0%MB)_`^5+
MON'%+"N==J5F6:DY_V5>BZND8&O56JFUJK4JN5I!)&VLNW'<+'><P>-1A7;@
M^ZZJO*/>(A4UZZ"'"K5CD<_;(.$0W*,T#/9U40TO#X-#A&YV2S"8CBTZX2P!
M@Y<#D?9_J^U^DQB<S0??\#SL<F]!=B,?A=*<9G*G]L9[V@4&Q[2%03N2KOJJ
M!9SL+]<R]^AP/CJT99K#OH%YUT271L#@Q":H15W`FI0!'>'T@'T-A1/(*E=<
M(RYM=8%HON?^X3(>Q9B.6B]PQJ.Y:Y.@V4QZ`7>6K$7:P6F!GP?'1+>6DQZC
MC\WD6,K/8+>DE>$AU@,[(L;]$OW@$PXO&GE]C#!4F9<11E2R<!C,?:;IX%":
M60U,F29HF>G=8S!!;]81N`*72;Z8/&R[2;^FZ=.D7]?T&=(O:?H<Z25-WP\'
M"@QNPCEZ'!G<@L-D*9)E@FQ38!!V&\YKV%B"W8$+&5:@[QBY"Z>&D'MP,.&\
M#Z>'+`_@D(84"*E158,^=3B9(9-T\JD^>B9#=Y+G5/*4I_C93?'%?NZ\]N=P
M5&.>S#P;<&P3=*G?CS]UO<@ZU?S+LOP7TH+C6O84:\,)+0^#76#$?S^269B_
M`5!+!PC$@#$!0P,``.`(``!02P,$%``(``@`(H!4)0```````````````"\`
M``!J879A>"]S<&5E8V@O<F5C;V=N:71I;VXO1W)A;6UA<D5X8V5P=&EO;BYC
M;&%S<YU376_24!A^#H46.A2FXN>&VXQ9*76-,_,&X\W8S))]7-1YHW$[E!,L
M@9:4SL"_TF1F9HG<FOBCC.\IE;&$Q.#-^_'T>=ZOG/[Z?3F"@F=XHJ&LX;&&
M%0VK.E+(2:/K8%C($2.?QQW<D*:8QR,4\EC"`P;%J+QC>&Y4WN^W^6<^L/L]
M(=Q/=BC<H.5[D1?X]IN0=[L\=(9^Q`=U$7&O4V,PC5AA=[C?LH\:;>%&M;T9
MT)YL4)HF.U'H^:V:Q.LS\#DG&<\_OV;3^(]&ZBN/&*\9TMM!4]!>"7%GX(J>
M5&[(D@R%?<\7AV?=A@C?\D:'F+H3G(6NV/5D8L]][1QO-L>)C,.0#]V@-V30
MFC'8IP8M$=7_)L6IJP[[D>@R+%WKZ,1N,C9#Y5\#37&M>8:GR?J3R;!*3S$%
MT*M,R0=(D4HQO4RR)<I,PAEYW;Q`QF3?D/T:L^^1O4E:8!UI&,CA::PK)KHJ
MZ63=!;-Z`76F<`L9O(2.%[%P<4JH7`FM&<(=$NZ2<)O0A[B5"#\2*K]NF.?(
M'E@_D55^('U@6J/T*054QU+D)\4:?8<F(VM4=:YJEZ$E54YHFU/JU:![N+27
MH-_Y`[&6"1OW6B8OKY*19;Y,2J@Q>$AV#;<3:CDYA&I6KZTRYAZ3O4\^A;M_
M`%!+!PA2@M5=[`$``#H$``!02P,$%``(``@`(H!4)0```````````````"\`
M``!J879A>"]S<&5E8V@O<F5C;V=N:71I;VXO4F5S=6QT4W1A=&5%<G)O<BYC
M;&%S<UV0/4X#,1"%G]F_L`1"$XDV(*0D"'P`$`V"*J)@$;VSC!:CQ4:.%W$M
MJD@4'(!#(696-,3%>_8W3S.VOW\^OY#@%/L%]@J,2BAD(OD0VRA$!@K)=/:@
M,)XNGLV;T:UQC:YBL*XY%YY?6&?CI4)ZY1])8;2PCFZ[ER6%>[-LF8SO:-6U
ML8HFTG4(/IQ)(X6R\EVHZ<9*Z$#8NUZ]$M5/NNJM#RO,_I4"U;[AB=8[O=D8
M$VSQ[66)\Q-82SY-V(5G\S62#]XH[+"6'`,T4OX"B0_^XH?,I9+/3]9(-_/'
MR'#$9+<?,_P%4$L'"*2?^<#F````10$``%!+`P04``@`"``B@%0E````````
M````````,0```&IA=F%X+W-P965C:"]R96-O9VYI=&EO;B]296-O9VYI>F5R
M3&ES=&5N97(N8VQA<W.-D$%.PS`01;]+(-`"+0*)!1<`H>(#L*Q:-A$@BM@[
MSI"Z:FQD.Q7B:"PX`(="3"`0L4.6_#Q??[['?O]X?<,&QCA(L9MB+\6^P/@T
M6ZJU>I;AB4@OI"?M2FNB<5;>?9]?R$_79./EV8-`,G$%"0PS8^FZKG+R]RI?
ML7+<N3,3(EGR%TVR0'_N:J]I9AK;2"^4+2E,7%69&*D0&#PZ78<KQ8E<[7Q5
MF0N1S4V`7'&#O,F7I%DZ^3/MU);<]7.?P/D_WM*YC_RO>.N=IA",+04..WE>
M<Y0MJ-@2_'."5P_`9L)C(@&8_9:#EL.6HX;LW^:]A_034$L'"!8P([_T````
M?`$``%!+`P04``@`"``B@%0E````````````````*@```&IA=F%X+W-P965C
M:"]R96-O9VYI=&EO;B]2=6QE1W)A;6UA<BYC;&%S<YU4VV[30!"=;=.X;5H2
M("V(2RFE!!MH#$(\Y0FAIJ14H6H0#^7)L4=FJ[4=K==1OXT'/H"/0LPZSJ6)
MDT)ER>,]<^;,V9DHO__\_`7+<`!O#=@SX)D!^P8\-Z!FP`L&5=,ZN7#ZCBV<
MT+<[2O+0;S!8-JUS!ENF]3TO6QOBEW;<0W1_V!+=R`^YXE%HGR4"VTZ`1'QG
MSI9;BRL;NFU.U;<Y.-D\SL'_N^^I(V/=_/T\L?F.S[6Y[9RZ-.&:\\N;/'2$
MUCC#.!&JT;JQ[4\+NHP6<HU6MK3:/TG1S0IF>L'/9LZ/Y,87N9>GEO8I?(P\
M9+!^>.EB3]?%#,HG/,1V$G11?G6Z@M(5+78DG2!P9%T+444G2J2+3:[S:X[G
MM8)>)!4E/!2H4%<P,'Q4@Z]R]M4*%4I:$!7Q^##4^AZ##1ZG?I.NX"Z#O;'9
MEA#H.^*#]),`0S7RR6!G3&HG0IQ&7$M/$"ICPI?N!;ID;G?NN++;,;"NHTQT
MV%\X_9%D2?!8#>9#X]W4I^'.Z;S2TUNB&4@,HCX.YVA(C"/1IT1)$KD9R>/.
M49/F&Z,:S<V(A_-=5=%@KT4&1?IKHM4"0+7`X!'<!:#X(O4]H@2(C9`=*
M:>9)%G=A-8N;4\RG,X@)ZRG7@K4TOH1;$XR5%+D]@VQ-(:_(VU7=UW!GBG-`
M[JXB=:A,5=6AFKJHP_94QH9RAA1AB1Z-O0&#S@P>TGL)'OP%4$L'"%$`U+$A
M`@``S04``%!+`P04``@`"``B@%0E````````````````+0```&IA=F%X+W-P
M965C:"]R96-O9VYI=&EO;B]3<&5A:V5R36%N86=E<BYC;&%S<Y53VT["0!"=
M!:2*&L4[7M$72T3[`;ZHJ(GQ@@G&%Y^6,M;JLMMLM^"W^>`'^%'&*39<Q$1I
M'V;GS)DSLS/9C\^W=TC#/NQ8L&3!L@4K%A0L6&6P9)>NGGF+.[QMG(IJ!DJB
M-(<,]I+`JQ,&B.Z3H]%5GO2-KZ13"Y"_H+[5ZM$72.RT7;IG4+9+#R,D'=G?
MI7WE7,@@,C6CD3</1ZE[TI.H1J:G\6^)N.T[^__T$7HKCR!+760JJH$,<F>O
M+@8Q*60P<^5+O(F:==1WO"[B<$U%VL5S/W;F$YEK+KF'^B`NQV"Z@0(-)C%B
M>6@J2AJM1'?!#/(Q&FE-3H_974>UVP6#G0XJN/2<"R'0X^)8>U&3$OM(LSU2
MM?Z,+E4H#MS^'F5#Z5-N>%_6[E\#2FY&[0H_-)=2M642H>GD);8'!\E@A=;?
M^*[U,[2@L85ZZ-*%D+=P$.RFY,/A(17:VC?X6XDL@S%Z9O&7R]`T81IHA>1E
MR*8(68`L.0P6P>K8-9CHV'68^L'<@%R"9"%%IPQAFS#>86\EMCBDOPV3?4C\
MY^F<@KDO4$L'".UEK$>C`0```00``%!+`P04``@`"``C@%0E````````````
M````+0```&IA=F%X+W-P965C:"]R96-O9VYI=&EO;B]'<F%M;6%R061A<'1E
M<BYC;&%S<X602TO#0!2%S_21:*RVM@MQ(>+*M*!9N%0$B8]-T87B?I)<TBE-
M4B;3X-]R);CP!_BCQ)LP(+C)8L[,/>>;U_W^^?Q"%V>8N!BYV'<Q]B#0'V`+
MCD#7G[X*S/SY4E;R+2C71/$BT!07::Z,*O+@0<LLD_JNHMQ<UK!SI3BZ%NB%
M14("$TO<)')M2)_7)PD,YRJGQTT6D7Z1T8HY[[G8Z)CN55V,4KLI-JJ2AA*!
M`VN%"YFG5(9%EBG3)&.;W)+\PT?U/<&*V>`I6E)L!$[;/F&?*."WD7-5&LI)
MXP0=;A<W"D"/9^X:ZS971XT/]&<?Z+WS0F"'U6G,">LN7(L>\NC4Q']LRKK7
MCAVS#MNQ"]9!$WJ_4$L'"-I8)]H3`0``]P$``%!+`P04``@`"``C@%0E````
M````````````,````&IA=F%X+W-P965C:"]R96-O9VYI=&EO;B]296-O9VYI
M>F5R061A<'1E<BYC;&%S<XV0STK#0!#&O^V_])^VME50\."M5MH^@%*04@4)
M(E9Z3Y,Q7;&[99,4\:T\"1Y\`!]*G,32HI?TL-_.?//;V6&^OC\^D447^Q;J
M%O8L-,H0R%=11$$@VSZ="'3;]I.S=%[ZP8+(G?4-N=I7,I1:]>]_XU<RHR6I
M\#SF"Q>2JP.!W%![)%"SI:+;:#XE\^!,G]DYV#R[])Q%2*87_R!0'NO(N'0E
M8ZKNSASE4S#4\[D,0_($*H_:C8)KAQMR5DHR6P>AP-&?$4?*9V356Z"SQ?QK
M^&P+V)9!2"JF6V9MWAGM4A!(Y0LT-_8XXE;*(P\GR/!R>:T`"GP7$RUQ=ISX
M0+[SCMP;![R*%00T6'=@K=!#/IF8^(\-6'?3L1O66CHV86VF8_'@K72LPUI-
MBI4?4$L'"&(5_N4N`0``<P(``%!+`P04``@`"``C@%0E````````````````
M)0```&IA=F%X+W-P965C:"]R96-O9VYI=&EO;B]297-U;'0N8VQA<W.%4EU3
MVE`0/1<0$&BQ+7Z@MK2=/I`9-3_`)XRQDPZ##J`/[=,E;-/8Y,9);ARG/ZT/
M_@!_5*>;@!4>*B]WY^R>LWMVYS[\^7V/(@[QH0B(@^PYS)ZC"O8K>%O!.X%B
MUW`$/G6-_K6\E7=F<D/D_C!C<B-/^=J/E/DYEF$HXV,!HVM\^S]O2$D:Z''T
MDU3.=9[IN<P]Z*YB]OU$DZ+XV+@2J/8LR[X8VZ<")2N:DL`+*U*)EDI?R2!E
M7+/O7+K)](F`X`6;?5_1(`TG%(_E)&!*=6A_L:V\27TVXRCSP-I1E,8NG?D9
MJWXY.',&O;[S-2.^DM/ILA^!AD?ZA)+9+NQD$?+P&N/Y`05>,ICI1UIJ;M_B
MQ*7Z[BL9^+]H^BCZF#DQ`ZD\TPD"\F30B[TT)*7_[26P\40ZGUR3JP4Z*ZXH
ML*[2\'%**Z8PNJ7EA<H"9:P!_&_:V,0&V#6C`L<V&@NXP/CU`BZB6A+80AW@
MN(T:5YI<*7$L<68'ZWFEC6H>=U')X]X\WYGC]UD'UK3RKF_^`E!+!P@Y?7+5
MD0$``,0"``!02P,$%``(``@`(X!4)0```````````````"T```!J879A>"]S
M<&5E8V@O<F5C;V=N:71I;VXO4F5S=6QT3&ES=&5N97(N8VQA<W.%D-M*Q#`0
MAB=KL;K:W=45?`3="\T#>"6+"T)1J(?[-!WK+&E:TG01'\T+'\"'$I,V'NXD
MD(_\?).9Y./S[1VVX`SF,>S%L!]#PF!QFJ[%1KSPMD&4S]R@K$M-EFK-,VP[
M9:\VJ.W%XI%!M*P+9#!-2>--5^5H[D6N7#(?S)1:BQK-N;^1P?BN[HS$%7DE
M$5U!=88*18L%@UEI1%4)LR(M%+WVD2_C2NB2W^9KE);!<1]UEA3OQ_CNP.#D
MGZE_S8GI@TLIL;&^3S($2X.B/P<A0]_SC_#0%(-P9(T@3;J\UD\_3]AF[B^9
M6R,`B",&NQ`!.(X#)X'3P%G@0>"AIZO?<?L(XB]02P<((<+X?P4!``">`0``
M4$L#!!0`"``(`"2`5"4````````````````L````:F%V87@O<W!E96-H+W)E
M8V]G;FET:6]N+U)E<W5L=$%D87!T97(N8VQA<W.%D,M*`S$4AD]Z&ZV]6:OB
MPH4;VPHZN*X(4EH0BH5Z`9?IS'%,F6:&3*:(;^5*<.$#^%#BR4P1<9-%?G+^
M?"<Y^;^^/SZA"*>P[T#3@98#VU5@4*[!!E08%'O]!P;]WF3!5_S%36)$[]E5
MZ$6!%%I$TIUADH9ZM$*I!X:M7`@ZN610&D8^,FA.A,2;=#E'=<?G(3GMO.7*
MY[%&=69N9E"]C5+EX5@8HLY37T0S#)$GZ#-H!8HOEUR-A>2A>,TLT^:&7`;N
M=+Y`3S,XMLRX?I!!UP).1*)1&K*A\D[/0VJE9^NY,53(LWH-S-",\`>XC_T<
MZ&C%*1`97,NGWQ_!$10H9(H7@')F)FO23:H.,Q^@?/(.I3?:4#2DE<SLD-;!
M6:,'M`J&^(]-21MV[)RT;<<&I#MVS`S>L6,CTET[UB7=LV./I+7L<.L'4$L'
M"`<$WOY(`0``R0(``%!+`P04``@`"``D@%0E````````````````*@```&IA
M=F%X+W-P965C:"]R96-O9VYI=&EO;B]297-U;'1%=F5N="YC;&%S<XU4W4_;
M5AP]/P+!A#2`5QB$L(:6CQ!3TG8M[4+I:A*'I0IIE02FH6G,I`;,4@<E3C7U
MH9NT?V":MH?]!9VF/G12!]*J[FDO;?>M27O9I/TETW[73L`M3)NE>^XY]YY[
M[I?MIW]_\RU\.(U%'^`;%7!2P"D!8P+&!4P(F)2@2)B6,"/AK(3S$BY(F)5P
M44*R$U<[H79B(8`^1`*0,2+8*UW,3@@9%7*T"R_AI(!309YS7,!D$)<1"V(>
MYX)(82R(M``-<T%D,$<X'IO*;>NW]41%MS831;MF6IO<[(M-K3BX2AB(>1S7
MU[>-LCV7%=W3L<-##Z<M-#8VC!IGCKOV]Q/U'<,H;R5J1KFZ:9FV6;42!:/>
MJ#1C)_^';W55./N24;OZGF%%-TQ+KYAWC)N$2#+:L/:UVU^/EK=X0:+;?]GD
MJ"N$D+J<SEY?*V@Y32UJ:4)[JGK3(!Q+5:VZK5OVBEYIL.Y;+*A+2VIA+9/-
MJ[GLJK!2EM"3,RTCW[BU;M1*^GJ%G3T%K;B<*ZVIJ91VHR1\H69+JJ"I3D/+
M4M"N::GG+,LWTJZEU]VB=MNP[!EQ#H1`L=JHE8V,*689*!74;#Z;7US+YC/>
M]1-?E5_?V3$LWF:;R=!KUDMB^YF#TPF;]>6#TW%ZZZG6V0P<?76$P>?NH^A4
MS@()8_]Q54U;]XY>TV^YJ03)KK9HR'YAA8.-?UD?1OG-E@%T80@7<`Z$,ZS:
MN!["18]N8WW6HWVLSWMT.^M9C^Y@/>/1?M9)C^[D$?S!,&\7WPS7'=QW&E.,
M"5:+/`-_P1B.*Y$]],=]7R,L8/B`?<7=A%<9PQP/^@1^6D(WO8U>^A3]]!G"
M]+$3&F^&OL&1'5Q'#H6."-;??D3J74_J!YSZ(8;I#CNN8**9.L(UB0W$'R)\
M?W^X7S32/<;7C[0.OVA]S,A_$]=*_<ZA`T\>H>^M/1S/\9"7OX3SU,2/3_S>
MF$]SF>5RE<LU+B4N[W#94N1CNQAX\Q[2BMSCLJ0B=[OLC"('73:AR"&7110Y
MX#)9D7M=)L7W,/B@-?5\<]YQYJ/-,M_B8O>?(Z#(DA@J-NBH+J&470P]V-]N
M$B&F3R#1,URB[[%`/R!'/V*%?L*[]#.VZ1?8]"ONTF_XB'['%_0'=NE/?$=_
M<<)KSOMSZ1]02P<(R<,G_F0#```'!@``4$L#!!0`"``(`"2`5"4`````````
M```````C````:F%V87@O<W!E96-H+W)E8V]G;FET:6]N+U)U;&4N8VQA<W-]
MC\U*`S$4A<^=IIUVK+;^;+OHKA4T&W>*&Z&K4L$1]YD8QI0Q*7%&U+=R);CP
M`7PH\:8MN)/`R<UW;Y)SOG\^O]#""0Y3#%(,4^QG2-#NHX<NX6@RG2_5LY*5
M<J7,ZV!=>4X8;_&+?%H9HQ]D,-J7SM;6.WG35(9G6I/I':%S81E?$L25OS>$
MP=PZLV@>"Q-N55$QZ<7YT_@:(<M]$[29V=@0VJ]>V<+Z?^ME;H)5E7W;7!O^
MV;HNED;7A-&_E@C=VF\2B#%'3D"\P!7%K*P9GT9;VC[^@'CG@K##VEG#,T'8
M0PKP?L`L=G=9$_1_`5!+!PCD'UJD[P```$@!``!02P,$%``(``@`)(!4)0``
M`````````````"<```!J879A>"]S<&5E8V@O<F5C;V=N:71I;VXO4G5L94YA
M;64N8VQA<W.-5EUP&]45_JZUMF1E;:^%!?$FHG9"_+.2K`1H2N(D)#@)V''L
M_#@Q#B3-6E[+Z\B2HI42AZ10_MHTD)"D$$A@6'C*`V&:#B`;,D,[#(5I.P,\
M=.@47MH^=WABIAU@H.>LUU(BJQ3-[+GGGO.=<\_/WJ/]T[?OO`L/HGC!!\.'
M<1\2/DSX<,B'PS[D?#CCQ1->/.G%+[SXI1<GO?B5%Z?\D'&['_5,_+B#MT0:
MF-3A3N9^7$MD-9.?L/8N)FO\6(2U3+I9L8[!ZWF[P8]:W,UF&YEL8MD]3'J8
M;&;<%K;8RMI[F=S'VUXF?0S9QK)^YK8S&>#3!IG;(6,20TQT)G$F8S(.(R,C
MQR2/O4P.RCB"^V5,8U3&,:1E/((],GZ.`S(>Q;",QUCQ.'-/883)`S*>QDX9
MI[%+QC-L<9;/.,ONS_'V/)-?L]FS^*F,Y["/R8,R+K#%\]@OX.GH[!5HZNCL
MG]2/Z+&DGDK$=N>R9BK1+=#JBJ=C5L8PXA.QK!%/)U)FSDRG8KOR2:/;<;#7
MH?L$EG3T+/1S3WY\W,@24B+M/EYZ.WOF%CHY2$NEHZL[>AW]S;Q6`K1U7"<=
M')TTXKGNBL!@QT(I>VZK)*_D(/*#@,4T*YZW]W_(J1[M%>25/:SY0<C*MJ)+
MH*I+8T*<6"?@6Q=/FM3+#0(UZUQ&T"/UI,<,`?^6Z;B1X4Y;`@W]9LH8R$^-
M&MDA?31)ZD"E2BW__K=E0)_B-T8:V-/?+U`W+^IB(SIP=SJ?C1M;378O[1WL
MW4R!Z9F,D1HC)CZA9S?E2!%/9XY1\"2UALW<A(`\GD\FYWU18`DCMY4D]V;U
MJ2D].R>L)^$./7Y(3[BH120HV331;K<YE4D:-U@U%L4E:-V$;FU/9XVA]"&#
M*^,U4V/&].`X.3&M/DJD=\Q(Y<QQT\CNT+,4<(-I]1L)_;H(ZTUK?C,'N:E4
MRAY*4X_GC*S`LI*T-YED%YNRB?P4>2]V1D`I[P+=F,IOID"SH\CGS*2K<'(P
M'V)=Z'L;1Y/@_S:6:IK4K5SO?#EJDD8JP?VI31G3.><H@94IZDR+55[JEJ/4
MR994.A5U])D;.G7CSKJ^;XT+/%%UK;*.^:T<5=E]6>HLRCQ34M9:^5'++9PO
MEYZOH?>(GLP;@^-HI:%>#Z`&$L]DXB2>M,YZSEW/.VLM3W1GS3EK(WPP,02!
M).W6T#\<_YJOH6$D4#.#IC=PB\-['7[Q;TDID"):[T"/@V?]8NPDZ63131A5
MQ`&+M!DT:H&:`CK*#2]01,_3/^(%QU!W#34RK*+5[QB&*]B=)KLS%/UIQVZ,
MT&P7(:E$JSQG%XD6T%EN^3HA?D-_=*]CRJD'E9R>H]CMGAU!M1-T$^>KO8EV
M>C1ZPC.X^6K15PUCQ&M$'\(NU[*/_+,EH]L_0.LUR(Z#6:R:P4T!48#*OF@I
M8.559J_>&)MH@U>T8X7H).GQHM\0K>RWFIV5A["*Z(F*T%`9%&\3_5E%J%;N
M527Z<$5HN!P:(/H8]KC0%A?JXP!FT7JE#+V1>D9?!B[Z"ZI_-:VGM`]1[;FB
MS2*Z30M4%;#T(AHT#Y5J1?58`;%MS%UR(%S&R"4$'6;I)6IUP%/`CUYDY374
MC9!\!L'^RUA)KTW;]@@9;@@YII[5TF4T18)2`4MFL<R1/2&)H!1Z];M_$?C6
M2]]]+)7BW84F8H<AB?M1(_9AD=B/)G$`+4)'NQA%IYC$9G$(6T4*.T4&0^(P
M1H2%`R*/,7$4DV(:1\0Q3!/_*.E/BA.4.WT0N;F_[5Z.)]59M%Q$M71%55IM
MY%5EN8VTJJRP8:I*FXVXJG38V*\JG3:&525L8Z>J1&QL4Y6HC2VJ$K-QMZJL
MM;%&5;IMW*$JZVU$566CC795><!&JZH\:&.)JNRW$525`S8:5.6$C5I5>?@5
M/ME32GL9#0*(I^A%?!JUX@RE^@RVB+.(BW.4QGD\+IXEY-GB5?VKV\+C86K>
M=BWR%D(1I:N`Y:NEH/02]4F\15>(B,:Z\&4,D3HH2=36VS:$7L*R.4#$PWV)
M.3#2'BR@RT&WD2;D*`@3D@Y60I5N>!\"1-^G@/Y`M_J/M/LS;L%'6(J/:39^
M@C;:=^(ON!.?XB[\#>OQ&>[#YS2P/J6^_)V2^@?Y^2?=Z?><).?GRN_=)*<C
M'Z(Q_`'JKL$_$O#-(/`[+>R$QB%%J0(4#E_[&2AK)0(N;99X&YX;`5R79KK[
M-`&&(T5E9*&R68KRHC53MBNIHJ4,5].7/?!O:M)_*+NO*+NO*;MO<!N^191>
MIU5"H$]X,"`D)$0-4L)'L^W+ZV:=G[^NW>9M=&1T:[4`G12YB,5:H-J]?1+?
M.6Y3[.J".?4R`L+&K>)5DEXHCHE5[OQKYJP"$N7$0X`289_.S"L;!C-$+=I5
M(?M?4$L'"*JD/^@#!P``5PT``%!+`P04``@`"``D@%0E````````````````
M*P```&IA=F%X+W-P965C:"]R96-O9VYI=&EO;B]2=6QE4V5Q=65N8V4N8VQA
M<W.%5.]O4U48?F[;];9=Q[9N;.+N9K<!WO:N[9B@X!@*$W"D3F/194$3[KI#
M5RSWEKN6,(WABXG1\DP_$:2)?P6!+7%8T)IKXI^C_(#[GMELW:+HO[WG/
M^_MYSH^___NU!B\2F`O@4`"'`Y@*X*R*&16G5+RFXG45IU6<43&KXHT05`R%
M$)2B`YK<4H2EZ,2PW(Y(\4((`41EW&B0CC'I'9>.@])V,(R7$),B*<61,$[`
MD"(1QJN8"&,:>ACG<#R,\]+[)EY4X(G&*/2H@GX]EKYJWC!3!=/*I3(E)V_E
MIA6,-LPW4ZM%(;(K*4=D[9R5+^5M*_5NN2`8X]5C[RL8TV.7]@P=TF>?;7.F
M?.6*<.B-ZSM\;R]=%=G2]%P+TYSL-Z$_.V^;VOM;A;MC[S&T#!K0+[7.'M?W
MPBRC_"?GWTNG3TDE3Q\5WZR]+!1TI_.6F"]?6Q+.17.I0$NO3,J(ZV5A9452
MEE80RMAE)RO.Y65`=&^2_6:Q**QE!4'3<<RUK%U<8\?Z$LB)D@Q;53#21#1?
M+A3>L?-623AG;V9%4593T/,T9!+1FM_=L6NK)7%-P7#;.17$VOI/%SB,99;R
M-^2LA]K&;O'%TVP;=]'^2!!7GT6X48>&:,F.;I'5X=1I":QN,Q0HV764&.53
M"P(@C_()40M2YWNC/,I='!YJ0"A>Q;ZX4L%S#]SH8Y3[^!$`%YB99M8%-R_5
MR)NF3WK[9)YO$\&W)KQ&)CZQJ\``/P6PJ8_O.,B4+LP@PKTL--DH).!W"QV3
MA8R_$/!NPI^.&S76_`6#WIE[&(@_Q*"V@?"BH4U5T9OYS*-H1FW]R3_-5B/\
M30"3K;)L(]@ZAR&LP.!ZE';9\L@.S)YMS$8+S$G6F>3(25I/;&->)AP?UTF.
MV;6!CL6(KXKNQW*ZVHSFN\R)Y^7&F_!JC[`_H9&0!#$TJX_Q'P2^8)4OV>DK
M].-K3OD-#N-;3G6;G3YG)/^[1L<51LIYCBMI6?A/Q-QF;)26Q$0,S:5FJH(!
MEQ37N_[DWPUT+AI51.X_Q<]=XOZ>N-9Y##]@$#]BG&L*/S'J)">H=QWF*N]$
MARS7+.%WC=<ISV]3F6I0V=TXN2!/;A?B.I^?LN<MZI_0RN^[D?RX@>Z6._8=
M^"/>^QM0%ZOH<N%]H-U%R.B)5M"W4,?Y.T)WT+VE=WX'W9`)$4\5/5M,/%]!
M?X07N;^"`Y0+]]!K[/0M["!JG8=_H(DPR<<"/.`A_4SM(?K`NX%')&F3AU+#
MAUPOXS=8M'^,/YCU"N,]>/E_4$L'"+.$O]+!`P``-@<``%!+`P04``@`"``D
M@%0E````````````````+P```&IA=F%X+W-P965C:"]R96-O9VYI=&EO;B]2
M=6QE06QT97)N871I=F5S+F-L87-SA59;3UQ5%/XV!V8.PQ3*`+W`8$^YU)DY
MT*%0;(72*TR+Y=("@I2J'*:'X=##&9P9:#'&5-M$?3"^VEI[28S$MS:QT(BE
MUFB;^&0T1HWQS0<O_T%=Z\SA6EI>UMY[K6]_:^]OK;-GOOOWBWE(J$9<QAX9
M>V4\+Z-5Q@LRCLOHEW%*QH",TS)&9%ANO.K&H!N:&T-N1-TXXX;NQK`;,0_R
M$?2@@$TN0A[DL<EG4\2F$"HOJ]A4>^##3@:'/=B`&C:[L@E2R[@Z-KL95\^0
M>@X\YT4;]K$YPN:8%STXP.:P%R_BD!>]:/3B91STXA4V!KJ]&,51+\ZBQ0L3
M#5Z,H4L@0PD*2,H;"DT#9`H#P;91;5(+FYH5"W>G$H85:Q38[KC/AY/CNAX=
M"2?T:#QF&2DC;H6[)DR=,%(@V"N0&0@.1`3*:%AW1TD@\GBVPQ/#PWJBD9DB
MP5,"H<`R2.?0J!Y--;:NX6KE[%6!QT__E!1%:\%[^?3KG)U!68&!"(^;`@-K
MLY0'UI.`497KHM)I1)A*%*82N?;U=K8V[^>)03":9!Z)G]$%/"WGH_HX[TL*
MY+49EMXQ,3:D)WJT(9/"14QVR$SI"4M+&9-Z<B>GI6W=\8E$5(\8#,K@XBGK
ME\ZEC8_KUAF!;"V1T*:B\?$I.D=ZD&-ZBF%T"@]-^W0C-I*BQ5;#-/689BKG
M;(\RJ9D3>H/2H74(/+-VS+"&^8[Z$P$6^?@R`MO6`B0;%,TTE=?U1)P.8R1;
M%_FRC*2=.&^I=!$SKJ6H^$N>UC3EH41L8DRW4HOZTG&60!T3IGDB;E@D[#+`
MQM4M08VR=A^NQ$XE4_J80.E3"R`0?&I\>96="ST1VQ,_J]-Y"RRZAI(@AY**
M*PO5S4JDZR@GETJ:7%92.15?N)W[W(*SW)F%[<V*W2"*J5NQU(@R9B3'M%1T
M!-OI%2L`D(%,?IUHELDO$HU>"'[<R+;3JHX0@L:\T"PVA\0,*D+B#@*WR270
M2=9'&X$+9-]&-B[28WO!)FAV")KI.9=HW,($F?=0T%XEJ=VAJL>9BN$B:Q*3
M14QQ>H1?(_8$-I./&2,.XP7",>-!9E0?(5>ZAXUM:;*0.D\I[J!<:IK&IM#G
M*/?/H:A?]=?.HJ3[4H;PJ_,W__M[5>:=R"%[E3)?@XSKE/D&9;Y)`GT"/SXE
ML::QB\8&?(8#A./3'%TF4,:B0.J3!!HD.T37BI)`@S;!,=JV0""M)"!Q*E<3
M=)+M(H)N(NA$AUTP07-!OSH+6H\AR\;6DRH;YI#7[\N9Q=;[+,-\DS]SD*3I
MX(54+?GO8ENUGPI136*M.O$.2@/\0%0_4H*?J%-^1@E^(?^O".$WA/$[=N-[
M0M//G)/ZLI.Z7[11AL!#%/,P_Z7+7DJJ9"\IJ6CG$SQ$T#X5]X.T?QJ^JE)>
ME];.0.F^)`E[197Z9PZ%_57J+/RW5E9+!)$A5&2+*N2+:BBB!F6B%D%1AUJQ
M&WM$/8[0V"GVTJX^['>.64HCMW,6\R]1NFSG;;(OH6D-:&`U]$^RHXL]<-+I
M@4K27:9N+'`T\*GS]K6O0[8E#JDD]NJ&?T"Z?4V*?T/K;[$-CU"!KPA!_Q2<
M#OF+$*SM>^I#R.K\%62G"V:SEQ,[U3JWW^>=Q9;[.2TL9XM:6G,799>=B)LC
MMFO[@DMV7._G?GC5<66SJX)\0RU<`?Y0YBHH_K$3]W"<K["L53KX$1$2U2$+
MN<*%/)&-K<*#<N%%I:`_7F(CZD0^FH0/$5&`$Z*06J0(4;$9!L43HAA3H@07
M12G>%5C1U_0OR='W#_+Q)W(CW3HY]K6OP.5SW9I#?O\L-K7Q]S[IOP:/ZLN8
MP3-]Z0*4J1SW9<ZFV]%?,X-27Q;%9[##097[:Q^@\#("::B4AI)W!L\2Q">6
MT-/(5Y?'^O@]<1KU'?IP=RQU22T]HQ#-I$<+?.(HBD4KM?YQTJ.=-#B)TZ(+
M;]+XENC!!Q3[2/31SI/V@WSB?U!+!PBUVTRZRP4```4+``!02P,$%``(``@`
M)(!4)0```````````````"@```!J879A>"]S<&5E8V@O<F5C;V=N:71I;VXO
M4G5L951O:V5N+F-L87-S?5)=3]-@%'ZZ=BLK=4P&B+()3-2M$P9^RY?`$LTB
M0>.("X2;LKULU='.KB.8J/&"/Z&2J%?<D`B)#B.)/\"?X:W_03SO-J?"PLWY
M?)[G/:<]WW]]_081@TC(&)4Q)F-<QH2,2042.A5J=2EP<R/BE`(7NGG4S6NG
M>7J&IST*!`1Y&N)IB'?/>LGT\K1/Q24,<*.IN(SS*J[@HHJKB*FX@8B*FXBJ
MN(4+*FZC7\44QTTCKF(&80%B))H4T!&)SC[6U_1X03=S\91C&V9N3$!_O;P>
M+Q49R^3C-LM8.=-P#,N,/RP7V%A5X)&`GDCBJ,),>66%V821J+O(73*:J#EZ
M,QA)'L?IC!R=B+_4M$[BGG&#!ILD^82590+:9@V3S957EYD]KR\7J-+>;$4?
M7V/>>L+,(=X5H*2LLIUA=PQ.\>C%(C.S%&3RNCWMD$C&,AW=,$OIO.&P5%'/
M$$S*6,5G`N0<<^;9.J%DP\RR]?LK1"0HLZFD&C5*J48)_)TE0=)ZQF&V`/_A
M"05T-?]"`D+'_AD!X6/[U95IO`(S<TZ>)B[]F5URJJ[%L6KOH9].30+H""5^
M.!3)%-/1D1VD3*/+%,@KVAX\FE!!^VX5/4361Q<*NCX)H_"2YSSM'YZKP8LU
MX0T3;X1XPX2C@Z[S[E+&N[WBQ!8"L6`%RA>TO89;VMYP"4$2\G\X^"EN-\2Z
M:`'@.=D7\.,EVBD.X15UK^%<772`)/D2ZC[<"]HG!/;0LM-0\%1["V2O(UQG
MA,CSJINC#T.39*<:FYZM;TI;?D9@]Q#V`=F9ANQ'&H1_[9)6FT)]@QX>^9<J
M.+&)MFH<IO@MYO8AUF>59VGMDU)V<@M]L5`%K0L3_O`[>(/^I?=HC84XVY?>
M$`]"FP<_8B(7\*5CW'G3Q.S8^7\)#0K9''T=@WYX@7[<*N[!1(KB13S%,FSJ
M.%19(\8(85T8_@U02P<(#-9<;\P"``#M!```4$L#!!0`"``(`"2`5"4`````
M```````````Q````:F%V87@O<W!E96-H+W)E8V]G;FET:6]N+U)E8V]G;FEZ
M97)-;V1E1&5S8RYC;&%S<ZU574\<911^CC.S6Y;E:Y<%ET(+J.TRN[`46BB%
M`O*A)65KT]4:VV@<9L=EVOUR=K8I1DV,-='+IE<28_6*FT;;1*$Q2FW4UE03
M?X#_0B^\T*CGG=W"`KNF)&:2\\[[O.<\Y^O]>/#W5^N0T(L9-XZY,>K&F!O'
MW1AW8\(#&7XAFH4(>%BOI08*6CT@/"XP%BXA%`3%M$U,]PJ5=B_"V"?$$T(\
MY<5A='MQ!%$OAM#EQ5'L]V(2!X7H\>)I#!`"H9[Y"]HE+9K2,LGH5#:;,K3,
M*$$*]9PE1$(]YYWER]%\SC#TQ:AEZ-EDQK3-;"8:SQG:1<,Z;65?,U,&&[6$
M*G`)GD#YPG,+%PS='NTY1U`KX',5H#E!,E^N'+<M,Y,<K884;#,5G<_J&L=5
M):8/_C^Z"M"CEZV\/N5^!!ZJ@%=)IS.TU>-L)FEFC%@V8<P8>=VI=B2TJZ!V
MH\[LO:'=Y>P:,WEQG"!/<Y`$S^QEW<@)[3RA89Z#/U5(+QC6\]I"BI?]%;=I
MZYFBDS<,ZV&J?4*/Z>+9@J4;SYC"6-W-+F[2$HFM(*%&LRQM2<_FE@C!A*G;
MFK!]UM+2:<V*%W*YK&4;"4[*>+V@I3@!7]*PMY(PV+(3G$OG4H2]9GZF.FG3
MCLS9HFRG&GK!,NVEC?H1&LM6E_*VD2X95-D=A'#5\NPL,.'@(Q:3H*0U6U\D
M[,EM%*$];]C_D:POOZ-&Z.+;30;P&']\G3E_?'OQ6,NW(E]Z+",\&V2<>&Q0
MU^!6Z4O4"N&[Q1"ACZ7/H3G)<AXUB*$><P[!DR6"8^S(S6.+&H[T!N4U[%&#
MBJ`)NBKP))EC$0TP$8#N\!PH\1SF0"0>&]7P&FK42+5(7F)_Y^#!>69YD=,<
M1*C$<(E7!,.X^@5\]^%7Y6\@8A!3*1R_)<9U^54&8PX4D1SD-CR1R+J<",>%
MTS)_!SA6X"YG]QW[^AXM^`&M^!'=>(!#^(G?AI]Q''=8FY^*8@S4QQ&(*-?#
M]^`)WX6R#$6Z$?X62DSD5>=,V6WM/;BE%<ARI.S_^N:B7PQB;17>AS:^,AO?
M=AL&3CKIB,5U!Y7&5]`GL(Z!^ZB/.#_W$"RJ=PP4@574._Q7).IP[#_]YQ?Y
MQD8-7N&,0;VHY<SJJ!\^&D`;#:*=CF"8AC!"PYBDHSA%(SA-H[A(8TC3.&R:
MP#LTB7=I"N_3-*[2#)9I%A_1"7Q&<[C)^-<40Q.&L9\[+_K7P3[%5E34533<
MW`C!Y8#7^>T'EY9861;/<JGIFT8<_':CSUF.."K;56NWJ^99\CM?4OV#V^CB
M\9IH6J/TB=/$8C?E8C>+??.+02UK4[$U+SM-^!@O%'=BJ1?CTI`L#2DK:!=P
M0-GH0-.'<,E#\A6%`O(RZ@)*J1&_BFFI-Y$B=*>L-V?0S/(WWJ6_\Z'^D\_'
M7V@F"4%2T$DN])$;_=2`"6K""?(C1@'N42O.4A`FM2'%_V]3!_=H'][C]:O4
MS<Q3Z"P5H=NY/+A`:I@/X^:Y\#CH6WS:WF1D&FI)OZND7Z.*^+<<I6*-;[,\
MY-Q$_?\"4$L'",G_MD:(!```T`D``%!+`P04``@`"``E@%0E````````````
M````*````&IA=F%X+W-P965C:"]R96-O9VYI=&EO;B]2=6QE4&%R<V4N8VQA
M<W.-5EM34U<4_A9).,GAD$`$+R`20"0DP7BK-U"*%!6-:(6BU-;V$`XQ>$CP
M)*%H[9T_T+[AFT\^5F=LZ!2K]L4Z]K6OG3YVIC.=3O]`[5I)3!!3XLM:>Z_U
M[6_O=3G[[&?__O`0-O1@T8DA)XX[<<*)=Q7,*D@H2"J84W!-@:4@I2"M(*-@
M7L%'"A847%>A(JRB1D0U=JEPB7!CMSCVR'2OB'T">4-%K0@5^U4H.*#"@8,"
M/J2B3H0;AUTL>D7TN:#AB`L>'!''41']LO9-%X,'A/28D!X34A9.#`KD+0V7
M<$;$F(@)#5,XK\'`61&C&J9Q6D,,YS1<P;"&.$YIF!&;B0L:;N`##1_C0PTW
M$=7P"<8U?(J+&C[#20V?X[*&+V3%EWA;PU=XAV#S'?$1.GWQE"^13/MTGVG$
M=-.7G)PQHFE?/,&6\QG3.*=;*8-`?E[A[QXF;/!W1V;T>3ULZHE8>-#44ZE>
M0L-+UM&T%4_$V-Q6,"^$4W.&$;T2MHQH,I:(I^/)1%CH&=-9"3.BSPJ.MQ\G
M-/J[+Y7;J=D_^.H)CF6FIPVK5U8-K_:>S07)]AW^5ZUE`VDL!^3CA/ROHM<]
M1QDXTW05[)ETW`R/,WG2ZBT?9[N_0D*%;E\E4)G=QHO96+\0`AQZ'>!KG-/1
MU]_??Y10W1=G%P_L@\DI[C9/))XP1C*SDX8UID^:;/&6RT5KQ=[J>*W.<A<;
M?:?`">IH,F-%C>-QV=IWJ>(VJCXU-60:LT8BS<'H<W-&8HJ#B2;GKA-<1MXS
MP#YGS$CG/AF"PD/9/S\2(D)-852RC^DQQGK6?'#<!B7+L)G[<@>L6$:V&5J(
M&G-R.$+=VI9]R91/(V%C^6Y]@5W5)(26=3-!Z%[7/V"F#2NAI^/S!H?05K$T
MA3#_%U.XFSK7!8T:US)&(BJ%7!?'F:ZTWUCRJL%IM5NY6)U6\9@.&4I-4\5*
MIE97TIZ*WV!E2\L>SG3R1>J5>=W,&&>G^5:=SV5XK.`:L"S].MKXOU`#H`IV
MN=MY9)>+GG4-2'X7+-_CV5Y&$&M/8!D;`I1%EX@=]]A$>)^EEQ<"3UD^X]_/
M+TS[-$<PL8K`5B0("D&H#,$#E@^9X!$3/&`/_Y(*!"?94\5Z.T4"]]'Q!&Y1
M630_1FUD!>Z)(,_;LVA:QL:[+[/22531*;CH-!I((IHILK:PEK@<LKBTK#IG
M_(/E543*0#O60G]E:6*D`#W`H<I9-ZU`G5CFFR4@],%EM`58["PM=DM.B`M&
M-M23@Q?QKS9/0KW\!'`P9B7X$^J78+_'VKV$ND#P,=Q9M(:83FQU2VAB4]U(
MH"<+GUA#/??1G<4F\7J6X&>O9\2VWWX'W@"[.AOM>P2V:*=&N\P?WG[^IV"U
M/%9;A=V^!KO]!;963K2"ZHD5N":XG"U9;/L>/<MH]%9EL24+KG/#HV*@"33S
ML`8*U7*P'GBH'LWDQ59J0`=MA)\V83=MQB':@L/4C`%JP7':A@BUXB)K@WR8
MIG;,4B<LVH$%ZL(BZZ_)CV\H@"4*X1:%\2WMPGW6).^30C7:.:U2C>I`\#NT
MESI.S5G_X23_S19^RI3#=ZS%_\[XW]C";YT"_F:A,R.2"J^-4Y#KT)]1&_3:
M.1<7[L`3S#=K2*;!'(X8E^]8SMZ6.J[79DY:SL^ZU"+;^#D(FH%*)K?(+#:S
M;J8DNBB-$S3/._-;JW"2RWP2^8KV!)]`91K_+3CHK@Q^A/.,[>@=U(=:@ERJ
MK8_A'%VT48OX;C__*U3:KXD[&K0?M700C70(3708G:QW41\C)G-WA?X?4$L'
M"`&>6[=!!0``&`L``%!+`P04``@`"``E@%0E````````````````)@```&IA
M=F%X+W-P965C:"]R96-O9VYI=&EO;B]2=6QE5&%G+F-L87-SC53O;U-E%'[>
MM=OMRH75CDTG*VQ#L.TMU`FBTCF%*5H<&](Q&!#B7?>NN[/<-OV!&+/$3/WJ
M![ZI)!J_D&A,P+"6B"'A$XG_A/^)\)S;4K`V&U^>][WG/.=YSSGO/>_?__YY
M'SX<P,4`#@1P,(!D`.\$<,'`*0,S!F8-G#;PB8$S0000"<+`[B""V".[$8%1
M<8R);6\0/7A%;/L$]O?2]JHXH@(Q^8R+PY((2\@)$Y,X)'!48,+$!WC;Q`D<
M-O$A7C?Q$=XR\3'>,#&-(R8R>,W$'(Z;.(N4B7D).X=C)LYCW,0"WE2`0M?(
MEPHJJN"+QM(*.Z.QZ57[JIW,VVXNF:F4'#>74AAMFJ\ERT6MLRO)DLX6<JY3
M<0IN\DPUKU.>P+R"/YJ.3346R@U'TU/_%SQ>75[6)8;LCS[CFUU<U=E*JN/Y
M_R$VK1V)B><BMA(8Z$1G%6/1+<H5TN&M2)VU54RA9\(A<9)]FBHL:86^:<?5
M,]4KB[HT9R_F:0EWJF[/EI=@RCIGYPX*42&8*51+67W"$<D>NUC4[A(WV16[
M=*S"T[.%XA<*O;J<M8L2IF#D=$4TR.*N87+<)7UM=IDFQRWK$@-#[<DI#'9N
MLD)DTYSY;VWJG[&OD#.R*<?+<FQS2N$S[;*`O'9SE1567O+.-LJM:LO-:GT5
MP4"E\*0PXZJ=KVHI7ZUA%#*/0!?\,EO<^66HN/9RF#B?Q'?Y=8@,SA?ZXG68
M<57#BP(OW8;,W'O$,`.!R\1/&6IC!_<B,/&,@*\E8(E`HH-`AGB6`O,4R-##
MAZ`I8-$C&?3?0W`A?@>#-;S`9:B.';=:(CT>Y3K/XN/1#%SGN=U<9^[!6+#J
MV'[*"JW5T'\#IA6ZQ,V/&&<J`_ZER9O8FXC4$#KB'_"'UGY"D,NEG[$M$1'B
MSG/?^!Y%;CSZA^R7GYXYYC7P#R9]![NP@7VH(8$ZCN(N&[J!-/XB,]TJ),)5
MLNR6(MI3=X@G,=Z!.M1._9S(E[!)W<V:N\07MS8P>+N-6R3RP6QR4TUNO_60
M=Q%6&QBZB8`$#CT-'/2:MLZN?\U_9!W;\2WOZ"MZS[?R^XZM%:%5:6VXB[V-
M-ZXD7$-?N)O`3DU+G0^P[0=ZO5WO]QB6@,8E[KJ+809:#?(M3\E7;W#I%2$_
MX8F_[7_YA3WZE?G\QJ[]3L_[WK\\]1A02P<(N1`%AW<#``#;!@``4$L#!!0`
M"``(`"6`5"4````````````````H````:F%V87@O<W!E96-H+W)E8V]G;FET
M:6]N+U)U;&5#;W5N="YC;&%S<X542T]341#^3E^WU-L';[4@@HJWK5H$\04"
M4E#!TJL%C8\84NH%BZ4EI26:N#<N71F("6R,+ER`2$%)?"TQ+GS$?Z-QIKTB
MJ0VP^&8Z\\TW=X9SSOKOM^]@Q&%<L<)GQ2$KVB3T2[@H(2AA0$)(@FJ#!6X;
MS*BQ04)M"<$>ACJ&O9RH9VA@WCZ.[6<XP.1&AH.<53A+8(*'P2OC-)H8CC.<
ME-&%,S+.,O0P]**9H57&.?AEG.?8)73*N(P6&6&<D#&((S*&<)3AF(!AKY?!
M)V!4/'T"%8HG.!Z9COCCD<28?S"=BB7&V@3J]?`]_]2DID7O^%-:-#F6B*5C
MR80_G(EK;3F!JP*52J"H@KM8O#LS.JJE*&M2^KBX4=E$44?&M6BZK:C:(>7_
MZ!;RE<7HU*]!V68J)NW;CI3[=&M[-!ZC:(>`I5UWC)V=G31;('E;$Q"T76<P
MEM!"F8D1+344&8E3M&[;M<IJ*-`[K(:'!]1P+_51+PWUJ:&S00$',P+)3")]
MA$4$;(/)3"JJG8NQLGRC-ZS^J[-$)B>UQ&WZG&AR\KZ`.<J%I#>FI0-Y5R*7
M)05<A=L2J"J^7(':+0>@'6^9UUO7;TD*12:V%1I*WM42-%TJU]0Z]6^JJ;]3
M6=/)O]-(TY%X1E-'44]7S0+073/Q32'/Q->&;`G?JYSMTFV/;JTXA28(M-.O
MHV3YSVY>@L.R!+NT!.<B!00Z",M(#N@F'*"R:Y#10)G3&^6M,.0$2KTKL'E%
M%E7>5W!D45DH,4X8I]X3<)'/$B=UB1:2,))UYB1\+%%31&"8,$("(W"0+_B!
MT`5\E.%O*%^#=-W[&A59E)$I7X&\L"%BR5%>$%Z@AR]?6$N6HV9FORR@/B+L
MV^BQF5I1J)HAI`=*IW;1/`:R-6[:Q!S*R#CGL(.,?0ZF1:][&>6%P\V@$K.H
MPE.X\80R]-+I:GMT-8O7MXR*Q8+.#PCI0=2YOVB/S'W#\U#S>32LP7S==7,5
MNU:P([^:G5F4NFYEX<JB>D$$.?@1);.PYSWK#!PZ,?A<KU?^J_?DZX/Y1LYY
M5#/1MXK=Q"NC8U#*ZOFLO2!KT+.;8T8]MC%>,YTTX#UL^``//M'_>)T.]V<Z
MVNOHQQ?$\!53^(:'^(['^(%G^$F5`:HQH/L/4$L'")@$/OM?`P``X`8``%!+
M`P04``@`"``E@%0E````````````````*@```&IA=F%X+W-P965C:"]R96-O
M9VYI=&EO;B]&:6YA;%)E<W5L="YC;&%S<XU2W6[3,!@]7DO3_;'!!*/\#<8N
MV@O(`^RJ"MF(&(G4E"'!Q>1F'YF'YT2.,^TQ@,?A@@?@H1!.6K%HT[3>?/8Y
MW_&QSY?\^?OK-UIXC5<M@'VORH^J_'3PQ,%3!\\</'>PQ=#K#PY.^3EW>9Y+
M,NZP/!:9)T6^R]#J#P[K^IF!^K7LPBURHN3$U91DJ1)&9,H=45%*,\Z^D=J=
M3W7SG4G_R[0GN4K=V&BATCE-YU,%5::VEQT3PZJ7J<)P90ZY+"U>?!N%XZ/W
M8?2)8<F_2"BOCA<,ZWM"<3FU>5-=P\`"AK4#H2@LSR:DQWPBK</=#T$\\KUH
M/PS&011:FS@K=4)[HNHN?XS]T9'W;ACN^PS=E$P=W?J+HMX-S[F04Z=-48PU
M%\KF#]379F?[<CZ!E)1R.=1I>4;*_'^R=;P419-32@S#SHWS::1CV+IEC`R#
M6Q2QX89\K3/-L*))$B]H%G1C!IO1[!Q-]6F\3%NORJ?#T,$=,#CV)^[A`3;L
M?@W`@EU[V&S@!8O7&[@%I\WP"(N6N6>9MEV[-;,R8SI6U:ZY'I:OJ!Y?8UY@
MZ0KS\AJSC=6&=[?F']:ON?\/4$L'"`WJXGR[`0``B0,``%!+`P04``@`"``E
M@%0E````````````````+@```&IA=F%X+W-P965C:"]R96-O9VYI=&EO;B]&
M:6YA;%)U;&5297-U;'0N8VQA<W.%D=U.`C$0A4]E854,HH+Z`%ZP)KH/X)4Q
M0$@()L(=5V6=K,7=+NEV"<_FA0_@0QFGX`\A*FF:]GP],YU.W]Y?7E'"%<Y]
M-'PT?9SZ.!,HM8*>0+,5C/M3.9=A(G4<#JU1.KYQO!?\QH,OO@CS&5'T%!J*
MLE@KJS(=/A0)=8U,4VG8>\G>\3]FRHO$CK)GTFSV[K)'$MAO+R*:N?-<H-%1
M6B8NZ<I[[7()'/:5ID&13LB,Y"1Q4<.L,!%UE!.-F.QM8LEH:=6<EA=PLCKC
M55"WH#PG1C5&:R4+5#_!0*:<R&<UDK&+_>G$_61*D16X^/-=JZ*7!0NTMMB^
MW\:MW=*IH966VL9DIL*_!\%C!T#9XXY@CU65E<>KQZ2.\@8YPNX&.8:_04Y0
M62<\:[S?P<$'4$L'"`$!=C4P`0``10(``%!+`P04``@`"``E@%0E````````
M````````,P```&IA=F%X+W-P965C:"]R96-O9VYI=&EO;B]&:6YA;$1I8W1A
M=&EO;E)E<W5L="YC;&%S<XV1S4X",12%ST6<\1\T;MP:%[+`>0!71"`A(9@(
M.U:=>C,62TLZ'>397/@`/I2QE:@;?]CUW'[GW-O;U[?G%VRAC9,4ARF.4C12
M-%,<$YXNAS.Q%*NL7##+A\RQM(517EF3W7%9:3^QCVRN-Z,&K>ET,Y)0O['W
M3-CKK20OXGU)..LK(W1722]B96VXBH&$QE`9'E7SG-U$Y#I:Q[9RDOLJBM."
M?4=[=B98E_S1)22>1W.FA2FR@=9<"-UQ135GX[_Z$IK?T&T^8^D)[5]?\=.(
MA(N_^4^L]<]RQB&5>\Y9EU#XL1K"G@!0G7"`)*B=H))0WPYGPGY0->R^`U!+
M!PAPI0OY_````.`!``!02P,$%``(``@`)8!4)0```````````````"H```!J
M879A>"]S<&5E8V@O<F5C;V=N:71I;VXO4F5S=6QT5&]K96XN8VQA<W.%DDMN
MVS`0AH>Q&S]B)\ZK2(N^'ZF=--4!NA($V58A6((DQTN#5@B7J4(9,AT$7?4Z
MO4(7/4"/T8,4F9%E5(L"%:3A_PUGAD.1O_[\^`D5N("+"N!#AI'9(E,ETR2S
M0Z9%IEVG]WT-SFIPSH`U&52Z/2>WGQ@<=7ON-;_E1L+5W`AU)M7\(X/7A?O.
M6"Z$B#\;F8C3N9):ILH(Q'*5:(SJF%%D6L-IWW-=;^*,!@Q:A6L0>&.?P5Z!
M?F!?.MXX9-"P3']JAE-GH_M.$$8,JE9Z)1BTK50M-5?ZDB<K9(:=-K"X'5AF
M:&-!5RHQ6MW,1!;Q68(1!__JOSZR)U/7&6%&FZ1O!N8@,/TA-KUN/TJ_"/6!
M4C$ZM"D@PNAFF*ZR6/0EE6Z,?7^S\/%<:(LOI.:)_,KI/PRETIB`?EM=1?*&
M$A#6Y1GLH@X7/,:&UI'MW$'+1N(.N46L>:;7N10_R:36F_G.WWUYLVL1H^O-
M?\XDWQ0>[>]OW[=Q`=BA^P"/X!D\`08G=$]R?EKB!O(+_#;,4!^5>`OU08DK
MJ`]+7$5]7.('J!^6>!OUJQ+74#\N<1UJ5;QPL(OW%W<(>_GX%O;S\;3POX-.
M/G:+^1XQUGB9UWA^#U!+!PBLJMS@TP$``!<#``!02P,$%``(``@`)8!4)0``
M`````````````"X```!J879A>"]S<&5E8V@O<F5C;V=N:71I;VXO4F5C;V=N
M:7IE<D5V96YT+F-L87-SE5193QI1%/ZN*#/@J#@"BDLK7101Q*6KVL7B2#$L
MAD$2^U`SXH@T.I`1K.D/Z8_HT[1U2=JDCWWH;^E#TQ_0]%P@E8I-ZB3WG/-]
M9[WWYLZW7Y^^P(8PEFQ`N\7%!RX^<G',Q8F(@(@)$2$181$S(F8%S`M8$+`H
MX)&`QTY(\#G1C4%N#3G1A6$'7!AQH`?7N.,Z=XQ*&,<M+FY+N(N;$N[#+^$!
MIB4\Q)2$)QP^A9_!'9A(O-(.M<B>9A0B:L4L&H4%AG"#/HH<E'4]OQLQ]7RI
M8!0KQ9(1B9G:_KYF*D=YO<P)B@\%6JNT%GY6W=G130KW7!:>8Q@*_-U5,0I%
M0U^(KZYR;R[P[YDR=?L-E:?H*\S."]L7B^1^S-`;?;Z4BBGJ9C2=3,:S6669
MH:^%FQ]E:(^6MG6&KFC).*AH1B6G[54)2ROIZ+JZ&5N*IWBNLPX3:37+P.(,
M/0G:3ZJZOZ6;66UKCS(FKW3.GHP23<=2\1=*9G,MDXXJJAI/Q>@:FWAU75U3
M4LN\O_O\6)1#W:A,\5XTEEJJFGE]I<@'L&OELFYLTT8+>N5B2XHE-JD?'&@%
MBG456OQM14KU7G[35//<D=TU2Z_K>QZXY))K\UUTJ375<`7^X_(;H9UEC0:M
MC\(@5DIU$WYZ*]T`[/!A!E.@XR?41MJ'V2;<1CC0A&V$0TVXG7"X"7<00Z^+
M;!MQXQ@C&20T#0$B:5=P<MCO[3B#'/0))_"\)XXA0K*;,H`?<.`G/>'OQ-[#
MC4;V"&E&NB-X#(_U)\7.2<9=](P;H6]KC8&7%.I]A]JWSG\S_+="=KR.D:`5
MH)6FE>%EOV+P,Z0-63A#+\>G<)^B[Q0#EFRW9*<E=UJR:,D.*WB&_O,9QFA@
ML"Z$6`_FF`NK3$:2N;'&/%"9%SG6CPTV0-%W:@<T]QM02P<(MAIZPK0"``#^
M!```4$L#!!0`"``(`"6`5"4````````````````V````:F%V87@O<W!E96-H
M+W)E8V]G;FET:6]N+U)E8V]G;FEZ97)!=61I;TQI<W1E;F5R+F-L87-SC5!-
M2\-`$'W3!*/1M)[%'V`/=<6K)Q$]A1:L>-\D0]P0=\-F$\2?YJ$_P!]5W%A!
MTY,,S)N/]V:&^=Q^;!!@@5F$.,)QA!/"]45:R5Z^B;9ASE^$Y=R46CEEM'C<
MQ>]L;[M"F?N>M;N9/Q/".U,P898JS<ON-6/[)+/:5\[W)*EJ'6NVE\,.0KPV
MG<WY00W<6'XSN.>:<#H01"UU*599Q;DCG(WN&HTC7/WWZ%])LB.OG;2.BS^Y
M:1HN#LB_AKQ-``0AX0@AX#'YP>F`OG_H_031%U!+!PAGJ6IPTP```$T!``!0
M2P,$%``(``@`)8!4)0```````````````#4```!J879A>"]S<&5E8V@O<F5C
M;V=N:71I;VXO4F5C;V=N:7IE<D%U9&EO061A<'1E<BYC;&%S<XV0L4[#,!"&
M?[=I`J&E0*<*&%A008(45A!2A6"*&"AB=Y,3&)4X<IT(\59,2`P\``^%.*<(
ME2[MX-]WY^_7G>_K^^,3=1RA$V`]0#O`1@B!1A,K\`7JO8-[@=->_"1+^1)-
M<J+D,3*4Z(=,6:6SZ'8:OY(9%*G25R5E]LR9_'/%R(6`=ZE3$FC'*J.;XGE$
MYDZ.QES9GO,.4IE;,L>NET`XU(5)Z%HY-)0.B*FDL4#WWS"S5H%HV4'_'/UE
M';&:6,J<I36%AU8:2^E,KO.<4NRAQBODY0'P^.9-LJYRMEO5@<;A.[PW#OAG
MK'Y5[+"V$/RB73XU1\QC)ZR;B[$=UJW%V#YKLWI<^P%02P<(DLT+TPD!```+
M`@``4$L#!!0`"``(`"6`5"4````````````````R````:F%V87@O<W!E96-H
M+W)E8V]G;FET:6]N+T=R86UM87)3>6YT87A$971A:6PN8VQA<W.-4L]/$T$4
M_J8MW;:NI8(5B@@*4DHI;KAX*?&@1FG2E*15#YZ<KI-EF_U!IEL#'KUY\ZB@
M7OP+.!`2#_X!_E'&][8;#4$BE^_-F_F^][V9-S]_??^!-#:P:F#)P'(!`E?R
M2,%DN,I09)AD*#%<8Y@R4<:TB07,FEC$31.W,6?B#N9-W.6]%4ZKF!-(U]9>
M"'BU]D"^D98G`\?J1=H-G.9X)U"1];S;;EYPOF\-]Y2R=RVM[-`)W,@-`ZL[
M\E1'^JK9:IV7L5UVRR7J`X',H_"U$IA]JJ7O2]T[""*Y_UA%TO7NL5)`M`0F
MVVZ@.B._K_0SV?=(,'6^KD#Q;,<"RY=H4:#0"T?:5D]<+ERP=Z4>6Y&O,VZK
M'=J25?3VR0Y+B>SZ>Z&.QDGI;T<[_8&R(X'&A?;_N"^5\_Y<4\#PU7`H'2J<
MTTFO-+\4S1\P"&F@M!(\W3A6DYQF'$<:<QP7DK@2G[.>?@;A#<I>)?5J]5.D
MZ^($688)A@*#44^=(,>0X31_'%>J$%:1)WR/#+JT>HDB^E1U0%X:M_`62WB'
M53IGM^N)VS=RRU'<N:1;?9TI#:9L,*6284YY@DGE++,JQIFF'J)$^.$_37U$
M`Y^PB4/<QQ&V\)ET7["-K^B05A"3GVGF-U!+!PCW'?PIX@$``'H#``!02P,$
M%``(``@`)8!4)0```````````````#,```!J879A>"]S<&5E8V@O<F5C;V=N
M:71I;VXO4F5C;V=N:7IE<E!R;W!E<G1I97,N8VQA<W-UDMU.PC`4Q\\4G1H#
M*HKX@=\7<H%[!D,@(2%JA'#AW>B.LV2TI.T(^&A>^``^E/%L3`EC9DG_Z_]\
M]/27?GU_?,(JU.#&AK(-1S8<VW!BP>IMM1FOK7A]L2!WVZSV(FG-Y"66NO30
M@JW&A.'(<"FT!84V%_@0#ONHNFX_H/#1,S+I"_Z.ZDG)$2K#4=\-W+%+I1T9
M*H9-'B7N^6CJ<C@*T&"7#U&&YM<4K]Q#P;"-8PPLV">S)5@ZMTPV'?V,.@S,
M?6!0"=?P,=)8>0IU4&A.>VZFL[Z=$:+7T_>,A<IE9!YPG12''I<T[9B.]2B9
MZZYRN>#"GYL7T16</KI".\G%ICTT\H^&!3MQ2N`*WWGL#Y#1C)7(FCB:CF9O
M3D/XA&N.Q8+:0ES-T$7=G"R,-)K.@J:SH.EL:/I?:"4*9?+(ZS1-G4&S2&8:
MVSJ]&E@!>E8`L),C1+`&0+J;Z%ZB15B/=3_9'R1:`CO6PT1/88.Z;5.W'*E%
M3F7).5MRSF$SY5S`5LJY7*JZ6G*N%ZOH*]#_"N1_`%!+!PA)]+;-E`$``%H#
M``!02P,$%``(``@`)8!4)0```````````````"T```!J879A>"]S<&5E8V@O
M<F5C;V=N:71I;VXO4W!E86ME<E!R;V9I;&4N8VQA<W.-4TM/$V$4/;>==CI#
M>;;E_2P"[;108^*"0(Q*T)`@$C$DNG):QC+8E],I8>_&QQ)UX<)?P$*C8N*"
MZ`83%[IQX6_0'Z#&Y_VFI92F"]+DWN^[]]SSG;DY_?#WS1[<F$1,QHB,L(Q1
M&2=4N*"J7&]2(,$O0K,(+7Z$T.9'/]K]&$:/'^,B:.@A!"/1Q0U]4T]D]%PZ
ML6);9BX]0W!'HJN$4*2F=SFY8:3LF>CUNGIE1N"G&]2/4Q&S\?+L5J)8,(S4
M>L(R4OETSK3-?"ZQ4C#T6X:U;.5OFAG#D>"=-;EYAB#-Y=<,@CJ_E3(*`ETD
MM"Z:.6.IE$T:UE4]F>%V1Z./5%?R)2ME7#`%(G#TD2F!YV>,VR4]PY2>M&$O
MK!%DSDMZ5KS(IU7=,O6<37"9W`L?OK&0R1AI/7/.2I>R1LZNBB.TU6_T2*FL
MC3!QS%VPL*QNI]9Y#SE'E:=8T5FLZBS6Z)0WRR>,L"]<`)M%$I;@DR1<X63-
MR2I(V(9C)]]F&4V<@]IK>#1Z!5D$GPC*<ZX3NCEVPL/Q+G/<@X+[:,$#!/@N
MF`(U3%*5*2:8XH)IL@'3-B,?,M,C9GK,#-O<91=7F#XSDYNS'=N'&GL'Z0D\
M[IW86TB7M)>0W\,?Y[2/D'M'W,5E%UX'Q'=?N>\[Z/O$I::OE/O*05\1EX.^
MM%-5NL2Z0"UHHE8T4SLZ*,!_K""&*80P=>$D=>,4]6*:^G"6^G&>!K%,0[A"
M([A&8=R@421I#`4:AT419AU`:^4+!SB+K7N$_F?5)[U.\2G'P8907SUTC^-0
M0ZA2#_W"<0S!"O0.KUC8Y&+,V61`)*UFCS%G@:+LTVK6%W/V)LJ*UGAK&OL+
M^`X9/]@;/]&%7_PQOQ'''TSA'TZSECDBS).;)R;0P3*$H+&*($43,M@\AY91
MG<8N?'C!=,+(Y/PB/%S^FG!EV"MLYZN?_,26^\B5:&.\4H__QOBO7.GELPM]
M_P%02P<(6B":R-\"``"4!0``4$L#!!0`"``(`"6`5"4````````````````S
M````:F%V87@O<W!E96-H+W)E8V]G;FET:6]N+U)E8V]G;FEZ97)!=61I;T5V
M96YT+F-L87-SC5-;3Q-1$/Y.[Y?E5J%0*')1:KL(]08/8#2U;$.3%1I:F_A$
MEO90UY3=IFP;XT_RP91$::*)+\:8^`.,\4?X!XR7.=L&ELL#37;.F>^;^68Z
MF?/M[X=/<&,)JV[`HPKS5)BM`.8#2`4@^W''C[M^W//C?@A^1$((X)JXC081
MPE@0040%-BZP"0FSB`LS+>$VIB227I"01D+"`TQ*6,$D@SN9RC&,)E/J2ZVM
MI>N:44L7K:9NU-89II*YB_B3UOX^;Q([EKR8DRHSQ'KXJ_1A@_/*B[1BU'2#
MK^<%ESK'-7G%K!FZI9M&>J=W?TWB=JQ\Q=B<"/8]U(EZQ!#./-O(;^^J2EE1
M&08<WMHL@R=K5CG!6=,XM#3#*FOU%OF,9L#R#$,J=;K5.MCCS9*V5R<F=EHI
MTZKJIM+FAK4L^F(8+!84);NY6RQE=DK*AA/8+A0$$"J:K6:%YW0AY=,:#6Y4
M"=6$DLK;O$ZMU+B5<?@NG2*BEP^=8?S,1$X[8I@XPQ3MHT\M76&,3JEP0VMJ
M![W"#`'+[%TQ![%<M)*((84$&&Z2YZ(S!MGAN\B?<_ANRJ#=LS,9[>-ULC?(
M6R&&-APC\F*\"TD.O\>@;8X(9+A%-D(IP`_X<(0P?F(8WVV)&8>$Y[S$PB42
M7_H27TGB,S'+U&-/8II.1J=7?H?!MR=I/AO\198>2S^T1M4$^IA"A][`_JV*
MQRJ>*=WC],W0-Q_Q=B*^SD?XGT<\782%\C$&CC'2D;L8[IP4B<)+]C?]H3]4
MX!\2C&&-B2*+]N22_P%02P<(C2'*=4X"```5!```4$L#!!0`"``(`""`5"4`
M```````````````:````:F%V87@O<W!E96-H+T-E;G1R86PN8VQA<W.]6`M\
MD]45_]^;I%^2?M#2TD+D54N!TA2J^((""BT%*VU1*JU%Q:7IUS:2)B$/I.);
M5-2I\X6V#A^;KIL;6P%)6ZN(#$$1F>ZA4[>AX&#*?,[-.1_LG"]IFI0PZMQO
M]/>=>^^YYYY[[OF?<VXNN[]^<BL,F")&FG&?&4^9\;89_S#C,[,PF<5PL\A6
ML%_!`07O*/BS@H,*#BGXBX)W%;RGX+""ORIX7\$'"CY4\)&"CQ5\HN!O"CY5
M\'<%_U3PN8)_*?A"P9<*OE+PM8(CBH`BA"*D%9EHL,+&9!237";CF4Q@,HE)
M*C0K+&BTPHHF*[*9G,CD!#2SG(OE+N5ERRT8"K<5H]'"<AXKQL#+Q&<ALH)5
M^7FW0"IR$$S%.(18>"7S+K,B"ZNL2$,K:[Z<R>I4C,45K/E*'E[%O:N97&/%
M"%S+-E_+P^M2,1+7LZHUO-$-3&[DV9MX\[4\O)GE;F'UM[+P=_FHM['([;SY
M'2SW/0L=\$Z6NXO)W:SO'C['O6S:.A4]>)C)#YD\RF0#DU\PZ62RD<DF%<_A
M&16[T*'B>?Q,Q0O8K&(WDQ?QK(H]K.4E_%C%7CRHXE<\\6O\0,5O\'T5O\7/
M5?P.CZMX%0^H>`WK5?P>#ZEXG8=O,'F3>7_@WA_Q4Q5_0IN*?7A$Q5M$A`';
M56'$+U610D8*A7839NQ4A05=JK"B716I3%2$53&$MA1#\1-5I-%A1#JVJ6(8
M'4%DX#%59.)^56311F($?B0``4/^Y'*!K/S)%9<Z5CJ*W`Y/4U&)U^O6')Z9
M`L,3^(OJ+]6<P:/8U4&_R]-$;%L?.Q1TN8O*/*$6S>\(NKP)FO2Y"J_3X=:(
M/2+*7E44\&F:LYE6-;D\/#,N^4REMT&;IP6<,W73:W2ZE`]0GM328?D1KLM;
M--]%._**D?V\<H\O%"3[-4>+/I6=G\0-/#$Q_VCM27V0E4RPYAA\,GQZ$OY_
MWBIVM@GY1QL0+UCJ=@0",P?8GD0N9GOAH`1+0HV-FG_@4?O$!QZUCT]'G92$
MGUS#S8.2/#J>DH"7A'5A8ESY-:>WR>/B."VJ]FF.Y9K_7+^WL2]:EO_O;!FP
M<:#5$VS6`JY`48W7Y=02?!>OB?G1,#E6,B1-E0I7@,-DWC=:&N^-Q9'^Y3K:
MI=](3?_9JJ.]B):<XVBI.;X(19)YEM/M(B//%$B9%>VHI9HGZ'>XI_)B`6,I
M+1`8$ED=G1.PEJUR:CX^74`@K8*FJD(M]9K_?$>]F\0SDU;!C*2)'@?4V8Y`
M<Y`U<%8.TI]Y@W.8M=H;\CLU+EYTJ/,7+RD3$.0"JZ.AH<RMM=#!R`D.GT_S
M-%"5)94N-UO2OQ<=-"O&CE-._%1GQ"\<*0(FI]L;T)CK]00=+D]@H=9*?G52
M=0QJ$3\*I,</(^NBK/X=J>Q&6'&["5BTB+ES:8DYV@]PU],0J'4%F^D73*/7
M7^5HH5VL35JPU!LBXUHC@WE:HR/DII7#:)`8$01RC!=9G4KC"@(KY&BBD85'
M>B9%9GA=OQREND_S!Z/;+`YY/`0OA4:S(U#I]6ME,3L55Z"LQ<>"%@9N:K.7
M58SJNTDB55%KB+M1R'?Q=P]==O'#!,$Q\3-5WN!\.GM#+%0I+F,7UJ(X[K"C
M@I4,'U#_*9\&<(ZI7A>)X^;V<\O=;JW)X9[K;PJQ.^*$T@=>3'T^B62+Y@SY
M7<'6Y`LBN42W;O(K)E&V-1#4R%-927]@]!TA,1O[%,054TJ1?E84>Y<62)"L
MH5-X:??I>H).C23HU&@)*<[1_'ZO/T</<#(U)Z'`Y#3ZO2TY`I.3+_5X<YP,
M04XC`T#4GQ,U*%8'8I4J,TD1%#@A"3>VQ)9L4D]$@=%)YN)0&7&,^R.*YC&*
ML<#X010[`?L@I/IUYAZ_,`H4'%^H7^-0<GHPWJ`T9B3H,[A=]51@W5X'E5$+
M-QP='!C<UQKB8\74X@@ZJ5ZE>K3+RCV!H,/CU/31JF"L)*M>?X/F+VFMC(@.
M\47K#%<>4F&@Y*=@]FM-Y&3-/P!(2T#S.2BR.0JI'RM?UD!<B3*RY50$HD'F
MBS/0'/3VY98E%-#\T6*EK'2X0]JB1GKKC:%G(F"$E5\2U+/R2X9;?FWH+3TX
MJ#737S<>IH="+XW.@@3_&V'8C)I>V.JZ,'DS9HO-6$Q?]4;PBV(KT6R8B+Y/
M&WQ`[\>/D(&/B7>89GMBRL902T\0F`JZD-^_-$5G'L8,?F71?B0JAI,5*<1]
MN&`7AO9B`NT[96$'\@J>Q81VC&%.01CE]%70MY"^14)TX;2%W5C2BUP2MU=L
MPNPP2BL[4%W8@SJ!;1A7-:6@!W,EBHTVXT[,-)QNZH#=9LPRA5%"FMLP*C;(
M:</0OJDP9JPQB2R3S1B&XY$CKY"^<P7:CSQN[XR=HIY>I!!/P"BV0*4V3821
M32:-%=W(%3V8*)Y$@>A%(?%.$EMQBMB&F6([2L0.E(GGR/Y=N$"\@(O%;CC%
MB_")/;A2O(2U-+Z79!X4+^-I'4$J(.2KW3%?94+1??50Q%>3Z/!3R5?CR5>3
MVC&:.4?YJ@NG?RM73?K6KI+7P2BOATIMFER#;'D#QLH;D2MOPD2Y%@7R9MB)
M5R1OQ31Y&XKE'63-G9@G[T*5O`>U<ATNDO>A7MX/KVS#%;(=-]'X'I)9+]<G
MN.IE/!%UU09RE9EF/B=7I?:%58%^@HR";<BIL/=@#A\_K],PJQL+PCBG4F_F
M5['K=B&SH!<GU!5FD`-/#>,2XZQ-6+P3XXCVX&RJ46'4MB%]5!O,!83_)<3O
M+.C&3'9B&.>UP20Z8Y/4&6DS]F)\G:YS"JGLPAEA+&6$=F$4SW2AL-AD,VW"
M]#"^8S/:R,5+=2BF1OU-1A>GV%+ZS"Y6;`KEIDWIK.V`0I\A'HV]HI,<L1W[
MZ2]#;P]298B`<A?RR$%VBMW3D"G.P$@QG>)V+O)$">RB%--$&6:(^5@@%J!<
M5%`,56*9.!=-8C&6BUJL$'5H%4NQ6BS#&M%(<=N$]<*#1X47&X0/6\0*/"6"
MV"Y6TK<*>T4KWA"78Y]8C?WB2AP@_D%Q-0Y1^Q[)?2:NUT$TPT"VGJ@#^0JV
M)`<R$O/)@)PX>""K=2"KCP%D-0,YZ_\%Y,0(D-7_-9!?468IR)06C)16RJI,
MY,GAE%%9E$TC,$..Q`)I0[D<BT5R');)7#3)/"R7D[%"VM$J"[%:GH0U<CK6
MRAF447/PJ)R+#;($6V0IGI+SL5V>3=\YV"L7X@U9@7VR$OOE(AP@_D%Y'@Y1
M^Q[)?2:7Z$"FD,4,9#'_?U;D1A#WTZUAH;EW-J&F#<:-1KIE-F'90M/3]-JR
M&WJ179=A[@9!Y^S"-')G<89")(SZ:KM1GS4DSJ8021`SS.[`=?;1TZIZ,8I`
M*"BF9=8Z@NCD8E,O4NMLIBX4D>.);:FSI5!M#N-\&ZDYLP-F<KNQEEU^87$*
M(Y42+8Y9C$Z&#&.>CKR--JLJ-MO(THNC8+&H7O?VKI%BM'WK(T>NVDB!',+=
M6`=5;]LQ!#OHRML30^X6Y%)=?`V*?!VI\DVJB_LP7+Z%"?)MG$SM-+D?%?(`
M+J"V3AXDU`Y1_7N74#N,D/R`O@]QC?P(M\N/<3>-U\E/<!^U[?)3/""_P&/R
M:VPT`+T&(W884NA3\`*U>PP6O$3MR_)+0O(@(?@JI7H:-D22C6PSD>W`4KHF
MR+EG,5*4#&45'1A=VXL3ZW0D3%$,R.M=..49>Q@7T#52R6L*P[BH-D'8F"B\
MD79*13K]1$E'(69C#H9%?5)"',AN6&4/^60K?<\@G=I,^2SY9CL*Y4[Z=N%4
M^3QF4W^.W$WWQ(MT1^S!$FKKY);87<!^WD%]B2?_#5!+!PC$\35C-@L``+07
M``!02P,$%``(``@`((!4)0```````````````"(```!J879A>"]S<&5E8V@O
M16YG:6YE17AC97!T:6]N+F-L87-S._5OUSX&9@9=!@%V!CYV!GXN!B8&5A#!
MQL/`R<`.(C@8&9@U-,,8&40U?+(2RQ+U<Q+STO6#2XHR\]*M0>)L-IEYF25V
MC`PLSODIJ8P,(JYYZ9EYJ:X5R:D%)9GY>7H@78P,_#Y`0;_2W*34HI#$I!R@
M0J[@_-*BY%2W3!!'!J2J0K^X(#4U.4,?S0ATZ6`P!9=F4&1@!+H9!)B`+*##
M@207D`<29P32K%K;&9@W`AF,##Q`D@NL6(R!A4$$K)P#JEP)*`Z28=/2WL[`
M@JY>@8&500XHP@NVAAL`4$L'"(_.'67;````.P$``%!+`P04``@`"``@@%0E
M````````````````(0```&IA=F%X+W-P965C:"]%;F=I;F5-;V1E1&5S8RYC
M;&%S<X5436P;91!]$_^L[:R]KIVT=9/2](_:WK0N;2EMW:0A(1$J3BA)50$G
MUF;E.G+6Q3\(CER1$$)`#[U$0`4<4M$@2*4*(9"0D1#<N"'4(U>N7!`SNVNS
M=K=P>=_.S//[9N:;\4]_W_\6`1S'TQ%D%)Q1\*2"LPJ>4G`NQH%=4821BF$$
MZ1B"`B$'Q@3&);I;8(_`7A5'L%_%-'(J2QY0<0(3*DX*G$=>15$"%Y$E@#">
MS976C=>-0MVPJH7Y1J-N&E:1,#;@7VLW:U;5Z^ZT:_5"J5$QZB:[`]G<-<+N
MK(^4!,:]@>?+ZV:E7<R]/.1W[Q!^R<?_*(\WD?^YWDL5_Y3C?Z/0NF&:E>N%
M1:M:L\SEQJOF,V:K8F<8OEBS:NU90G"!W83T(.>$_)Z@E=BWTMDHF\VK1KDN
M/-^FIOQ:FO)K:&RMT6E6S*6:B,5,^](58X.-L/E:QZBWV%LUVPN-CM5NODF(
ML['H88VR7>)K.D:5K:A8MK03D?0=GHBL=BR+4R'L>BAG0G+XX09<3A$]EZ<$
MPL1_M):KJ+NTT(;1KEPG1#;Z.2G-7D+QUF!5T9:GCM9`':U^'3C(2Q``>%%&
M9`GX:T1FWCYY`>R3QY_/."\`[PKC4;86V<\[@4S^'I0\?8V(@":0$$AN0S;F
M&.,^O@)XCZ]X'U%\@`0^1!HWL9=](GG0E5QBR9#P;4E=)*=%\KA(9H(^FG=8
M\PO6O,N:VZSY)3+L$\U#GC1'?-+4'Y7F)DM^Q)(?L^0G+'F;T]QD!O\W.)(T
MR8+2L<_U+F+Z]PC?0BBPI7^'\'+^*T1^A#K-1Q?C@2VQQ=A!S":QK3EQK1?7
MQ/#$$TX\T8LGQ-C!:"^>[$()?(9@<-KSO?EO,"V'Q'80M7\3W.I76.9:0*<Q
M2F<0I[-(T3EDZ`*FJ(A#-(.3-(M3-(?S-(\Y6L`\+>(*+6&5GL5+=!FOT',H
MTS)NT`J:=`7OT`MXEU9QD]9PFZ[B4[K&-Q4PX39?9D5F)"1]N-M/(VP[OV%\
M`I,^U,0P]0'C*5]5;9CZ,^-I?LJ'J<EAZI^,%W#8?=6B.R@/=+OYZ\Y3R,/:
M_8]WD76_4F0_5\8U\\[1>T+'J_;IZB!==>BJAZXY7,TE3CI#XDZ+[ID.W1XK
MX48\W$B/&]$]DZ8[PR!'WG\8+B/%GS$HI"))">1(PPPE<8E2>)'2J-,8+-J#
MMRB#MVD?;M%^W*$#V*$I=.DP?J$C^(V.XG<ZQHHSF')[_IC;R+"]P=M#3?^!
M<;:_G0/<Q##W#\9+_KK:,/=7QCGF^'"3P]R_&'7[C^WQ?P!02P<(<P,#.]`#
M``!,"```4$L#!!0`"``(`""`5"4````````````````?````:F%V87@O<W!E
M96-H+U9O8V%B36%N86=E<BYC;&%S<W50RT["0!0]%VN+H`(^:MRZ*@OM![`B
M1A,3?"087+B:MC>UI)TATT+X-A=^@!]EG-;&8H(SBW/NN><^9CZ_WC^P@TNX
M#OH.!@Z."*XW?)W,Q4JL_7S!'+[Y+TI'(X+G5;*?"AG[TT(G,A[]8W6]+?)P
M1CCSMA64&>M:14SHW*Q#7A2)DCFA-TDD/RRS@/6S"-(R/55+'?)M4@:#F0I%
M<"^DB%E?E6T)CHBBLB>A73/3IQUS4=.+Y@EW:<JQ2,<Z7F8LB]_!A'YC>@SF
M'!:$\S];;PXV]C3)BR>MS(99/::C.5,K_MFDVP2Y3>;#6RB/;1$.8`,&#^%4
MV,-NA<>P*CPQ><*><5L&R2BGQKFAF-LUO(7];U!+!PAI*ZQ5%`$``,T!``!0
M2P,$%``(``@`,IU9)0```````````````!<```!J879A>"]S<&5E8V@O5V]R
M9"YC;&%S<VV46U/30!3'S_9.6[$BX&6\H.,X!81ZOX%(2(.DE*2F-Q"4"253
M@Y`P2:H^\H6<T1D89WS0-Q]\]M%/X:LSCF?;+*PA[<S9_^^<_^[I;C?Y\??+
M5XC"!+Q*0CT)C300&.N#"(S3<(.&"1HFX^!_F"!,1)B(,9%B(L?$"!.S3.SY
M@K`%(TS$F$@QD6-BA(E9)O8@"_?A5A8J,)>%)JA96(-B%EY"D4`T/UHB,)@?
M+6_I;_7"MFZU"U7/,:WV5+?8(#"4'UT-J\;RI5[Y>)'FA_,ALV@A,6U:IC=#
M("O,S6E20Q9JLJH0Z!.*)4FLR0T)/4*Q(6ES-%E?ELNRH*T02(F"5I05H4P@
M(ZI*J:Z(O9F4:IK@4TRT-PT")T3;<CW=\AKZ=@<Y791JDK8D*Y*&RQ9QQCJN
MA[T('L#)LFD92F=GPW!J^L8VV@="MZRH=>P05VL+=)5,19,J:E7N]4U6-+57
MSZ&J2-HZMZ&,G^H9TE6[X[2,>9-V2M:5145MTE_N[[EI.YN3M#V!TZ%'GV[I
MGM&V'=-P<:-MPQ,Y/H5<<6RK8[5,W3/Q%'J>ZJ[]QK#F;6>'0#]RTS$]CR5R
M1UW4C2VCY>$Z-/6^X.X:1NMU@?XFG+<;7-@--'=#FKN!YFZ@>=KEJIEW1R6X
M@G>>X!T>PA&O;_<9P'O;'=?\$6\TCN>@C'4"3[NY%++`<1IYGN,LLL1Q/W*)
MXQSR`L<#R$L<#R(_XG@8^2''9Y%ECL\C/^;X`O(LQY>0IS@>09[F^"KR,XZO
M(3_A^#KR`X[ST(<:GWJ,,YBYB",]Q_C89XA^ZKY31(R);G(<XW,H'%HCOG4?
M8A_^MY(SX?6S5?8A_#*SZ!V,5;H98$T'K+XRU4&LR:/V.<1GN^-9+^%Z.
MTMK8Y0.(!?9%^C&NP+U#;P2_U#M^`/'@&?S&^`+NAGD30>]/C*OAWF30^PWC
M8O<O4?X!4$L'"'7=TLS/`@``2`8``%!+`P04``@`"``@@%0E````````````
M````(@```&IA=F%X+W-P965C:"]3<&5E8VA%>&-E<'1I;VXN8VQA<W,[]6_7
M/@9F!ET&`78&/G8&?BX&1@96$,'&P\#)P`XB.!@9F#4TPQ@91#5\LA++$O5S
M$O/2]8-+BC+STJU!XFPVF7F9)7:,#"S.^2FIC`S\/IEYJ7ZEN4FI12&)23E`
M$:[@_-*BY%2W3!!')+@@-34YP[4B.;6@)#,_3P]D*".#,,)LN!0C@PQ(M$*_
M&*Q%'TTG@R(#$]"I(`"B@>X%DEQ`GB*0!HFS:FUG8-X(9#`R<`-)+J`RD"0+
M@SQ8.0=4N1)0'"3#IJ6]G8$%7;TN`RN#-E"$!VP-+P!02P<(&TV9\]@````R
M`0``4$L#!!0`"``(`"&`5"4````````````````@````:F%V87@O<W!E96-H
M+T5N9VEN94-E;G1R86PN8VQA<W-M3TL.`4$0K6)BXB^67(`%LY58^JP&"R[0
MTRJC)Z-'>GJ$JUDX@$.)ZA`V*JE4O5>O?H_G[0YE&$'+A[H/#1^:")-!F(BS
MN`3YB4@>@H6.E:95MJ<YY7(Z_%<-56ZG"-Z,50C=-SDC;8U(QTZ/4%M<))VL
MRG2.T`ZYOBZ.$9F=B%+NJ6VSPDA:*@<ZTI"P])O-E)L2I$+'P29*2#+5_U%;
MDH51]OK=@=#[<^;GH@KRTPC.T./5X#'R&;E88J]R7H+*"U!+!PAA:@(7P@``
M`!\!``!02P,$%``(``@`(8!4)0```````````````!\```!J879A>"]S<&5E
M8V@O075D:6]-86YA9V5R+F-L87-S._5OUSX&9@9=!AYV!DYV!BY&!GD-GZS$
MLL0*_>*"U-3D#'W'TI3,?)_,XI+4O-0B:\TP1@9!L)!O8EYB>FJ1'D@Q(P.+
M<WY**B,#OT]F7JI?:6Y2:E%(8E(.4(0K.+^T*#G5+1/$$4A,24$Q#R@$TJ^?
MDYB7KN^?E)6:7,+(((EI/]0R1@;AHM3<_+)4%$/8&!F8&!@90(")A9&!`^@?
M!B#-#:*!XNP@<086`%!+!PAD#@&PK````.H```!02P,$%``(``@`(8!4)0``
M`````````````"$```!J879A>"]S<&5E8V@O075D:6]%>&-E<'1I;VXN8VQA
M<W,[]6_7/@9F!ET&`78&/G8&?BX&)@96$,'&P\#)P`XB.!@9F#4TPQ@91#5\
MLA++$O5S$O/2]8-+BC+STJU!XFPVF7F9)7:,#,*.I2F9^:X5R:D%)9GY>7H@
MU8P,+,[Y*:F,#/P^F7FI?J6Y2:E%(8E).4`1KN#\TJ+D5+=,$$<:I+A"O[@@
M-34Y0Q_5($8&&1398#`%EV909&`$NA@$F(`LH+.!)#>0!Q)G!-*L6ML9F#<"
M&8P,/$"2"ZQ8A(&%00BLG`.J7`DH#I)AT]+>SL""KEZ1@95!'BC""[:&"P!0
M2P<(_<J*.-X````Y`0``4$L#!!0`"``(`"&`5"4````````````````>````
M:F%V87@O<W!E96-H+T5N9VEN945V96YT+F-L87-S;5-I:Q-1%#TOZV1M,M;8
MVD:;+C:+)M8=(X60CB4A)M)I^K5,DB&FI).23EI_BJ@_0`1A1$O!#XJ(B(H_
M1ZU^$.^;A#(=.G#/?>?<Y;UYR[=_[][#B2NX[@383PZ_./SF<,3A#X>_`F8$
M)`3,"I@3,"]@P8NL%SD_PACW$9SU(808AW-<FP@BCJD@-5X,XBJ202QQN(;S
M#,YDJLPPGDQ5MI0])==5M'9.UOL=K9UGB"4M:JVQI3;U?"FUP3`U##S.[>ZH
M:O-13M+:'4W-E\IE'O7<ZV@=?9G!5>RU5(90L:?MZHJF;RC=`?&(5%TM5:7-
M0J52*Q;6I15J>%(J55<WUR2Y5E\K2C*#.(JN2):2N%VT%85&\8>%NLSSPR-.
M*?4'7(@,5RWMJ9J>Y;_#P$IDM!]C%0I4!]L-M;^N-+JT9K_<&_2;ZOT.)]&V
MJE?5_6&]K"OZ2*MU6R<T1Z?%,''*3IESVD.RZ4:AL&;K'^[9F@=VE+ZR/3PK
M).BLPP`$3&(&BV"X2,Q!?A*S%NX@GK!P)_$Y"W<1G[=P-_$%"_=0!MT@&KOX
M)3(]'06F"2\0NT4=O>3%=&;Z$&/IQ`$-8^X#1%^3RI#B,:H!GE*O9PC@.:)X
M0I$,S33L$3?7#;C3;Q%]=5SF,<47A)=/317MJ6\(Z8Z/4O?)<[5(J9&7,+^[
M_)GQ%T5C_B\9LBS9$MD-LMNBUQ!]AB@8HM\0`X88--*'.&,<3S1+&PY\H!5]
M1`Z?:+K/N(DON(.OR.,[EO&#,M/FUEWZ#U!+!PBGG)*,1`(``-\#``!02P,$
M%``(``@`(8!4)0```````````````!X```!J879A>"]S<&5E8V@O4W!E96-H
M179E;G0N8VQA<W.-4UUO$D$4/0.%79:U(/VPVE9IU0I+Z?K]15MJFYJ0$'C`
M&(WQ8:$#;@L+6791_Y,/FE1J-/$'^*.,=T:H!7EH-CGW[KEGSKTS._OK]_>?
M""*+716W5=Q1L:/@D8+'"IXH>*H@IV!3@XHY#0KF!5P2L*`AA,L:IG`E@@@6
M-8*E".F61?6JAC"NZ4CCIH"4CKNX(>"6CGM8T?$`JSH>(J-C2V3;R.K(B^P9
MKC,$4^D"PTPJ73RT>I;9M)R&N=>TNMT<P^P(6_%<VVD0O98ZPY:KA[SFY28*
MU\\EW/7K=>Z2?&Z2_"7#_`2^(`HC_H.NY_4?RLDFO&D[MK?-,+77/N`,C`XD
M5K0=7O);5>Z^L*I-8A/_#\&@5=J^6^//;:&(5SJ<U][M][CC;0@Q6;UA"+U-
MMITDM;$Z'>X<,*@-[LDCIAJE!:(4BB6K128!FUYC8]^"O,>;CU!_-T,G-7GO
MM'59\#V[:<KQAAX+@O]@=N7@YIGY&:(=R[5:0^=P5VZ4AO?:0T[WG2.G_=Y)
M>A\[5%%Z5M/GY3I6("XG0`<J[AUE(<KH?A)CT-LJ`O0`82-S`NV+5*X3:I+-
MDWI+ZM<&^@SQ08I1J3>6OB+^;]&T+)5H49D,BL3>1W*P<)DB$^V-8\0_G2X)
M2_(5(?T0`^GB0!I,!#^/"6N$^5/A/O43;/8'E-=&']-]Q+YA]@31!.OC`C$7
M*20"(C]&H@^]CYEQRR/"#8H!F'\`4$L'""!GR(0F`@``%00``%!+`P04``@`
M"``RG5DE````````````````&0```&IA=F%X+W-P965C:"]%;F=I;F4N8VQA
M<W-M5%EOVD`0GB6`"8C2B#0]"$F3'H*V";TO>B%PJT00HA!XZ$NUF)'KR-AH
MO4[3O]:'_H#^J*IC!_!"S0.>[YB9G3'+G[^_?L,*[,$G#9YI\%R#%QJ\U."5
M!J\U>*/!VQ1<?M@L2,R"Y"S(3`,&TR!!X4JE>LB@7*FVS_@YOZAY$T3C>ZWA
MCRRWPQUNHJ@SV%[6=<>T'.RX(VRA9Y!C)]YQ+-P)"FFA5X_I,G`-/HRZT%D&
M#)*5P]GC*X/;E;BR;<N3Z%!2X%QMM-O=9N-4;S%8G\8'1U^^G>B];O^DJ?>H
M6)-.RB#?=!U/<D<.N.T3SK5T)7=CCI:R<Y=-]X.#,,CJ%P9.I$6E&#!:7J%-
MXI$_'J(XY4.;ZJ:/&_U>4%*C*OU.$&5[KB\,_&P%^AH?C18'89#AMDWKD"1G
M1QB!@HE2?1N43<SB_AD4YURT<097YFQ/SHNI2V>P&PQ5L[ECU@YL&TUN-X3I
MC]&1\S$9;"DF1Z(0_D3B2#%<C0S=X1D:DD$IHGIH^,*2/Y6$TO^_-D4MQKQR
M!ILQK))4CI'#L74A7)HT->&^1V76!8[=<US>?UJ@1W/3CB1Z2UO[P2V529.;
M;B/0]TW8A?MTC7;"Z[1*>%O!.<);"LX3OJ/@`N&*@M<(5Q5<A'R2P4,HTRUF
M\`AND7(O[)L`#3+$[<5P^[`1^FMP?:HEZ9DDYC'<")4G<"U\/J5^D2/(K<_K
MS9AWT^[O%SJE0NT#;"IN1LQ'*"FNX`^&P8-PEKO_`%!+!PBK?::K.0(``,0$
M``!02P,$%``(``@`(8!4)0```````````````",```!J879A>"]S<&5E8V@O
M16YG:6YE4W1A=&5%<G)O<BYC;&%S<SOU;]<^!F8&708!=@8^=@9^+@8F!E80
MP<;#P,G`#B(X&!F8-33#&!E$-7RR$LL2]7,2\]+U@TN*,O/2K4'B;#:9>9DE
M=HP,+,[Y*:E`=:YYZ9EYJ<$EB26IKD5%^45Z(&V,#/P^0%&_TMRDU**0Q*0<
MH$JNX/S2HN14MTP01Q:DJD*_N"`U-3E#']T,1@8)%/E@,`668E!D8`2Z&`28
M@"R@LX$D%Y`'$F<$TJQ:VQF8-P(9C`P\0)(+K%B2@85!'*R<`ZI<"2@.DF'3
MTM[.P(*N7IF!%6P@+]@:;@!02P<(^UR<OMP````Y`0``4$L#!!0`"``(`"&`
M5"4````````````````A````:F%V87@O<W!E96-H+T5N9VEN94QI<W1E;F5R
M+F-L87-S;5#!2@,Q%)S4U:!MW=8*(N+%DQYT/\!3L>MI45'QGMT^UBW;K&23
MTF_SX`?X46*2W5HJ)9!AYLV0S/O^^?S"#JYQS#'D..(8,5Q<)C.Q$,NH_B#*
MWJ-8YH6D6*E*Q0N2^O;JC>%\N^EO'MQ54V(8-7I2U)HDJ1N780@3JSV8>4KJ
M5:2E]1V\5$9E=%\X$I(/C<NRRH2F*</IAE+(_)EJ'Z@9ALUL0F+M/_NG;2:Z
MM&[$T&O8DS"UB_8;:NUF[OC`?3DJA<RCQW1&F68X\9+111GYPJMV]MTM.UE-
M]YC=-+.G`X`'MC-V`8O=%GLM]EL\1.`Q;/G`H<WOV[L#_@M02P<(+\]J_/X`
M``"\`0``4$L#!!0`"``(`"&`5"4````````````````@````:F%V87@O<W!E
M96-H+T5N9VEN94%D87!T97(N8VQA<W.%D$M+PT`4A<_T%>W#/GRU2A=U517-
MRI6BB%80BHH55VZFZ:6FI$F9),6_Y4IPX0_P1XEW$K&T%+*8,W//_4XR<[]_
M/K^0QA'J!C8-;!G8SD,@6\0J<@+I]OZSP%Z[.Y)3^6;Z$R+KU>RX0]NECE*>
MZDS)#4XUU%P._?=S9[9K!^<"F2MO0`*U&+@<R$E`ZEAG!<I=MN["<9_4D^P[
MC.5[7J@LNK%U4:8XXSB>)0,:"#3F'-L=/I(?!7R!:MR[)CGC=Q>\^42!9B\3
M*,;5@PQ]'2W%)>/A6-<5?673D>[0O.^/R`H$=I9,X.^!_.LES:[M!^220@LI
M'CL/',`*[SQ]UCQ7S<@'L@<?R+SS@2_&FHO,.NM:%-!H@U=*$XO8"6LY&;ME
MK21C%ZS59*S'6H.1A+VPKB=_K<6ZD8P=LI:B9N$74$L'""@4OOA"`0``VP(`
M`%!+`P04``@`"``B@%0E````````````````(P```&IA=F%X+W-P965C:"]%
M;F=I;F50<F]P97)T:65S+F-L87-S=9!-3L,P$(7?M"D1OZV$BH0$6Y0NP`?H
M,H)5!)5:L7>249HJL2/;+7"U+C@`AT+84'6!8!8SGN=O/$_^^-R^HX];C&*<
MQ#@E7"23;"4W4L@7)U+==EJQ<E-"/YD\$VZ2G]N<I;)B9G3'QKVE2ZDJSFKK
M6+&9!C!*=<F$\;VJ:L4[L&9[%\8)P\RKC^LV9[.0>>/)H[E>FX(?ZM!<RK+\
M^W'"><4NU<H9W>S]$4;?MAJ/BJ=\Q867KH/T*FS'7"S%;R.$*\.MWO!_>P:&
M+;L#0@^$$%'D76+@#X1C_VNAGNWZ(2)/$`Y][B'^`E!+!PB%U/SXZP```%@!
M``!02P,$%``(``@`(H!4)0```````````````"8```!J879A>"]S<&5E8V@O
M5F5N9&]R1&%T845X8V5P=&EO;BYC;&%S<SOU;]<^!F8&708!=@8^=@9^+@9&
M!E80P<;#P,G`#B(X&!F8-33#&!E$-7RR$LL2]7,2\]+U@TN*,O/2K4'B;#:9
M>9DE=HP,+,[Y*:F,#/P^F7FI?J6Y2:E%(8E).4`1KN#\TJ+D5+=,$$<B+#4O
M);_();$DT;4B.;6@)#,_3P]D,".##(BJT"\N2$U-SM`/!E-P-8P,"BC26(QA
M4&1@`KH=!$`TT`-`D@O(4P32('%6K>T,S!N!#$8&;B#)!53&P"#-P,(@"5;.
M`56N!!0'R;!I:6]G8$%7K\[`RJ`*%.$!6\,+`%!+!PC]8W.QY````$,!``!0
M2P,$%``(``@`)8!4)0```````````````"````!J879A>"]S<&5E8V@O075D
M:6],:7-T96YE<BYC;&%S<SOU;]<^!F8&708N=@9V=@8.=@9.1@8AQ]*4S'R?
MS.*2U+S4(KVLQ+)$1@9^G\R\5+_2W*34HI#$I)Q41@:NX/S2HN14MTP01P"D
M2C\G,2]=WS\I*S6YA)%!'"Q46I*9H^]:EII7`C.0D4$*)%.A7UR0FIJ<H8]B
M&QLCT#F,0,C$``*,#&Q`DHF!!0!02P<(2:JXTHL```"I````4$L#!!0`"``(
M`"6`5"4````````````````?````:F%V87@O<W!E96-H+T%U9&EO061A<'1E
M<BYC;&%S<V6.S0[!4!2$YRHM]5.6)")V2.@+B$0D5@T+8G_;GG"E6JE6O):5
MQ,(#>"AQVI7$9B;SS<G)O#_/%S2,81FH&:@;:)@0*-5@0!?0!L.=@#Y5H4IF
M`JUYZJMH[LMS0O'D**]2H+B(?!*P'!72*CVY%&^E&S`Q-U$:>[1466AFQW8@
MP[V]=H_D)0+M#-WLRYG(.]B_GP4Z_YVC+@F%%*./`B_D;4#N/)2UPJF;9Z`T
M>J!XSVN35<]AC[7*7D#Y"U!+!PBF#0UXO0```/4```!02P,$%``(``@`)8!4
M)0```````````````!X```!J879A>"]S<&5E8V@O4W!E96-H17)R;W(N8VQA
M<W,[]6_7/@9F!ET&`78&/G8&?BX&1@96$,'&P\#)P`XB.!@9F#4TPQ@91#5\
MLA++$O5S$O/2]8-+BC+STJU!XFPVF7F9)7:,#"S.^2FIC`S\/IEYJ7ZEN4FI
M12&)23E`$:[@_-*BY%2W3!!'(+@@-34YP[6H*+](#V0@4`?"7+`P(X,$2*1"
MOQBL5!])!X,B`Q/0>2``HH%N!))<0)XBD`:)LVIM9V#>"&0P,G`#22Z@,@8&
M#086!G6P<@ZH<B6@.$B&34M[.P,+NGI9!E8&&:`(#]@:7@!02P<(F#WKV=4`
M```F`0``4$L#!!0`"``(`"6`5"4````````````````=````:F%V87@O<W!E
M96-H+T%U9&EO179E;G0N8VQA<W-=4$U+PT`0?9O4Q*;1^M%6!2_BI4W1X$VL
M""(5"D4/$>^;9(E;VDU)D^)_\J(@%#SX`_Q1XB0I:-W#S)OW9MZP\_7]\0D=
M)VB9V#71L*#!J%(P<[1NPX9E8P=U&TU4&1KMSG#$Y]P=<Q6Y7II(%?486NT_
M[+T_$D':&W0>&0Y*X=F=384(GMR^BJ02I69<2B73*X;Z=1;*N#\7*CW-NQDJ
M-W$H&-B`Q"$-W&437R0/W!\3:WEQE@3B5N:%)D.&O94=OVX,^RN*5Z2E5)OR
MA$_*+^`(9(7\:81LU"AN4G5,Q]$IFT[W<`']C2##%D6K:._"0(<8NLURX(PR
MH]QTWE%Y*1S)CIZSP-KKO_%SPA?$;!=[-WX`4$L'"+<>*RT5`0``C0$``%!+
M`P04``@`"``F@%0E````````````````'0```&IA=F%X+W-P965C:"]%;F=I
M;F5,:7-T+F-L87-SC5+/3Q-1$/Y>]T=+6:&("Q:J@HBV2VM-3!H%)4$M"0F%
M&`D!HH=M^P*+_:';%D2]:/@#C,88"(G!:'KAPJ4DFAC/GCUYUYO_@CAO=X4$
M#:%-9MY\W[SYYLWLU]\?/T-"`G$_SOK1Y\>Y(!BT('S",!P3IB5(.:WB%!*F
M39CC&KIP0L,9=&KHA:ZA'V$-48'%T*%A`.T,4C0VYMAI!CTZ%AM?-)?,9,$L
MS2<GLXL\5QUBD`EWZ'])@?>X^*-DY0'GN85DNC1OE7BFG.>W>"5WI)0Y!O6:
M5;*JPZ1VDV"&5C=GW*I4+XJ[A(Q3/%$K9KD]968+E!.\4Z[9.3YJ.8&9SZ<+
MO,A+58:`65K)F-7<`D,3=\$1@D/.`VI5JY"<IO;+-D/G?QH3H@S=A[3,H!3=
M\EK9SG/[QE^U9IN+P7A1F\V+Y24^4BAXG57H&2Z6WN]*L_G#FF5S[Y)<L1YS
MVIB/EBA^"GG:)-ENBDZ1%[AB[$#>I@,C"%`=L)?^/0A[J;>IA$R^7[I>1]B(
M-.#_`FDB,=!`8`V*O+7J8Q&C@>;-W1_2UEZI+BH&I$CW"EHPB`X,X23%?1BF
M\N?I[);_3M^<G_SS3_#-[D#)>'Y"2LEUQ`Q==@4'E;#B2FKQL-*`6D=3PCFL
MRDR7W0:^D6N24DH=(2.N$^D7O,)T)>[POZ24*KB$KGJ<RG0UX7+[8QA%&]F7
M".`50GA-O;^AGM=@8!V7R%_&!JX2GL9;C&$3DWB'6?(<[W$?'U`C_PPOZ,Z%
MO7=.>6.,BD[E/,TR<G"6`0$$5WV[D8W=G]L')KF,(%;0CB=4[2FM9YEJ5TC!
M.+K"^N$*,Z0P1PIWJ=H]4I@AA2G*.$V<#Y$_4$L'"`QNTL&%`@``1`0``%!+
M`P04``@`"``F@%0E````````````````'P```&IA=F%X+W-P965C:"]%;F=I
M;F5#<F5A=&4N8VQA<W-M4,MJ`D$0K/8UOE^7$,PIIWC0_8"<1`P$1`_Z`[-C
MLUD99V6<%?-K.>0#_*B061?4@WUHJ*ZNHKK/?S^_*&*$OD!+H"W0$>@*]`A/
M;\/Y5A[E*3CLF=57,#-1;/B=4)HF&R;T\L'4LG0\SE8)]=E)\=[%B3D0.G-/
M+])=R'8M0^TE]5626L4?<0::ZJ+,70BOF4.@I8F"3ZTYDGIBHW3'QET]"=W;
MTC+<LG*$P6VT8I7:V'W?"9X?G)`G)KP\X*[2BK\3!61%)1\6%1!J'E7]OPCE
M2V]X7$#U'U!+!PC<"CZ&V@```$8!``!02P,$%``(``@`)H!4)0``````````
M`````",```!J879A>"]S<&5E8V@O16YG:6YE17)R;W)%=F5N="YC;&%S<W53
M;4_34!1^[C;:K2M#88PI+Z(BC`TH*I_$^`&L9`1GLBTD?E'OX%)JMK:YZ]#?
MY"=,S)9HX@_P1QG/;8E`*$UZS\OSG//<GIS^^?OS-])8QU8:2"UG\4C'FHYU
M'1LZ+!V;!J%W#&BXJ[Q)`QE,Y:"CJ'+3.8RAI(`9$PN85<><B0KNFZBB;**&
M)1-/E?<,RR:>H\Q0K*P>?.9GW.IRS[%:H70]9YMAYEJZ?2K]+[S3%82L56[R
M;[;8&9R<"$GTZ23Z(<-LG/]J]0,ACDXMVW-<3VS7]_<5NGD+FGBGN$1[Z7IN
M^(HAL^L?"X;Q7=_KA]P+#WEW0+%I-_;J#?NCW6R^:S(4KH8O%NFBL88MI2_M
M,^&%&TJ+@=49)@X(:0QZ'2';2I+8MTS':/D#>23>N(JD\2`0WC&).2*\TIYH
ME'@K^GWN$"WE$J64/$&&J00AAOF$\5Q>G:&<A"=!K<A<0/F`2]Z+]1GT0/HD
MUF/(AGZ<Q$-:,0VTG+A'_A(8%J.(QJZ6BOPT^0N8I_,!12NTG%FR^6IMKI0I
M:2/DOE/(\(1.@PJ!/;*O*;-*+>,B5<S(CE5_H'#^GZY%R2:=M,,7U':D!VP1
MU?R&Z*FI?R=^4?R%]/O)U`A9U6N(_!#&$!/GU1'&+SL7J`OP@;I^@H4.95>B
MKWK\#U!+!PB::S\Q]0$``)$#``!02P,$%``(``@`E814)0``````````````
M`",```!J879A>"]S<&5E8V@O4W!E96-H4&5R;6ES<VEO;BYC;&%S<SOU;]<^
M!F8&708!=@8^=@9^+@9&!E80P<;#P,G`#B(X&!E$-7RR$LL2]7,2\]+U@TN*
M,O/2K37#&!G4L8AC5\EFDYF766+'R,#BG)^2RLC`[Y.9E^I7FIN46A22F)0#
M%.$*SB\M2DYURP1Q1(,+4E.3,P)2BW(SBXLS\_/T0*8R,LB"#2].32XMRBRI
MU'=*+,Y,1BB"RE?H%X-UZZ,;PF#(P`3T&@B`:*#_@"07D*<$Y#,!:38M[>T,
MS!N!+$8&;B#)!1:-8&!E"`.KYX"J5P8&&3.09M?2UMG.P(*N(8N!C2$#*,(#
MMH@7`%!+!PAH6AZ'Z@```&0!``!02P$"%``4``@`"``TG5DE``````(`````
M````"0`$````````````````````345402U)3D8O_LH``%!+`0(4`!0`"``(
M`#6=626R?P+N&P```!D````4`````````````````#T```!-151!+4E.1B]-
M04Y)1D535"Y-1E!+`0(4`!0`"``(`"&`5"405)./HP```,`````F````````
M`````````)H```!J879A>"]S<&5E8V@O<WEN=&AE<VES+U-P96%K86)L92YC
M;&%S<U!+`0(4`!0`"``(`"&`5"4&K:P:3`0``"$(```K````````````````
M`)$!``!J879A>"]S<&5E8V@O<WEN=&AE<VES+U-P96%K86)L945V96YT+F-L
M87-S4$L!`A0`%``(``@`(8!4)4/N>C$'`0``N`$``"X`````````````````
M-@8``&IA=F%X+W-P965C:"]S>6YT:&5S:7,O4W!E86MA8FQE3&ES=&5N97(N
M8VQA<W-02P$"%``4``@`"``RG5DET&/,,Q@"``#*!```*```````````````
M``"9!P``:F%V87@O<W!E96-H+W-Y;G1H97-I<R]3>6YT:&5S:7IE<BYC;&%S
M<U!+`0(4`!0`"``(`"&`5"6SBT7AZ````$$!```J``````````````````<*
M``!J879A>"]S<&5E8V@O<WEN=&AE<VES+TI334Q%>&-E<'1I;VXN8VQA<W-0
M2P$"%``4``@`"``A@%0E*"U&QLD````G`0``,`````````````````!'"P``
M:F%V87@O<W!E96-H+W-Y;G1H97-I<R]3>6YT:&5S:7IE<DQI<W1E;F5R+F-L
M87-S4$L!`A0`%``(``@`(8!4)1,#ZCU.`0```P,``"T`````````````````
M;@P``&IA=F%X+W-P965C:"]S>6YT:&5S:7,O4W!E86MA8FQE061A<'1E<BYC
M;&%S<U!+`0(4`!0`"``(`"&`5"6DS*@D_@```,`!```O````````````````
M`!<.``!J879A>"]S<&5E8V@O<WEN=&AE<VES+U-Y;G1H97-I>F5R061A<'1E
M<BYC;&%S<U!+`0(4`!0`"``(`'QM524\YZ$Y*`0``%@(```B````````````
M`````'(/``!J879A>"]S<&5E8V@O<WEN=&AE<VES+U9O:6-E+F-L87-S4$L!
M`A0`%``(``@`(H!4)?R&?G&7`P``^`8``#``````````````````ZA,``&IA
M=F%X+W-P965C:"]S>6YT:&5S:7,O4WEN=&AE<VEZ97)-;V1E1&5S8RYC;&%S
M<U!+`0(4`!0`"``(`"*`5"7/IE;A]@$``!0#```M`````````````````-\7
M``!J879A>"]S<&5E8V@O<WEN=&AE<VES+U-Y;G1H97-I>F5R179E;G0N8VQA
M<W-02P$"%``4``@`"`!#3E<EQLEV'ST!``!A`@``,@`````````````````P
M&@``:F%V87@O<W!E96-H+W-Y;G1H97-I<R]3>6YT:&5S:7IE<E!R;W!E<G1I
M97,N8VQA<W-02P$"%``4``@`"``B@%0E*!E/9;$!``!_`P``,0``````````
M``````#-&P``:F%V87@O<W!E96-H+W-Y;G1H97-I<R]3>6YT:&5S:7IE<E%U
M975E271E;2YC;&%S<U!+`0(4`!0`"``(`"*`5"46TLJ"^@```,D!```O````
M`````````````-T=``!J879A>"]S<&5E8V@O<F5C;V=N:71I;VXO1&EC=&%T
M:6]N1W)A;6UA<BYC;&%S<U!+`0(4`!0`"``(`"*`5"5?4OV*M@$``"(#```F
M`````````````````#0?``!J879A>"]S<&5E8V@O<F5C;V=N:71I;VXO1W)A
M;6UA<BYC;&%S<U!+`0(4`!0`"``(`"*`5"4,U_+S(P,``#,&```K````````
M`````````#XA``!J879A>"]S<&5E8V@O<F5C;V=N:71I;VXO1W)A;6UA<D5V
M96YT+F-L87-S4$L!`A0`%``(``@`(H!4)8PK9[/=````1P$``"X`````````
M````````NB0``&IA=F%X+W-P965C:"]R96-O9VYI=&EO;B]'<F%M;6%R3&ES
M=&5N97(N8VQA<W-02P$"%``4``@`"``RG5DEQ(`Q`4,#``#@"```*0``````
M``````````#S)0``:F%V87@O<W!E96-H+W)E8V]G;FET:6]N+U)E8V]G;FEZ
M97(N8VQA<W-02P$"%``4``@`"``B@%0E4H+57>P!```Z!```+P``````````
M``````"-*0``:F%V87@O<W!E96-H+W)E8V]G;FET:6]N+T=R86UM87)%>&-E
M<'1I;VXN8VQA<W-02P$"%``4``@`"``B@%0EI)_YP.8```!%`0``+P``````
M``````````#6*P``:F%V87@O<W!E96-H+W)E8V]G;FET:6]N+U)E<W5L=%-T
M871E17)R;W(N8VQA<W-02P$"%``4``@`"``B@%0E%C`CO_0```!\`0``,0``
M```````````````9+0``:F%V87@O<W!E96-H+W)E8V]G;FET:6]N+U)E8V]G
M;FEZ97),:7-T96YE<BYC;&%S<U!+`0(4`!0`"``(`"*`5"51`-2Q(0(``,T%
M```J`````````````````&PN``!J879A>"]S<&5E8V@O<F5C;V=N:71I;VXO
M4G5L94=R86UM87(N8VQA<W-02P$"%``4``@`"``B@%0E[66L1Z,!```!!```
M+0````````````````#E,```:F%V87@O<W!E96-H+W)E8V]G;FET:6]N+U-P
M96%K97)-86YA9V5R+F-L87-S4$L!`A0`%``(``@`(X!4)=I8)]H3`0``]P$`
M`"T`````````````````XS(``&IA=F%X+W-P965C:"]R96-O9VYI=&EO;B]'
M<F%M;6%R061A<'1E<BYC;&%S<U!+`0(4`!0`"``(`".`5"5B%?[E+@$``',"
M```P`````````````````%$T``!J879A>"]S<&5E8V@O<F5C;V=N:71I;VXO
M4F5C;V=N:7IE<D%D87!T97(N8VQA<W-02P$"%``4``@`"``C@%0E.7URU9$!
M``#$`@``)0````````````````#=-0``:F%V87@O<W!E96-H+W)E8V]G;FET
M:6]N+U)E<W5L="YC;&%S<U!+`0(4`!0`"``(`".`5"4APOA_!0$``)X!```M
M`````````````````,$W``!J879A>"]S<&5E8V@O<F5C;V=N:71I;VXO4F5S
M=6QT3&ES=&5N97(N8VQA<W-02P$"%``4``@`"``D@%0E!P3>_D@!``#)`@``
M+``````````````````A.0``:F%V87@O<W!E96-H+W)E8V]G;FET:6]N+U)E
M<W5L=$%D87!T97(N8VQA<W-02P$"%``4``@`"``D@%0ER<,G_F0#```'!@``
M*@````````````````##.@``:F%V87@O<W!E96-H+W)E8V]G;FET:6]N+U)E
M<W5L=$5V96YT+F-L87-S4$L!`A0`%``(``@`)(!4)>0?6J3O````2`$``",`
M````````````````?SX``&IA=F%X+W-P965C:"]R96-O9VYI=&EO;B]2=6QE
M+F-L87-S4$L!`A0`%``(``@`)(!4):JD/^@#!P``5PT``"<`````````````
M````OS\``&IA=F%X+W-P965C:"]R96-O9VYI=&EO;B]2=6QE3F%M92YC;&%S
M<U!+`0(4`!0`"``(`"2`5"6SA+_2P0,``#8'```K`````````````````!='
M``!J879A>"]S<&5E8V@O<F5C;V=N:71I;VXO4G5L95-E<75E;F-E+F-L87-S
M4$L!`A0`%``(``@`)(!4);7;3+K+!0``!0L``"\`````````````````,4L`
M`&IA=F%X+W-P965C:"]R96-O9VYI=&EO;B]2=6QE06QT97)N871I=F5S+F-L
M87-S4$L!`A0`%``(``@`)(!4)0S67&_,`@``[00``"@`````````````````
M65$``&IA=F%X+W-P965C:"]R96-O9VYI=&EO;B]2=6QE5&]K96XN8VQA<W-0
M2P$"%``4``@`"``D@%0ER?^V1H@$``#0"0``,0````````````````![5```
M:F%V87@O<W!E96-H+W)E8V]G;FET:6]N+U)E8V]G;FEZ97)-;V1E1&5S8RYC
M;&%S<U!+`0(4`!0`"``(`"6`5"4!GENW004``!@+```H````````````````
M`&)9``!J879A>"]S<&5E8V@O<F5C;V=N:71I;VXO4G5L95!A<G-E+F-L87-S
M4$L!`A0`%``(``@`)8!4);D0!8=W`P``VP8``"8`````````````````^5X`
M`&IA=F%X+W-P965C:"]R96-O9VYI=&EO;B]2=6QE5&%G+F-L87-S4$L!`A0`
M%``(``@`)8!4)9@$/OM?`P``X`8``"@`````````````````Q&(``&IA=F%X
M+W-P965C:"]R96-O9VYI=&EO;B]2=6QE0V]U;G0N8VQA<W-02P$"%``4``@`
M"``E@%0E#>KB?+L!``")`P``*@````````````````!Y9@``:F%V87@O<W!E
M96-H+W)E8V]G;FET:6]N+T9I;F%L4F5S=6QT+F-L87-S4$L!`A0`%``(``@`
M)8!4)0$!=C4P`0``10(``"X`````````````````C&@``&IA=F%X+W-P965C
M:"]R96-O9VYI=&EO;B]&:6YA;%)U;&5297-U;'0N8VQA<W-02P$"%``4``@`
M"``E@%0E<*4+^?P```#@`0``,P`````````````````8:@``:F%V87@O<W!E
M96-H+W)E8V]G;FET:6]N+T9I;F%L1&EC=&%T:6]N4F5S=6QT+F-L87-S4$L!
M`A0`%``(``@`)8!4):RJW.#3`0``%P,``"H`````````````````=6L``&IA
M=F%X+W-P965C:"]R96-O9VYI=&EO;B]297-U;'14;VME;BYC;&%S<U!+`0(4
M`!0`"``(`"6`5"6V&GK"M`(``/X$```N`````````````````*!M``!J879A
M>"]S<&5E8V@O<F5C;V=N:71I;VXO4F5C;V=N:7IE<D5V96YT+F-L87-S4$L!
M`A0`%``(``@`)8!4)6>I:G#3````30$``#8`````````````````L'```&IA
M=F%X+W-P965C:"]R96-O9VYI=&EO;B]296-O9VYI>F5R075D:6],:7-T96YE
M<BYC;&%S<U!+`0(4`!0`"``(`"6`5"62S0O3"0$```L"```U````````````
M`````.=Q``!J879A>"]S<&5E8V@O<F5C;V=N:71I;VXO4F5C;V=N:7IE<D%U
M9&EO061A<'1E<BYC;&%S<U!+`0(4`!0`"``(`"6`5"7W'?PIX@$``'H#```R
M`````````````````%-S``!J879A>"]S<&5E8V@O<F5C;V=N:71I;VXO1W)A
M;6UA<E-Y;G1A>$1E=&%I;"YC;&%S<U!+`0(4`!0`"``(`"6`5"5)]+;-E`$`
M`%H#```S`````````````````)5U``!J879A>"]S<&5E8V@O<F5C;V=N:71I
M;VXO4F5C;V=N:7IE<E!R;W!E<G1I97,N8VQA<W-02P$"%``4``@`"``E@%0E
M6B":R-\"``"4!0``+0````````````````"*=P``:F%V87@O<W!E96-H+W)E
M8V]G;FET:6]N+U-P96%K97)0<F]F:6QE+F-L87-S4$L!`A0`%``(``@`)8!4
M)8TARG5.`@``%00``#,`````````````````Q'H``&IA=F%X+W-P965C:"]R
M96-O9VYI=&EO;B]296-O9VYI>F5R075D:6]%=F5N="YC;&%S<U!+`0(4`!0`
M"``(`""`5"7$\35C-@L``+07```:`````````````````'-]``!J879A>"]S
M<&5E8V@O0V5N=')A;"YC;&%S<U!+`0(4`!0`"``(`""`5"6/SAUEVP```#L!
M```B`````````````````/&(``!J879A>"]S<&5E8V@O16YG:6YE17AC97!T
M:6]N+F-L87-S4$L!`A0`%``(``@`((!4)7,#`SO0`P``3`@``"$`````````
M````````'(H``&IA=F%X+W-P965C:"]%;F=I;F5-;V1E1&5S8RYC;&%S<U!+
M`0(4`!0`"``(`""`5"5I*ZQ5%`$``,T!```?`````````````````#N.``!J
M879A>"]S<&5E8V@O5F]C86)-86YA9V5R+F-L87-S4$L!`A0`%``(``@`,IU9
M)77=TLS/`@``2`8``!<`````````````````G(\``&IA=F%X+W-P965C:"]7
M;W)D+F-L87-S4$L!`A0`%``(``@`((!4)1M-F?/8````,@$``"(`````````
M````````L)(``&IA=F%X+W-P965C:"]3<&5E8VA%>&-E<'1I;VXN8VQA<W-0
M2P$"%``4``@`"``A@%0E86H"%\(````?`0``(`````````````````#8DP``
M:F%V87@O<W!E96-H+T5N9VEN94-E;G1R86PN8VQA<W-02P$"%``4``@`"``A
M@%0E9`X!L*P```#J````'P````````````````#HE```:F%V87@O<W!E96-H
M+T%U9&EO36%N86=E<BYC;&%S<U!+`0(4`!0`"``(`"&`5"7]RHHXW@```#D!
M```A`````````````````.&5``!J879A>"]S<&5E8V@O075D:6]%>&-E<'1I
M;VXN8VQA<W-02P$"%``4``@`"``A@%0EIYR2C$0"``#?`P``'@``````````
M```````.EP``:F%V87@O<W!E96-H+T5N9VEN945V96YT+F-L87-S4$L!`A0`
M%``(``@`(8!4)2!GR(0F`@``%00``!X`````````````````GID``&IA=F%X
M+W-P965C:"]3<&5E8VA%=F5N="YC;&%S<U!+`0(4`!0`"``(`#*=626K?::K
M.0(``,0$```9`````````````````!"<``!J879A>"]S<&5E8V@O16YG:6YE
M+F-L87-S4$L!`A0`%``(``@`(8!4)?M<G+[<````.0$``",`````````````
M````D)X``&IA=F%X+W-P965C:"]%;F=I;F53=&%T945R<F]R+F-L87-S4$L!
M`A0`%``(``@`(8!4)2_/:OS^````O`$``"$`````````````````O9\``&IA
M=F%X+W-P965C:"]%;F=I;F5,:7-T96YE<BYC;&%S<U!+`0(4`!0`"``(`"&`
M5"4H%+[X0@$``-L"```@``````````````````JA``!J879A>"]S<&5E8V@O
M16YG:6YE061A<'1E<BYC;&%S<U!+`0(4`!0`"``(`"*`5"6%U/SXZP```%@!
M```C`````````````````)JB``!J879A>"]S<&5E8V@O16YG:6YE4')O<&5R
M=&EE<RYC;&%S<U!+`0(4`!0`"``(`"*`5"7]8W.QY````$,!```F````````
M`````````-:C``!J879A>"]S<&5E8V@O5F5N9&]R1&%T845X8V5P=&EO;BYC
M;&%S<U!+`0(4`!0`"``(`"6`5"5)JKC2BP```*D````@````````````````
M``ZE``!J879A>"]S<&5E8V@O075D:6],:7-T96YE<BYC;&%S<U!+`0(4`!0`
M"``(`"6`5"6F#0UXO0```/4````?`````````````````.>E``!J879A>"]S
M<&5E8V@O075D:6]!9&%P=&5R+F-L87-S4$L!`A0`%``(``@`)8!4)9@]Z]G5
M````)@$``!X`````````````````\:8``&IA=F%X+W-P965C:"]3<&5E8VA%
M<G)O<BYC;&%S<U!+`0(4`!0`"``(`"6`5"6W'BLM%0$``(T!```=````````
M`````````!*H``!J879A>"]S<&5E8V@O075D:6]%=F5N="YC;&%S<U!+`0(4
M`!0`"``(`":`5"4,;M+!A0(``$0$```=`````````````````'*I``!J879A
M>"]S<&5E8V@O16YG:6YE3&ES="YC;&%S<U!+`0(4`!0`"``(`":`5"7<"CZ&
MV@```$8!```?`````````````````$*L``!J879A>"]S<&5E8V@O16YG:6YE
M0W)E871E+F-L87-S4$L!`A0`%``(``@`)H!4)9IK/S'U`0``D0,``",`````
M````````````::T``&IA=F%X+W-P965C:"]%;F=I;F5%<G)O<D5V96YT+F-L
M87-S4$L!`A0`%``(``@`E814)6A:'H?J````9`$``",`````````````````
MKZ\``&IA=F%X+W-P965C:"]3<&5E8VA097)M:7-S:6]N+F-L87-S4$L%!@``
0``!,`$P`8QD``.JP`````"]3
`
end
SHAR_EOF
(set 20 01 12 20 08 39 06 'jsapi.jar'; eval "$shar_touch") &&
chmod 0664 'jsapi.jar' ||
$echo 'restore of' 'jsapi.jar' 'failed'
if ( md5sum --help 2>&1 | grep 'sage: md5sum \[' ) >/dev/null 2>&1 \
&& ( md5sum --version 2>&1 | grep -v 'textutils 1.12' ) >/dev/null; then
md5sum -c << SHAR_EOF >/dev/null 2>&1 \
|| $echo 'jsapi.jar:' 'MD5 check failed'
38d26ea55db20966bb1d747f4027c224 jsapi.jar
SHAR_EOF
else
shar_count="`LC_ALL= LC_CTYPE= LANG= wc -c < 'jsapi.jar'`"
test 51811 -eq "$shar_count" ||
$echo 'jsapi.jar:' 'original size' '51811,' 'current size' "$shar_count!"
fi
fi
rm -fr _sh01451
exit 0
| 12nosanshiro-pi4j-sample | Relay.by.http/lib/jsapi.sh | Shell | mit | 84,305 |
#!/bin/bash
CP=./classes
CP=$CP:$PI4J_HOME/lib/pi4j-core.jar
CP=$CP:./lib/javax.mail_1.1.0.0_1-4-4.jar
CP=$CP:./lib/json.jar
#
java -classpath $CP relay.email.PIControllerMain $*
| 12nosanshiro-pi4j-sample | Relay.by.email/run | Shell | mit | 179 |
@echo off
@setlocal
set JDEV_HOME=D:\Oracle\Middleware\11.1.1.7
set CP=.\classes
set CP=%CP%;%JDEV_HOME%\oracle_common\modules\javax.mail.jar
set CP=%CP%;..\lib\json.jar
::
:: -Dverbose=true
java -classpath %CP% relay.email.SampleMain %*
@endlocal
| 12nosanshiro-pi4j-sample | Relay.by.email/run.bat | Batchfile | mit | 248 |
package relay.gpio;
import com.pi4j.io.gpio.GpioController;
import com.pi4j.io.gpio.GpioFactory;
import com.pi4j.io.gpio.GpioPinDigitalInput;
import com.pi4j.io.gpio.PinPullResistance;
import com.pi4j.io.gpio.RaspiPin;
import com.pi4j.io.gpio.event.GpioPinDigitalStateChangeEvent;
import com.pi4j.io.gpio.event.GpioPinListenerDigital;
public class GPIOController
{
private GpioController gpio = null;
private OneRelay relay = null;
public GPIOController()
{
this.gpio = GpioFactory.getInstance();
this.relay = new OneRelay(this.gpio, RaspiPin.GPIO_00, "Relay01");
}
public void shutdown()
{
this.gpio.shutdown();
}
public void switchRelay(boolean on)
{
if (on)
relay.on();
else
relay.off();
}
}
| 12nosanshiro-pi4j-sample | Relay.by.email/src/relay/gpio/GPIOController.java | Java | mit | 764 |
package relay.gpio;
import com.pi4j.io.gpio.GpioController;
import com.pi4j.io.gpio.GpioPinDigitalOutput;
import com.pi4j.io.gpio.Pin;
import com.pi4j.io.gpio.PinState;
public class OneRelay
{
private GpioPinDigitalOutput led = null;
private String name;
public OneRelay(GpioController gpio, Pin pin, String name)
{
this.name = name;
led = gpio.provisionDigitalOutputPin(pin, name, PinState.HIGH); // Begin HIGH for a relay
}
public void on()
{
if ("true".equals(System.getProperty("verbose", "false")))
System.out.println(this.name + " is on.");
led.low();
}
public void off()
{
if ("true".equals(System.getProperty("verbose", "false")))
System.out.println(this.name + " is off.");
led.high();
}
}
| 12nosanshiro-pi4j-sample | Relay.by.email/src/relay/gpio/OneRelay.java | Java | mit | 769 |
package relay.gpio;
import com.pi4j.io.gpio.event.GpioPinDigitalStateChangeEvent;
public interface RaspberryPIEventListener
{
public void manageEvent(GpioPinDigitalStateChangeEvent event);
}
| 12nosanshiro-pi4j-sample | Relay.by.email/src/relay/gpio/RaspberryPIEventListener.java | Java | mit | 195 |
package relay;
import java.text.SimpleDateFormat;
import java.util.Date;
import java.util.List;
import org.json.JSONObject;
import relay.email.EmailReceiver;
import relay.email.EmailSender;
public class SampleMain
{
private final static SimpleDateFormat SDF = new SimpleDateFormat("yyyy-MMM-dd HH:mm:ss");
private static boolean verbose = "true".equals(System.getProperty("verbose", "false"));
/**
* Invoked like:
* java pi4j.email.SampleMain [-verbose] -send:google -receive:yahoo
*
* This will send emails using google, and receive using yahoo.
* Do check the file email.properties for the different values associated with email servers.
*
* NO GPIO INTERACTION in this one.
*
* @param args See above
*/
public static void main(String[] args)
{
// String provider = "yahoo";
String providerSend = "oracle";
// String provider = "oracle";
// provider = "yahoo";
String providerReceive = "oracle";
// provider = "oracle";
for (int i=0; i<args.length; i++)
{
if ("-verbose".equals(args[i]))
{
verbose = true;
System.setProperty("verbose", "true");
}
else if (args[i].startsWith("-send:"))
providerSend = args[i].substring("-send:".length());
else if (args[i].startsWith("-receive:"))
providerReceive =args[i].substring("-receive:".length());
else if ("-help".equals(args[i]))
{
System.out.println("Usage:");
System.out.println(" java pi4j.email.SampleMain -verbose -send:google -receive:yahoo -help");
System.exit(0);
}
}
final EmailSender sender = new EmailSender(providerSend);
Thread senderThread = new Thread()
{
public void run()
{
try
{
for (int i=0; i<10; i++)
{
System.out.println("Sending...");
sender.send(new String[] { "olivier@lediouris.net",
"webmaster@lediouris.net",
"olivier.lediouris@gmail.com",
"olivier_le_diouris@yahoo.com",
"olivier.lediouris@oracle.com" },
"PI Request",
"{ operation: 'see-attached-" + Integer.toString(i + 1) + "' }",
"P8150115.JPG");
System.out.println("Sent.");
Thread.sleep(60000L); // 1 minute
}
System.out.println("Exiting...");
sender.send(new String[] { "olivier@lediouris.net",
"webmaster@lediouris.net",
"olivier.lediouris@gmail.com",
"olivier_le_diouris@yahoo.com",
"olivier.lediouris@oracle.com" },
"PI Request",
"{ operation: 'exit' }");
System.out.println("Bye.");
}
catch (Exception ex)
{
ex.printStackTrace();
}
}
};
senderThread.start(); // Bombarding
if (args.length > 1)
providerSend = args[1];
EmailReceiver receiver = new EmailReceiver(providerReceive); // For Google, pop must be explicitely enabled at the account level
try
{
boolean keepLooping = true;
while (keepLooping)
{
List<String> received = receiver.receive();
if (verbose || received.size() > 0)
System.out.println(SDF.format(new Date()) + " - Retrieved " + received.size() + " message(s).");
for (String s : received)
{
// System.out.println(s);
String operation = "";
try
{
JSONObject json = new JSONObject(s);
operation = json.getString("operation");
}
catch (Exception ex)
{
System.err.println(ex.getMessage());
System.err.println("Message is [" + s + "]");
}
if ("exit".equals(operation))
{
keepLooping = false;
System.out.println("Will exit next batch.");
// break;
}
else
{
System.out.println("Operation: [" + operation + "], sent for processing.");
try { Thread.sleep(1000L); } catch (InterruptedException ie) { ie.printStackTrace(); }
}
}
}
System.out.println("Done.");
}
catch (Exception ex)
{
ex.printStackTrace();
}
}
}
| 12nosanshiro-pi4j-sample | Relay.by.email/src/relay/SampleMain.java | Java | mit | 4,644 |
package relay.email;
import java.io.BufferedReader;
import java.io.File;
import java.io.FileInputStream;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.OutputStream;
import java.util.ArrayList;
import java.util.List;
import java.util.Properties;
import java.util.Set;
import javax.mail.Address;
import javax.mail.Flags;
import javax.mail.Folder;
import javax.mail.Message;
import javax.mail.Multipart;
import javax.mail.Part;
import javax.mail.PasswordAuthentication;
import javax.mail.Session;
import javax.mail.Store;
import javax.mail.internet.InternetAddress;
import javax.mail.search.AndTerm;
import javax.mail.search.FlagTerm;
import javax.mail.search.FromStringTerm;
import javax.mail.search.OrTerm;
import javax.mail.search.SearchTerm;
import javax.mail.search.SubjectTerm;
public class EmailReceiver
{
private static String protocol;
private static int outgoingPort;
private static int incomingPort;
private static String username;
private static String password;
private static String outgoing;
private static String incoming;
private static String replyto;
private static boolean smtpauth;
private static String sendEmailsTo;
private static String acceptEmailsFrom;
private static String acceptSubject;
private static String ackSubject;
private static boolean verbose = "true".equals(System.getProperty("verbose", "false"));
private EmailSender emailSender = null; // For Ack
private String provider = null;
public EmailReceiver(String provider) throws RuntimeException
{
this.provider = provider;
EmailReceiver.protocol = "";
EmailReceiver.outgoingPort = 0;
EmailReceiver.incomingPort = 0;
EmailReceiver.username = "";
EmailReceiver.password = "";
EmailReceiver.outgoing = "";
EmailReceiver.incoming = "";
EmailReceiver.replyto = "";
EmailReceiver.smtpauth = false;
EmailReceiver.sendEmailsTo = "";
EmailReceiver.acceptEmailsFrom = "";
EmailReceiver.acceptSubject = "";
EmailReceiver.ackSubject = "";
Properties props = new Properties();
String propFile = "email.properties";
try
{
FileInputStream fis = new FileInputStream(propFile);
props.load(fis);
}
catch (Exception e)
{
System.out.println("email.properies file problem...");
throw new RuntimeException("File not found:email.properies");
}
EmailReceiver.sendEmailsTo = props.getProperty("pi.send.emails.to");
EmailReceiver.acceptEmailsFrom = props.getProperty("pi.accept.emails.from");
EmailReceiver.acceptSubject = props.getProperty("pi.email.subject");
EmailReceiver.ackSubject = props.getProperty("pi.ack.subject");
EmailReceiver.protocol = props.getProperty("pi." + (provider != null ? (provider + ".") : "") + "mail.protocol");
EmailReceiver.outgoingPort = Integer.parseInt(props.getProperty("pi." + (provider != null ? (provider + ".") : "") + "outgoing.server.port", "0"));
EmailReceiver.incomingPort = Integer.parseInt(props.getProperty("pi." + (provider != null ? (provider + ".") : "") + "incoming.server.port", "0"));
EmailReceiver.username = props.getProperty("pi." + (provider != null ? (provider + ".") : "") + "mail.username", "");
EmailReceiver.password = props.getProperty("pi." + (provider != null ? (provider + ".") : "") + "mail.password", "");
EmailReceiver.outgoing = props.getProperty("pi." + (provider != null ? (provider + ".") : "") + "outgoing.server", "");
EmailReceiver.incoming = props.getProperty("pi." + (provider != null ? (provider + ".") : "") + "incoming.server", "");
EmailReceiver.replyto = props.getProperty("pi." + (provider != null ? (provider + ".") : "") + "mail.replyto", "");
EmailReceiver.smtpauth = "true".equals(props.getProperty("pi." + (provider != null ? (provider + ".") : "") + "mail.smtpauth", "false"));
if (verbose)
{
System.out.println("Protocol:" + EmailReceiver.protocol);
System.out.println("Usr/pswd:" + EmailReceiver.username + "/" + EmailReceiver.password);
}
}
private static SearchTerm[] buildSearchTerm(String str)
{
String[] sa = str.split(",");
List<SearchTerm> lst = new ArrayList<SearchTerm>();
for (String s : sa)
lst.add(new FromStringTerm(s.trim()));
SearchTerm[] sta = new SearchTerm[lst.size()];
sta = lst.toArray(sta);
return sta;
}
private Properties setProps()
{
Properties props = new Properties();
props.put("mail.debug", verbose?"true":"false");
// TASK smtp should be irrelevant for a receiver
props.put("mail.smtp.host", EmailReceiver.outgoing);
props.put("mail.smtp.port", Integer.toString(EmailReceiver.outgoingPort));
props.put("mail.smtp.auth", "true");
props.put("mail.smtp.starttls.enable", "true"); // See http://www.oracle.com/technetwork/java/faq-135477.html#yahoomail
// props.put("mail.smtp.starttls.required", "true");
props.put("mail.smtp.ssl.enable", "true");
if ("pop3".equals(EmailReceiver.protocol))
{
props.setProperty("mail.pop3.socketFactory.class", "javax.net.ssl.SSLSocketFactory");
props.setProperty("mail.pop3.socketFactory.fallback", "false");
props.setProperty("mail.pop3.port", Integer.toString(EmailReceiver.incomingPort));
props.setProperty("mail.pop3.socketFactory.port", Integer.toString(EmailReceiver.incomingPort));
}
if ("imap".equals(protocol))
{
props.setProperty("mail.imap.starttls.enable", "false");
// Use SSL
props.setProperty("mail.imap.socketFactory.class", "javax.net.ssl.SSLSocketFactory");
props.setProperty("mail.imap.socketFactory.fallback", "false");
props.setProperty("mail.imap.port", Integer.toString(EmailReceiver.incomingPort));
props.setProperty("mail.imap.socketFactory.port", Integer.toString(EmailReceiver.incomingPort));
props.setProperty("mail.imaps.class", "com.sun.mail.imap.IMAPSSLStore");
}
return props;
}
public boolean isAuthRequired()
{
return EmailReceiver.smtpauth;
}
public String getUserName()
{
return EmailReceiver.username;
}
public String getPassword()
{
return EmailReceiver.password;
}
public String getReplyTo()
{
return EmailReceiver.replyto;
}
public String getIncomingServer()
{
return EmailReceiver.incoming;
}
public String getOutgoingServer()
{
return EmailReceiver.outgoing;
}
public List<String> receive()
throws Exception
{
return receive(null);
}
public List<String> receive(String dir)
throws Exception
{
if (verbose) System.out.println("Receiving...");
List<String> messList = new ArrayList<String>();
Store store = null;
Folder folder = null;
try
{
// Properties props = System.getProperties();
Properties props = setProps();
if (verbose)
{
Set<Object> keys = props.keySet();
for (Object o : keys)
System.out.println(o.toString() + ":" + props.get(o).toString());
}
if (verbose) System.out.println("Getting session...");
// Session session = Session.getInstance(props, null);
Session session = Session.getInstance(props,
new javax.mail.Authenticator()
{
protected PasswordAuthentication getPasswordAuthentication()
{
return new PasswordAuthentication(username, password);
}
});
session.setDebug(verbose);
if (verbose) System.out.println("Session established.");
store = session.getStore(EmailReceiver.protocol);
if (EmailReceiver.incomingPort == 0)
store.connect(EmailReceiver.incoming, EmailReceiver.username, EmailReceiver.password);
else
store.connect(EmailReceiver.incoming, EmailReceiver.incomingPort, EmailReceiver.username,
EmailReceiver.password);
if (verbose) System.out.println("Connected to store");
folder = store.getDefaultFolder();
if (folder == null)
throw new RuntimeException("No default folder");
folder = store.getFolder("INBOX");
if (folder == null)
throw new RuntimeException("No INBOX");
folder.open(Folder.READ_WRITE);
if (verbose) System.out.println("Connected... filtering, please wait.");
SearchTerm st = new AndTerm(new SearchTerm[] { new OrTerm(buildSearchTerm(sendEmailsTo)),
new SubjectTerm(acceptSubject),
new FlagTerm(new Flags(Flags.Flag.SEEN), false) });
// st = new SubjectTerm("PI Request");
Message msgs[] = folder.search(st);
// Message msgs[] = folder.getMessages();
if (verbose) System.out.println("Search completed, " + msgs.length + " message(s).");
for (int msgNum=0; msgNum<msgs.length; msgNum++)
{
try
{
Message mess = msgs[msgNum];
Address from[] = mess.getFrom();
String sender = "";
try
{
sender = from[0].toString();
}
catch(Exception exception)
{
exception.printStackTrace();
}
// System.out.println("Message from [" + sender + "], subject [" + subject + "], content [" + mess.getContent().toString().trim() + "]");
if (true)
{
if (!mess.isSet(javax.mail.Flags.Flag.SEEN) &&
!mess.isSet(javax.mail.Flags.Flag.DELETED))
{
String txtMess = printMessage(mess, dir);
messList.add(txtMess);
mess.setFlag(javax.mail.Flags.Flag.SEEN, true);
mess.setFlag(javax.mail.Flags.Flag.DELETED, true);
// Send an ack - by email.
if (this.emailSender == null)
this.emailSender = new EmailSender(this.provider);
this.emailSender.send(new String[] { sender },
ackSubject,
"Your request [" + txtMess.trim() + "] is being taken care of.");
if (verbose) System.out.println("Sent an ack to " + sender);
}
else
{
if (verbose) System.out.println("Old message in your inbox..., received " + mess.getReceivedDate().toString());
}
}
}
catch(Exception ex)
{
// System.err.println(ex.getMessage());
ex.printStackTrace();
}
}
}
catch(Exception ex)
{
throw ex;
}
finally
{
try
{
if (folder != null)
folder.close(true);
if (store != null)
store.close();
}
catch(Exception ex2)
{
System.err.println("Finally ...");
ex2.printStackTrace();
}
}
return messList;
}
public static String printMessage(Message message, String dir)
{
String ret = "";
try
{
String from = ((InternetAddress)message.getFrom()[0]).getPersonal();
if(from == null)
from = ((InternetAddress)message.getFrom()[0]).getAddress();
if (verbose) System.out.println("From: " + from);
String subject = message.getSubject();
if (verbose) System.out.println("Subject: " + subject);
Part messagePart = message;
Object content = messagePart.getContent();
if (content instanceof Multipart)
{
// messagePart = ((Multipart)content).getBodyPart(0);
int nbParts = ((Multipart)content).getCount();
if (verbose) System.out.println("[ Multipart Message ], " + nbParts + " part(s).");
for (int i=0; i<nbParts; i++)
{
messagePart = ((Multipart)content).getBodyPart(i);
if (messagePart.getContentType().toUpperCase().startsWith("APPLICATION/OCTET-STREAM"))
{
if (verbose) System.out.println(messagePart.getContentType() + ":" + messagePart.getFileName());
InputStream is = messagePart.getInputStream();
String newFileName = "";
if (dir != null)
newFileName = dir + File.separator;
newFileName += messagePart.getFileName();
FileOutputStream fos = new FileOutputStream(newFileName);
ret = messagePart.getFileName();
if (verbose) System.out.println("Downloading " + messagePart.getFileName() + "...");
copy(is, fos);
if (verbose) System.out.println("...done.");
}
else // text/plain, text/html
{
if (verbose) System.out.println("-- Part #" + i + " --, " + messagePart.getContentType().replace('\n', ' ').replace('\r', ' ').replace("\b", "").trim());
InputStream is = messagePart.getInputStream();
BufferedReader br = new BufferedReader(new InputStreamReader(is));
String line = "";
while (line != null)
{
line = br.readLine();
if (line != null)
{
if (verbose) System.out.println("[" + line + "]");
if (messagePart.getContentType().toUpperCase().startsWith("TEXT/PLAIN"))
ret += line;
}
}
br.close();
if (verbose) System.out.println("-------------------");
}
}
}
else
{
// System.out.println(" .Message is a " + content.getClass().getName());
// System.out.println("Content:");
// System.out.println(content.toString());
ret = content.toString();
}
if (verbose) System.out.println("-----------------------------");
}
catch(Exception ex)
{
ex.printStackTrace();
}
return ret;
}
private static void copy(InputStream in, OutputStream out)
throws IOException
{
synchronized(in)
{
synchronized(out)
{
byte buffer[] = new byte[256];
while (true)
{
int bytesRead = in.read(buffer);
if(bytesRead == -1)
break;
out.write(buffer, 0, bytesRead);
}
}
}
}
}
| 12nosanshiro-pi4j-sample | Relay.by.email/src/relay/email/EmailReceiver.java | Java | mit | 14,397 |
package relay.email;
import com.sun.mail.smtp.SMTPTransport;
import java.io.FileInputStream;
import java.util.Properties;
import javax.activation.DataHandler;
import javax.activation.DataSource;
import javax.activation.FileDataSource;
import javax.mail.BodyPart;
import javax.mail.Message;
import javax.mail.MessagingException;
import javax.mail.Multipart;
import javax.mail.PasswordAuthentication;
import javax.mail.Session;
import javax.mail.Transport;
import javax.mail.internet.AddressException;
import javax.mail.internet.InternetAddress;
import javax.mail.internet.MimeBodyPart;
import javax.mail.internet.MimeMessage;
import javax.mail.internet.MimeMultipart;
public class EmailSender
{
private static String protocol;
private static int outgoingPort;
private static int incomingPort;
private static String username;
private static String password;
private static String outgoing;
private static String incoming;
private static String replyto;
private static boolean smtpauth;
private static String sendEmailsTo;
private static String eventSubject;
private static boolean verbose = "true".equals(System.getProperty("verbose", "false"));
public EmailSender(String provider) throws RuntimeException
{
EmailSender.protocol = "";
EmailSender.outgoingPort = 0;
EmailSender.incomingPort = 0;
EmailSender.username = "";
EmailSender.password = "";
EmailSender.outgoing = "";
EmailSender.incoming = "";
EmailSender.replyto = "";
EmailSender.smtpauth = false;
EmailSender.sendEmailsTo = "";
EmailSender.eventSubject = "";
Properties props = new Properties();
String propFile = "email.properties";
try
{
FileInputStream fis = new FileInputStream(propFile);
props.load(fis);
}
catch (Exception e)
{
System.out.println("email.properies file problem...");
throw new RuntimeException("File not found:email.properies");
}
EmailSender.sendEmailsTo = props.getProperty("pi.send.emails.to");
EmailSender.eventSubject = props.getProperty("pi.event.subject");
EmailSender.protocol = props.getProperty("pi." + (provider != null ? (provider + ".") : "") + "mail.protocol");
EmailSender.outgoingPort = Integer.parseInt(props.getProperty("pi." + (provider != null ? (provider + ".") : "") + "outgoing.server.port", "0"));
EmailSender.incomingPort = Integer.parseInt(props.getProperty("pi." + (provider != null ? (provider + ".") : "") + "incoming.server.port", "0"));
EmailSender.username = props.getProperty("pi." + (provider != null ? (provider + ".") : "") + "mail.username", "");
EmailSender.password = props.getProperty("pi." + (provider != null ? (provider + ".") : "") + "mail.password", "");
EmailSender.outgoing = props.getProperty("pi." + (provider != null ? (provider + ".") : "") + "outgoing.server", "");
EmailSender.incoming = props.getProperty("pi." + (provider != null ? (provider + ".") : "") + "incoming.server", "");
EmailSender.replyto = props.getProperty("pi." + (provider != null ? (provider + ".") : "") + "mail.replyto", "");
EmailSender.smtpauth = "true".equals(props.getProperty("pi." + (provider != null ? (provider + ".") : "") + "mail.smtpauth", "false"));
if (verbose)
{
System.out.println("-------------------------------------");
System.out.println("Protocol : " + EmailSender.protocol);
System.out.println("Usr/pswd : " + EmailSender.username + "/" + EmailSender.password);
System.out.println("Incoming server: " + EmailSender.incoming + ":" + EmailSender.incomingPort);
System.out.println("Outgoing server: " + EmailSender.outgoing + ":" + EmailSender.outgoingPort);
System.out.println("replyto : " + EmailSender.replyto);
System.out.println("SMTPAuth : " + EmailSender.smtpauth);
System.out.println("-------------------------------------");
}
}
public boolean isAuthRequired()
{
return EmailSender.smtpauth;
}
public String getUserName()
{
return EmailSender.username;
}
public String getPassword()
{
return EmailSender.password;
}
public String getReplyTo()
{
return EmailSender.replyto;
}
public String getIncomingServer()
{
return EmailSender.incoming;
}
public String getOutgoingServer()
{
return EmailSender.outgoing;
}
public String getEmailDest()
{
return EmailSender.sendEmailsTo;
}
public String getEventSubject()
{
return EmailSender.eventSubject;
}
public void send(String[] dest,
String subject,
String content)
throws MessagingException, AddressException
{
send(dest, subject, content, null);
}
public void send(String[] dest,
String subject,
String content,
String attachment)
throws MessagingException, AddressException
{
Properties props = setProps();
// Session session = Session.getDefaultInstance(props, auth);
Session session = Session.getInstance(props,
new javax.mail.Authenticator()
{
protected PasswordAuthentication getPasswordAuthentication()
{
return new PasswordAuthentication(username, password);
}
});
session.setDebug(verbose);
Transport tr = session.getTransport("smtp");
if (!(tr instanceof SMTPTransport))
System.out.println("This is NOT an SMTPTransport:[" + tr.getClass().getName() + "]");
Message msg = new MimeMessage(session);
msg.setFrom(new InternetAddress(EmailSender.replyto));
if (dest == null || dest.length == 0)
throw new RuntimeException("Need at least one recipient.");
msg.setRecipient(javax.mail.Message.RecipientType.TO, new InternetAddress(dest[0]));
for (int i=1; i<dest.length; i++)
msg.addRecipient(javax.mail.Message.RecipientType.CC, new InternetAddress(dest[i]));
msg.setSubject(subject);
if (attachment != null)
{
BodyPart messageBodyPart = new MimeBodyPart();
messageBodyPart.setText(content);
Multipart multipart = new MimeMultipart();
// Set text message part
multipart.addBodyPart(messageBodyPart);
// Part two is attachment
messageBodyPart = new MimeBodyPart();
String filename = attachment;
DataSource source = new FileDataSource(filename);
messageBodyPart.setDataHandler(new DataHandler(source));
messageBodyPart.setFileName(filename);
multipart.addBodyPart(messageBodyPart);
// Send the complete message parts
msg.setContent(multipart);
}
else
{
msg.setText(content != null ? content : "");
msg.setContent(content, "text/plain");
}
msg.saveChanges();
if (verbose) System.out.println("sending:[" + content + "], " + Integer.toString(content.length()) + " characters");
Transport.send(msg);
}
private Properties setProps()
{
Properties props = new Properties();
props.put("mail.debug", verbose?"true":"false");
props.put("mail.smtp.host", EmailSender.outgoing);
props.put("mail.smtp.port", Integer.toString(EmailSender.outgoingPort));
props.put("mail.smtp.auth", "true");
props.put("mail.smtp.starttls.enable", "true"); // See http://www.oracle.com/technetwork/java/faq-135477.html#yahoomail
// props.put("mail.smtp.starttls.required", "true");
props.put("mail.smtp.ssl.enable", "true");
return props;
}
}
| 12nosanshiro-pi4j-sample | Relay.by.email/src/relay/email/EmailSender.java | Java | mit | 7,780 |
package relay;
import com.pi4j.io.gpio.event.GpioPinDigitalStateChangeEvent;
import java.io.FileReader;
import java.text.SimpleDateFormat;
import java.util.Date;
import java.util.List;
import java.util.Properties;
import org.json.JSONObject;
import relay.email.EmailReceiver;
import relay.email.EmailSender;
import relay.gpio.GPIOController;
import relay.gpio.RaspberryPIEventListener;
public class PIControllerMain implements RaspberryPIEventListener
{
private final static SimpleDateFormat SDF = new SimpleDateFormat("yyyy-MMM-dd HH:mm:ss");
private static boolean verbose = "true".equals(System.getProperty("verbose", "false"));
private static String providerSend = "google";
private static String providerReceive = "google";
EmailSender sender = null;
/**
* Invoked like:
* java relay.email.PIControllerMain [-verbose] -send:google -receive:yahoo -help
*
* This will send emails using google, and receive using yahoo.
* Default values are:
* java pi4j.email.PIControllerMain -send:google -receive:google
*
* Do check the file email.properties for the different values associated with email servers.
*
* @param args See above
*
* To try it:
* send email to the right destination (like olivier.lediouris@gmail.com, see in email.properties) with a plain text payload like
* { 'operation':'turn-relay-on' }
* or
* { 'operation':'turn-relay-off' }
*
* Subject: 'PI Request'
*/
public static void main(String[] args)
{
for (int i=0; i<args.length; i++)
{
if ("-verbose".equals(args[i]))
{
verbose = true;
System.setProperty("verbose", "true");
}
else if (args[i].startsWith("-send:"))
providerSend = args[i].substring("-send:".length());
else if (args[i].startsWith("-receive:"))
providerReceive =args[i].substring("-receive:".length());
else if ("-help".equals(args[i]))
{
System.out.println("Usage:");
System.out.println(" java relay.email.PIControllerMain -verbose -send:google -receive:yahoo -help");
System.exit(0);
}
}
final GPIOController piController = new GPIOController();
EmailReceiver receiver = new EmailReceiver(providerReceive); // For Google, pop must be explicitely enabled at the account level
Runtime.getRuntime().addShutdownHook(new Thread()
{
public void run()
{
piController.switchRelay(false);
piController.shutdown();
System.out.println("\nExiting nicely.");
}
});
try
{
String from = "";
try
{
Properties props = new Properties();
props.load(new FileReader("email.properties"));
String emitters = props.getProperty("pi.accept.emails.from");
from = ", from " + emitters;
}
catch (Exception ex)
{
ex.printStackTrace();
}
System.out.println("Waiting for instructions" + from + ".");
boolean keepLooping = true;
while (keepLooping)
{
List<String> received = receiver.receive();
if (verbose || received.size() > 0)
System.out.println(SDF.format(new Date()) + " - Retrieved " + received.size() + " message(s).");
for (String s : received)
{
// System.out.println(s);
String operation = "";
try
{
JSONObject json = new JSONObject(s);
operation = json.getString("operation");
}
catch (Exception ex)
{
System.err.println(ex.getMessage());
System.err.println("Message is [" + s + "]");
}
if ("exit".equals(operation))
{
keepLooping = false;
System.out.println("Will exit next batch.");
// break;
}
else
{
if ("turn-relay-on".equals(operation))
{
System.out.println("Turning relay on");
piController.switchRelay(true);
}
else if ("turn-relay-off".equals(operation))
{
System.out.println("Turning relay off");
piController.switchRelay(false);
}
try { Thread.sleep(1000L); } catch (InterruptedException ie) { ie.printStackTrace(); }
}
}
}
piController.shutdown();
System.out.println("Done.");
System.exit(0);
}
catch (Exception ex)
{
ex.printStackTrace();
}
}
public void manageEvent(GpioPinDigitalStateChangeEvent event)
{
if (sender == null)
sender = new EmailSender(providerSend);
try
{
String mess = "{ pin: '" + event.getPin() + "', state:'" + event.getState() + "' }";
System.out.println("Sending:" + mess);
sender.send(sender.getEmailDest().split(","),
sender.getEventSubject(),
mess);
}
catch (Exception ex)
{
ex.printStackTrace();
}
}
}
| 12nosanshiro-pi4j-sample | Relay.by.email/src/relay/PIControllerMain.java | Java | mit | 5,041 |
"use strict";
var connection;
(function () {
var ws = window.WebSocket || window.MozWebSocket;
if (!ws) {
displayMessage('Sorry, but your browser does not support WebSockets.');
return;
}
// open connection
var rootUri = "ws://" + (document.location.hostname === "" ? "localhost" : document.location.hostname) + ":" +
(document.location.port === "" ? "8080" : document.location.port);
console.log(rootUri);
connection = new WebSocket(rootUri); // 'ws://localhost:9876');
connection.onopen = function() {
displayMessage('Connected.')
};
connection.onerror = function (error) {
// just in there were some problems with connection...
displayMessage('Sorry, but there is some problem with your connection or the server is down.');
};
// most important part - incoming messages
connection.onmessage = function (message) {
// console.log('onmessage:' + message);
// try to parse JSON message.
try {
var json = JSON.parse(message.data);
} catch (e) {
displayMessage('This doesn\'t look like a valid JSON: ' + message.data);
return;
}
// NOTE: if you're not sure about the JSON structure
// check the server source code above
if (json.type === 'message') {
// it's a single message
var value = parseInt(json.data.text);
// console.log('Setting value to ' + value);
displayValue.setValue(value);
} else {
displayMessage('Hmm..., I\'ve never seen JSON like this: ' + json);
}
};
/**
* This method is optional. If the server wasn't able to respond to the
* in 3 seconds then show some error message to notify the user that
* something is wrong.
*/
setInterval(function() {
if (connection.readyState !== 1) {
displayMessage('Unable to communicate with the WebSocket server. Try again.');
}
}, 3000); // Ping
})();
var sendMessage = function(msg) {
if (!msg) {
return;
}
// send the message as an ordinary text
connection.send(msg);
};
var displayMessage = function(mess){
var messList = statusFld.innerHTML;
messList = (((messList !== undefined && messList.length) > 0 ? messList + '<br>' : '') + mess);
statusFld.innerHTML = messList;
};
var resetStatus = function() {
statusFld.innerHTML = "";
};
| 12nosanshiro-pi4j-sample | LelandOilDetector/node/client.js | JavaScript | mit | 2,360 |
<!DOCTYPE html>
<html>
<head>
<meta charset="utf-8">
<title>Oil Detection / WebSockets</title>
<script type="text/javascript" src="widgets/AnalogDisplay.js"></script>
<style>
* { font-family:tahoma; font-size:12px; padding:0px; margin:0px; }
p { line-height:18px; }
</style>
<script type="text/javascript">
var response = {};
var displayValue;
var statusFld;
window.onload = function() {
displayValue = new AnalogDisplay('valueCanvas', 100, 100, 10, 1, true, 40);
statusFld = document.getElementById("status");
};
</script>
</head>
<body>
<table width="100%">
<tr>
<td valign="top"><h2>Oil Detection on WebSocket</h2></td>
</tr>
<tr>
<td align="left">
<div id="status" style="padding:5px; background:#ddd; border-radius:5px; overflow-y: scroll; border:1px solid #CCC; margin-top:10px; height: 80px;">
<!--i>Status will go here when needed...</i-->
</div>
</td>
</tr>
<tr>
<td valign="top" align="right"><a href="" onclick="javascript:resetStatus(); return false;" title="Clear status board"><small>Reset Status</small></a></td>
</tr>
<tr>
<td align="center" valign="top">
<canvas id="valueCanvas" width="240" height="220" title="Potentiometer value"></canvas>
</td>
</tr>
</table>
<hr>
<script src="./client.js"></script>
</body>
</html>
| 12nosanshiro-pi4j-sample | LelandOilDetector/node/display.html | HTML | mit | 1,457 |
/*
* @author Olivier Le Diouris
*/
// TODO This config in CSS
// We wait for the var- custom properties to be implemented in CSS...
// @see http://www.w3.org/TR/css-variables-1/
/*
* For now:
* Themes are applied based on a css class:
* .display-scheme
* {
* color: black;
* }
*
* if color is black, analogDisplayColorConfigBlack is applied
* if color is white, analogDisplayColorConfigWhite is applied, etc
*/
var analogDisplayColorConfigWhite =
{
bgColor: 'white',
digitColor: 'black',
withGradient: true,
displayBackgroundGradient: { from: 'LightGrey', to: 'white' },
withDisplayShadow: true,
shadowColor: 'rgba(0, 0, 0, 0.75)',
outlineColor: 'DarkGrey',
majorTickColor: 'black',
minorTickColor: 'black',
valueColor: 'grey',
valueOutlineColor: 'black',
valueNbDecimal: 0,
handColor: 'rgba(0, 0, 100, 0.25)',
handOutlineColor: 'black',
withHandShadow: true,
knobColor: 'DarkGrey',
knobOutlineColor: 'black',
font: 'Arial' /* 'Source Code Pro' */
};
var analogDisplayColorConfigBlack =
{
bgColor: 'black',
digitColor: 'LightBlue',
withGradient: true,
displayBackgroundGradient: { from: 'black', to: 'LightGrey' },
shadowColor: 'black',
outlineColor: 'DarkGrey',
majorTickColor: 'LightGreen',
minorTickColor: 'LightGreen',
valueColor: 'LightGreen',
valueOutlineColor: 'black',
valueNbDecimal: 1,
handColor: 'rgba(0, 0, 100, 0.25)',
handOutlineColor: 'blue',
withHandShadow: true,
knobColor: '#8ED6FF', // Kind of blue
knobOutlineColor: 'blue',
font: 'Arial'
};
var analogDisplayColorConfig = analogDisplayColorConfigWhite; // White is the default
function AnalogDisplay(cName, // Canvas Name
dSize, // Display radius
maxValue, // default 10
majorTicks, // default 1
minorTicks, // default 0
withDigits, // default true, boolean
overlapOver180InDegree, // default 0, beyond horizontal, in degrees, before 0, after 180
startValue) // default 0, In case it is not 0
{
if (maxValue === undefined)
maxValue = 10;
if (majorTicks === undefined)
majorTicks = 1;
if (minorTicks === undefined)
minorTicks = 0;
if (withDigits === undefined)
withDigits = true;
if (overlapOver180InDegree === undefined)
overlapOver180InDegree = 0;
if (startValue === undefined)
startValue = 0;
var scale = dSize / 100;
var canvasName = cName;
var displaySize = dSize;
var running = false;
var previousValue = startValue;
var intervalID;
var valueToDisplay = 0;
var incr = 1;
var instance = this;
//try { console.log('in the AnalogDisplay constructor for ' + cName + " (" + dSize + ")"); } catch (e) {}
(function(){ drawDisplay(canvasName, displaySize, previousValue); })(); // Invoked automatically
this.repaint = function()
{
drawDisplay(canvasName, displaySize, previousValue);
};
this.setDisplaySize = function(ds)
{
scale = ds / 100;
displaySize = ds;
drawDisplay(canvasName, displaySize, previousValue);
};
this.startStop = function (buttonName)
{
// console.log('StartStop requested on ' + buttonName);
var button = document.getElementById(buttonName);
running = !running;
button.value = (running ? "Stop" : "Start");
if (running)
this.animate();
else
{
window.clearInterval(intervalID);
previousValue = valueToDisplay;
}
};
this.animate = function()
{
var value;
if (arguments.length === 1)
value = arguments[0];
else
{
// console.log("Generating random value");
value = maxValue * Math.random();
}
value = Math.max(value, startValue);
value = Math.min(value, maxValue);
//console.log("Reaching Value :" + value + " from " + previousValue);
diff = value - previousValue;
valueToDisplay = previousValue;
// console.log(canvasName + " going from " + previousValue + " to " + value);
// if (diff > 0)
// incr = 0.01 * maxValue;
// else
// incr = -0.01 * maxValue;
incr = diff / 10;
if (intervalID)
window.clearInterval(intervalID);
intervalID = window.setInterval(function () { displayAndIncrement(value); }, 10);
};
var displayAndIncrement = function(finalValue)
{
//console.log('Tic ' + inc + ', ' + finalValue);
drawDisplay(canvasName, displaySize, valueToDisplay);
valueToDisplay += incr;
if ((incr > 0 && valueToDisplay > finalValue) || (incr < 0 && valueToDisplay < finalValue))
{
// console.log('Stop, ' + finalValue + ' reached, steps were ' + incr);
window.clearInterval(intervalID);
previousValue = finalValue;
if (running)
instance.animate();
else
drawDisplay(canvasName, displaySize, finalValue); // Final display
}
};
function drawDisplay(displayCanvasName, displayRadius, displayValue)
{
var schemeColor;
try { schemeColor = getCSSClass(".display-scheme"); } catch (err) { /* not there */ }
if (schemeColor !== undefined && schemeColor !== null)
{
var styleElements = schemeColor.split(";");
for (var i=0; i<styleElements.length; i++)
{
var nv = styleElements[i].split(":");
if ("color" === nv[0])
{
// console.log("Scheme Color:[" + nv[1].trim() + "]");
if (nv[1].trim() === 'black')
analogDisplayColorConfig = analogDisplayColorConfigBlack;
else if (nv[1].trim() === 'white')
analogDisplayColorConfig = analogDisplayColorConfigWhite;
}
}
}
var digitColor = analogDisplayColorConfig.digitColor;
var canvas = document.getElementById(displayCanvasName);
var context = canvas.getContext('2d');
var radius = displayRadius;
// Cleanup
//context.fillStyle = "#ffffff";
context.fillStyle = analogDisplayColorConfig.bgColor;
//context.fillStyle = "transparent";
context.fillRect(0, 0, canvas.width, canvas.height);
//context.fillStyle = 'rgba(255, 255, 255, 0.0)';
//context.fillRect(0, 0, canvas.width, canvas.height);
context.beginPath();
//context.arc(x, y, radius, startAngle, startAngle + Math.PI, antiClockwise);
// context.arc(canvas.width / 2, radius + 10, radius, Math.PI - toRadians(overlapOver180InDegree), (2 * Math.PI) + toRadians(overlapOver180InDegree), false);
context.arc(canvas.width / 2, radius + 10, radius, Math.PI - toRadians(overlapOver180InDegree > 0?90:0), (2 * Math.PI) + toRadians(overlapOver180InDegree > 0?90:0), false);
context.lineWidth = 5;
if (analogDisplayColorConfig.withGradient)
{
var grd = context.createLinearGradient(0, 5, 0, radius);
grd.addColorStop(0, analogDisplayColorConfig.displayBackgroundGradient.from);// 0 Beginning
grd.addColorStop(1, analogDisplayColorConfig.displayBackgroundGradient.to); // 1 End
context.fillStyle = grd;
}
else
context.fillStyle = analogDisplayColorConfig.displayBackgroundGradient.to;
if (analogDisplayColorConfig.withDisplayShadow)
{
context.shadowOffsetX = 3;
context.shadowOffsetY = 3;
context.shadowBlur = 3;
context.shadowColor = analogDisplayColorConfig.shadowColor;
}
context.lineJoin = "round";
context.fill();
context.strokeStyle = analogDisplayColorConfig.outlineColor;
context.stroke();
context.closePath();
var totalAngle = (Math.PI + (2 * (toRadians(overlapOver180InDegree))));
// Major Ticks
context.beginPath();
for (i = 0;i <= (maxValue - startValue) ;i+=majorTicks)
{
var currentAngle = (totalAngle * (i / (maxValue - startValue))) - toRadians(overlapOver180InDegree);
xFrom = (canvas.width / 2) - ((radius * 0.95) * Math.cos(currentAngle));
yFrom = (radius + 10) - ((radius * 0.95) * Math.sin(currentAngle));
xTo = (canvas.width / 2) - ((radius * 0.85) * Math.cos(currentAngle));
yTo = (radius + 10) - ((radius * 0.85) * Math.sin(currentAngle));
context.moveTo(xFrom, yFrom);
context.lineTo(xTo, yTo);
}
context.lineWidth = 3;
context.strokeStyle = analogDisplayColorConfig.majorTickColor;
context.stroke();
context.closePath();
// Minor Ticks
if (minorTicks > 0)
{
context.beginPath();
for (i = 0;i <= (maxValue - startValue) ;i+=minorTicks)
{
var _currentAngle = (totalAngle * (i / (maxValue - startValue))) - toRadians(overlapOver180InDegree);
xFrom = (canvas.width / 2) - ((radius * 0.95) * Math.cos(_currentAngle));
yFrom = (radius + 10) - ((radius * 0.95) * Math.sin(_currentAngle));
xTo = (canvas.width / 2) - ((radius * 0.90) * Math.cos(_currentAngle));
yTo = (radius + 10) - ((radius * 0.90) * Math.sin(_currentAngle));
context.moveTo(xFrom, yFrom);
context.lineTo(xTo, yTo);
}
context.lineWidth = 1;
context.strokeStyle = analogDisplayColorConfig.minorTickColor;
context.stroke();
context.closePath();
}
// Numbers
if (withDigits)
{
context.beginPath();
for (i = 0;i <= (maxValue - startValue) ;i+=majorTicks)
{
context.save();
context.translate(canvas.width/2, (radius + 10)); // canvas.height);
var __currentAngle = (totalAngle * (i / (maxValue - startValue))) - toRadians(overlapOver180InDegree);
// context.rotate((Math.PI * (i / maxValue)) - (Math.PI / 2));
context.rotate(__currentAngle - (Math.PI / 2));
context.font = "bold " + Math.round(scale * 15) + "px " + analogDisplayColorConfig.font; // Like "bold 15px Arial"
context.fillStyle = digitColor;
str = (i + startValue).toString();
len = context.measureText(str).width;
context.fillText(str, - len / 2, (-(radius * .8) + 10));
context.restore();
}
context.closePath();
}
// Value
text = displayValue.toFixed(analogDisplayColorConfig.valueNbDecimal);
len = 0;
context.font = "bold " + Math.round(scale * 40) + "px " + analogDisplayColorConfig.font; // "bold 40px Arial"
var metrics = context.measureText(text);
len = metrics.width;
context.beginPath();
context.fillStyle = analogDisplayColorConfig.valueColor;
context.fillText(text, (canvas.width / 2) - (len / 2), ((radius * .75) + 10));
context.lineWidth = 1;
context.strokeStyle = analogDisplayColorConfig.valueOutlineColor;
context.strokeText(text, (canvas.width / 2) - (len / 2), ((radius * .75) + 10)); // Outlined
context.closePath();
// Hand
context.beginPath();
if (analogDisplayColorConfig.withHandShadow)
{
context.shadowColor = analogDisplayColorConfig.shadowColor;
context.shadowOffsetX = 3;
context.shadowOffsetY = 3;
context.shadowBlur = 3;
}
// Center
context.moveTo(canvas.width / 2, radius + 10);
var ___currentAngle = (totalAngle * ((displayValue - startValue) / (maxValue - startValue))) - toRadians(overlapOver180InDegree);
// Left
x = (canvas.width / 2) - ((radius * 0.05) * Math.cos((___currentAngle - (Math.PI / 2))));
y = (radius + 10) - ((radius * 0.05) * Math.sin((___currentAngle - (Math.PI / 2))));
context.lineTo(x, y);
// Tip
x = (canvas.width / 2) - ((radius * 0.90) * Math.cos(___currentAngle));
y = (radius + 10) - ((radius * 0.90) * Math.sin(___currentAngle));
context.lineTo(x, y);
// Right
x = (canvas.width / 2) - ((radius * 0.05) * Math.cos((___currentAngle + (Math.PI / 2))));
y = (radius + 10) - ((radius * 0.05) * Math.sin((___currentAngle + (Math.PI / 2))));
context.lineTo(x, y);
context.closePath();
context.fillStyle = analogDisplayColorConfig.handColor;
context.fill();
context.lineWidth = 1;
context.strokeStyle = analogDisplayColorConfig.handOutlineColor;
context.stroke();
// Knob
context.beginPath();
context.arc((canvas.width / 2), (radius + 10), 7, 0, 2 * Math.PI, false);
context.closePath();
context.fillStyle = analogDisplayColorConfig.knobColor;
context.fill();
context.strokeStyle = analogDisplayColorConfig.knobOutlineColor;
context.stroke();
};
this.setValue = function(val)
{
drawDisplay(canvasName, displaySize, val);
};
function toDegrees(rad)
{
return rad * (180 / Math.PI);
}
function toRadians(deg)
{
return deg * (Math.PI / 180);
}
} | 12nosanshiro-pi4j-sample | LelandOilDetector/node/widgets/AnalogDisplay.js | JavaScript | mit | 12,851 |
/**
* To debug:
* Prompt> set HTTP_PROXY=http://www-proxy.us.oracle.com:80
* Prompt> npm install -g node-inspector
* Prompt> node-inspector
*
* From another console:
* Prompt> node --debug server.js
*/
"use strict";
process.title = 'node-oil-detector';
// Port where we'll run the websocket server
var port = 9876;
// websocket and http servers
var webSocketServer = require('websocket').server;
var http = require('http');
var fs = require('fs');
var verbose = false;
if (typeof String.prototype.startsWith != 'function') {
String.prototype.startsWith = function (str) {
return this.indexOf(str) === 0;
};
}
if (typeof String.prototype.endsWith != 'function') {
String.prototype.endsWith = function(suffix) {
return this.indexOf(suffix, this.length - suffix.length) !== -1;
};
}
function handler (req, res) {
var respContent = "";
if (verbose) {
console.log("Speaking HTTP from " + __dirname);
console.log("Server received an HTTP Request:\n" + req.method + "\n" + req.url + "\n-------------");
console.log("ReqHeaders:" + JSON.stringify(req.headers, null, '\t'));
console.log('Request:' + req.url);
var prms = require('url').parse(req.url, true);
console.log(prms);
console.log("Search: [" + prms.search + "]");
console.log("-------------------------------");
}
if (req.url.startsWith("/data/")) { // Static resource
var resource = req.url.substring("/data/".length);
console.log('Loading static ' + req.url + " (" + resource + ")");
fs.readFile(__dirname + '/' + resource,
function (err, data) {
if (err) {
res.writeHead(500);
return res.end('Error loading ' + resource);
}
if (verbose) {
console.log("Read resource content:\n---------------\n" + data + "\n--------------");
}
var contentType = "text/html";
if (resource.endsWith(".css")) {
contentType = "text/css";
} else if (resource.endsWith(".html")) {
contentType = "text/html";
} else if (resource.endsWith(".xml")) {
contentType = "text/xml";
} else if (resource.endsWith(".js")) {
contentType = "text/javascript";
} else if (resource.endsWith(".jpg")) {
contentType = "image/jpg";
} else if (resource.endsWith(".gif")) {
contentType = "image/gif";
} else if (resource.endsWith(".png")) {
contentType = "image/png";
}
res.writeHead(200, {'Content-Type': contentType});
// console.log('Data is ' + typeof(data));
if (resource.endsWith(".jpg") ||
resource.endsWith(".gif") ||
resource.endsWith(".png")) {
// res.writeHead(200, {'Content-Type': 'image/gif' });
res.end(data, 'binary');
} else {
res.end(data.toString().replace('$PORT$', port.toString())); // Replace $PORT$ with the actual port value.
}
});
} else if (req.url.startsWith("/verbose=")) {
if (req.method === "GET") {
verbose = (req.url.substring("/verbose=".length) === 'on');
res.end(JSON.stringify({verbose: verbose?'on':'off'}));
}
} else if (req.url == "/") {
if (req.method === "POST") {
var data = "";
if (verbose) {
console.log("---- Headers ----");
for (var item in req.headers) {
console.log(item + ": " + req.headers[item]);
}
console.log("-----------------");
}
req.on("data", function(chunk) {
data += chunk;
});
req.on("end", function() {
console.log("POST request: [" + data + "]");
res.writeHead(200, {'Content-Type': 'application/json'});
var status = {'status':'OK'};
res.end(JSON.stringify(status));
});
}
} else {
console.log("Unmanaged request: [" + req.url + "]");
respContent = "Response from " + req.url;
res.writeHead(404, {'Content-Type': 'text/plain'});
res.end(); // respContent);
}
} // HTTP Handler
/**
* Global variables
*/
// list of currently connected clients (users)
var clients = [ ];
/**
* Helper function for escaping input strings
*/
var htmlEntities = function(str) {
return String(str).replace(/&/g, '&').replace(/</g, '<')
.replace(/>/g, '>').replace(/"/g, '"');
};
/**
* HTTP server
*/
var server = http.createServer(handler);
server.listen(port, function() {
console.log((new Date()) + " Server is listening on port " + port);
});
/**
* WebSocket server
*/
var wsServer = new webSocketServer({
// WebSocket server is tied to a HTTP server. WebSocket request is just
// an enhanced HTTP request. For more info http://tools.ietf.org/html/rfc6455#page-6
httpServer: server
});
// This callback function is called every time someone
// tries to connect to the WebSocket server
wsServer.on('request', function(request) {
console.log((new Date()) + ' Connection from origin ' + request.origin + '.');
// accept connection - you should check 'request.origin' to make sure that
// client is connecting from your website
// (http://en.wikipedia.org/wiki/Same_origin_policy)
var connection = request.accept(null, request.origin);
clients.push(connection);
console.log((new Date()) + ' Connection accepted.');
// user sent some message
connection.on('message', function(message) {
if (message.type === 'utf8') { // accept only text
console.log((new Date()) + ' Received Message: ' + message.utf8Data);
var obj = {
time: (new Date()).getTime(),
text: htmlEntities(message.utf8Data)
};
// broadcast message to all connected clients. That's what this app is doing.
var json = JSON.stringify({ type: 'message', data: obj });
for (var i=0; i<clients.length; i++) {
clients[i].sendUTF(json);
}
}
});
// user disconnected
connection.on('close', function(code) { // Close
var nb = clients.length;
for (var i=0; i<clients.length; i++) {
if (clients[i] === connection) {
clients.splice(i, 1);
break;
}
}
if (verbose) {
console.log("We have (" + nb + "->) " + clients.length + " client(s) connected.");
}
});
});
| 12nosanshiro-pi4j-sample | LelandOilDetector/node/server.js | JavaScript | mit | 6,622 |
package relay;
import com.pi4j.io.gpio.GpioController;
import com.pi4j.io.gpio.GpioFactory;
import com.pi4j.io.gpio.GpioPinDigitalOutput;
import com.pi4j.io.gpio.PinState;
import com.pi4j.io.gpio.RaspiPin;
public class RelayManager
{
private final GpioController gpio = GpioFactory.getInstance();
private final GpioPinDigitalOutput pin17;
private final GpioPinDigitalOutput pin18;
public RelayManager()
{
System.out.println("GPIO Control - pin 00/#17 and 01/#18 ... started.");
System.out.println("(Labelled #17 an #18 on the cobbler.)");
// For a relay it seems that HIGH means NC (Normally Closed)...
pin17 = gpio.provisionDigitalOutputPin(RaspiPin.GPIO_00, "Relay1", PinState.HIGH);
pin18 = null; // gpio.provisionDigitalOutputPin(RaspiPin.GPIO_01, "Relay2", PinState.HIGH);
}
public void set(String device, String status)
{
GpioPinDigitalOutput pin = ("00".equals(device)?pin17:pin18);
if ("on".equals(status))
pin.low();
else
pin.high();
}
public String getStatus(String dev)
{
String status = "unknown";
GpioPinDigitalOutput pin = ("00".equals(dev)?pin17:pin18);
status = pin.isHigh() ? "off" : "on";
return status;
}
public void shutdown()
{
gpio.shutdown();
}
}
| 12nosanshiro-pi4j-sample | LelandOilDetector/src/relay/RelayManager.java | Java | mit | 1,277 |
package ws;
import adc.ADCContext;
import adc.ADCListener;
import adc.ADCObserver;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.InputStreamReader;
import java.net.URI;
import org.java_websocket.client.WebSocketClient;
import org.java_websocket.handshake.ServerHandshake;
import relay.RelayManager;
public class WebSocketFeeder
{
private final static boolean DEBUG = "true".equals(System.getProperty("debug", "false"));
private ADCObserver.MCP3008_input_channels channel = null;
private static boolean keepWorking = true;
private static WebSocketClient webSocketClient = null;
private static RelayManager rm;
private static ADCObserver obs = null;
public WebSocketFeeder(int ch) throws Exception
{
channel = findChannel(ch);
try
{
rm = new RelayManager();
rm.set("00", "on");
}
catch (Exception ex)
{
System.err.println("You're not on the PI, hey?");
ex.printStackTrace();
}
String wsUri = System.getProperty("ws.uri", "ws://localhost:9876/");
initWebSocketConnection(wsUri);
obs = new ADCObserver(channel); // Note: We could instantiate more than one observer (on several channels).
ADCContext.getInstance().addListener(new ADCListener()
{
@Override
public void valueUpdated(ADCObserver.MCP3008_input_channels inputChannel, int newValue)
{
if (inputChannel.equals(channel))
{
int volume = (int)(newValue / 10.23); // [0, 1023] ~ [0x0000, 0x03FF] ~ [0&0, 0&1111111111]
if (DEBUG)
System.out.println("readAdc:" + Integer.toString(newValue) +
" (0x" + lpad(Integer.toString(newValue, 16).toUpperCase(), "0", 2) +
", 0&" + lpad(Integer.toString(newValue, 2), "0", 8) + ")");
System.out.println("Volume:" + volume + "% (" + newValue + ")");
try { webSocketClient.send(Integer.toString(volume)); }
catch (Exception ex)
{
ex.printStackTrace();
}
// Turn relay off above 75%
if (volume > 75)
{
String status = rm.getStatus("00");
// System.out.println("Relay is:" + status);
if ("on".equals(status))
{
System.out.println("Turning relay off!");
try { rm.set("00", "off"); }
catch (Exception ex)
{
System.err.println(ex.toString());
}
}
}
}
}
});
obs.start();
}
private void initWebSocketConnection(String serverURI)
{
try
{
webSocketClient = new WebSocketClient(new URI(serverURI))
{
@Override
public void onOpen(ServerHandshake serverHandshake)
{
System.out.println("WS On Open");
}
@Override
public void onMessage(String string)
{
// System.out.println("WS On Message");
}
@Override
public void onClose(int i, String string, boolean b)
{
System.out.println("WS On Close");
}
@Override
public void onError(Exception exception)
{
System.out.println("WS On Error");
exception.printStackTrace();
}
};
webSocketClient.connect();
}
catch (Exception ex)
{
ex.printStackTrace();
}
}
public static void main(String[] args) throws Exception
{
int channel = 0;
if (args.length > 0)
channel = Integer.parseInt(args[0]);
System.out.println("Listening to MCP3008 channel " + channel);
// System.out.println("Adding shutdown hook");
Runtime.getRuntime().addShutdownHook(new Thread()
{
public void run()
{
System.out.println("Shutting down nicely.");
if (obs != null)
{
System.out.println("Stopping observer...");
obs.stop();
}
keepWorking = false;
System.out.println("Closing WebSocket client...");
webSocketClient.close();
try
{
System.out.println("Turning power off...");
rm.set("00", "off");
rm.shutdown();
}
catch (Exception ex)
{
System.err.println(ex.toString());
}
System.out.println("Done.");
}
});
new WebSocketFeeder(channel);
}
private static ADCObserver.MCP3008_input_channels findChannel(int ch) throws IllegalArgumentException
{
ADCObserver.MCP3008_input_channels channel = null;
switch (ch)
{
case 0:
channel = ADCObserver.MCP3008_input_channels.CH0;
break;
case 1:
channel = ADCObserver.MCP3008_input_channels.CH1;
break;
case 2:
channel = ADCObserver.MCP3008_input_channels.CH2;
break;
case 3:
channel = ADCObserver.MCP3008_input_channels.CH3;
break;
case 4:
channel = ADCObserver.MCP3008_input_channels.CH4;
break;
case 5:
channel = ADCObserver.MCP3008_input_channels.CH5;
break;
case 6:
channel = ADCObserver.MCP3008_input_channels.CH6;
break;
case 7:
channel = ADCObserver.MCP3008_input_channels.CH7;
break;
default:
throw new IllegalArgumentException("No channel " + Integer.toString(ch));
}
return channel;
}
private static String lpad(String str, String with, int len)
{
String s = str;
while (s.length() < len)
s = with + s;
return s;
}
}
| 12nosanshiro-pi4j-sample | LelandOilDetector/src/ws/WebSocketFeeder.java | Java | mit | 5,842 |
package adc;
import com.pi4j.io.gpio.GpioController;
import com.pi4j.io.gpio.GpioFactory;
import com.pi4j.io.gpio.GpioPinDigitalInput;
import com.pi4j.io.gpio.GpioPinDigitalOutput;
import com.pi4j.io.gpio.Pin;
import com.pi4j.io.gpio.PinState;
import com.pi4j.io.gpio.RaspiPin;
/**
* Read an Analog to Digital Converter
*/
public class ADCObserver
{
private final static boolean DISPLAY_DIGIT = false;
// Note: "Mismatch" 23-24. The wiring says DOUT->#23, DIN->#24
// 23: DOUT on the ADC is IN on the GPIO. ADC:Slave, GPIO:Master
// 24: DIN on the ADC, OUT on the GPIO. Same reason as above.
// SPI: Serial Peripheral Interface
private static Pin spiClk = RaspiPin.GPIO_01; // Pin #18, clock
private static Pin spiMiso = RaspiPin.GPIO_04; // Pin #23, data in. MISO: Master In Slave Out
private static Pin spiMosi = RaspiPin.GPIO_05; // Pin #24, data out. MOSI: Master Out Slave In
private static Pin spiCs = RaspiPin.GPIO_06; // Pin #25, Chip Select
public static enum MCP3008_input_channels
{
CH0(0),
CH1(1),
CH2(2),
CH3(3),
CH4(4),
CH5(5),
CH6(6),
CH7(7);
private int ch;
MCP3008_input_channels(int chNum)
{
this.ch = chNum;
}
public int ch() { return this.ch; }
}
private MCP3008_input_channels[] adcChannel; // Between 0 and 7, 8 channels on the MCP3008
private static GpioPinDigitalInput misoInput = null;
private static GpioPinDigitalOutput mosiOutput = null;
private static GpioPinDigitalOutput clockOutput = null;
private static GpioPinDigitalOutput chipSelectOutput = null;
private boolean go = true;
public ADCObserver(MCP3008_input_channels channel)
{
this(new MCP3008_input_channels[] { channel }) ;
}
public ADCObserver(MCP3008_input_channels[] channel)
{
adcChannel = channel;
}
public void start()
{
GpioController gpio = GpioFactory.getInstance();
mosiOutput = gpio.provisionDigitalOutputPin(spiMosi, "MOSI", PinState.LOW);
clockOutput = gpio.provisionDigitalOutputPin(spiClk, "CLK", PinState.LOW);
chipSelectOutput = gpio.provisionDigitalOutputPin(spiCs, "CS", PinState.LOW);
misoInput = gpio.provisionDigitalInputPin(spiMiso, "MISO");
int lastRead[] = new int[adcChannel.length];
for (int i=0; i<lastRead.length; i++)
lastRead[i] = 0;
int tolerance = 5;
while (go)
{
for (int i=0; i<adcChannel.length; i++)
{
int adc = readAdc(adcChannel[i]);
// System.out.println("ADC:" + adc);
int postAdjust = Math.abs(adc - lastRead[i]);
if (postAdjust > tolerance)
{
ADCContext.getInstance().fireValueChanged(adcChannel[i], adc);
lastRead[i] = adc;
}
}
try { Thread.sleep(100L); } catch (InterruptedException ie) { ie.printStackTrace(); }
}
System.out.println("Shutting down...");
gpio.shutdown();
}
public void stop()
{
go = false;
}
private int readAdc(MCP3008_input_channels channel)
{
chipSelectOutput.high();
clockOutput.low();
chipSelectOutput.low();
int adccommand = channel.ch();
adccommand |= 0x18; // 0x18: 00011000
adccommand <<= 3;
// Send 5 bits: 8 - 3. 8 input channels on the MCP3008.
for (int i=0; i<5; i++) //
{
if ((adccommand & 0x80) != 0x0) // 0x80 = 0&10000000
mosiOutput.high();
else
mosiOutput.low();
adccommand <<= 1;
clockOutput.high();
clockOutput.low();
}
int adcOut = 0;
for (int i=0; i<12; i++) // Read in one empty bit, one null bit and 10 ADC bits
{
clockOutput.high();
clockOutput.low();
adcOut <<= 1;
if (misoInput.isHigh())
{
// System.out.println(" " + misoInput.getName() + " is high (i:" + i + ")");
// Shift one bit on the adcOut
adcOut |= 0x1;
}
if (DISPLAY_DIGIT)
System.out.println("ADCOUT: 0x" + Integer.toString(adcOut, 16).toUpperCase() +
", 0&" + Integer.toString(adcOut, 2).toUpperCase());
}
chipSelectOutput.high();
adcOut >>= 1; // Drop first bit
return adcOut;
}
}
| 12nosanshiro-pi4j-sample | LelandOilDetector/src/adc/ADCObserver.java | Java | mit | 4,263 |
package adc;
import java.util.ArrayList;
import java.util.List;
public class ADCContext
{
private static ADCContext instance = null;
private List<ADCListener> listeners = null;
private ADCContext()
{
listeners = new ArrayList<ADCListener>();
}
public synchronized static ADCContext getInstance()
{
if (instance == null)
instance = new ADCContext();
return instance;
}
public void addListener(ADCListener listener)
{
if (!listeners.contains(listener))
listeners.add(listener);
}
public void removeListener(ADCListener listener)
{
if (listeners.contains(listener))
listeners.remove(listener);
}
public List<ADCListener> getListeners()
{
return this.listeners;
}
public void fireValueChanged(ADCObserver.MCP3008_input_channels channel, int newValue)
{
for (ADCListener listener : listeners)
listener.valueUpdated(channel, newValue);
}
}
| 12nosanshiro-pi4j-sample | LelandOilDetector/src/adc/ADCContext.java | Java | mit | 946 |
package adc;
public class ADCListener
{
public void valueUpdated(ADCObserver.MCP3008_input_channels channel, int newValue) {};
}
| 12nosanshiro-pi4j-sample | LelandOilDetector/src/adc/ADCListener.java | Java | mit | 132 |
package adc.utils;
import org.fusesource.jansi.Ansi;
import org.fusesource.jansi.AnsiConsole;
public class EscapeSeq
{
public final static char ESC = '\u001b'; // (char) 27;
public final static String ANSI_BLACK = "0";
public final static String ANSI_RED = "1";
public final static String ANSI_GREEN = "2";
public final static String ANSI_YELLOW = "3";
public final static String ANSI_BLUE = "4";
public final static String ANSI_MAGENTA = "5";
public final static String ANSI_CYAN = "6";
public final static String ANSI_WHITE = "7";
public static final String ANSI_CLS = ESC + "[2J";
public static final String ANSI_HOME = ESC + "[H"; // 0,0
public static final String ANSI_HEAD = ESC + "[1G"; // Start of current line, position 1
public static final String ANSI_NORMAL = ESC + "[0m";
public static final String ANSI_BOLD = ESC + "[1m";
public static final String ANSI_FAINT = ESC + "[2m";
public static final String ANSI_ITALIC = ESC + "[3m";
public static final String ANSI_UNDERLINE = ESC + "[4m";
public static final String ANSI_BLINK = ESC + "[5m";
public static final String ANSI_BLINK_FAST = ESC + "[6m";
public static final String ANSI_REVERSE = ESC + "[7m";
public static final String ANSI_CONCEAL = ESC + "[8m";
public static final String ANSI_CROSSED_OUT = ESC + "[9m";
public static final String ANSI_DEFAULT_TEXT = ESC + "[39m";
public static final String ANSI_DEFAULT_BACKGROUND = ESC + "[49m";
private final static String[] SOME_TEXT =
{
"What happens when the boat sends an email:",
"On the boat, you compose your email, and you put it in your outbox.",
"Then you turn your SSB on, and you use the SailMail client program to contact a land SailMail station.",
"When the contact is established, the messages sitting in the outbox go through the modem and the SSB to ",
"be streamed to the land station. On receive, the land station then turns the messages back into digital files,",
"and uses its Internet connection to post them on the web. From there, it's the usual email story."
};
public static final String ANSI_AT55 = ESC + "[10;10H"; // Actually 10, 10
public static final String ANSI_WHITEONBLUE = ESC + "[37;44m";
public static String ansiSetBackGroundColor(String color)
{
// ESC[40-47
return ESC + "[4" + color + "m";
}
public static String ansiSetTextColor(String color)
{
// ESC[30-37
return ESC + "[3" + color + "m";
}
public static String ansiSetTextAndBackgroundColor(String text, String bg)
{
// ESC[30-37;40-47
return ESC + "[3" + text + ";4" + bg + "m";
}
public static String ansiLocate(int x, int y)
{
return ESC + "[" + Integer.toString(y) + ";" + Integer.toString(x) + "H"; // Actually Y, X
}
// An example
public static void main(String[] args)
{
String str80 = " ";
AnsiConsole.systemInstall();
AnsiConsole.out.println(ANSI_CLS);
// Display 5 rows, like an horizontal bar chart
for (int i=0; i<20; i++)
{
int value1 = (int)Math.round(Math.random() * 80);
int value2 = (int)Math.round(Math.random() * 80);
int value3 = (int)Math.round(Math.random() * 80);
int value4 = (int)Math.round(Math.random() * 80);
int value5 = (int)Math.round(Math.random() * 80);
String str1 = "";
for (int j=0; j<value1; j++)
str1 += ".";
String str2 = "";
for (int j=0; j<value2; j++)
str2 += ".";
String str3 = "";
for (int j=0; j<value3; j++)
str3 += ".";
String str4 = "";
for (int j=0; j<value4; j++)
str4 += ".";
String str5 = "";
for (int j=0; j<value5; j++)
str5 += ".";
str1 = superpose(str1, "Cell 1:" + Integer.toString(value1));
str2 = superpose(str2, "Cell 2:" + Integer.toString(value2));
str3 = superpose(str3, "Cell 3:" + Integer.toString(value3));
str4 = superpose(str4, "Cell 4:" + Integer.toString(value4));
str5 = superpose(str5, "Cell 5:" + Integer.toString(value5));
// AnsiConsole.out.println(ANSI_CLS);
AnsiConsole.out.println(ansiLocate(0, 1) + ANSI_NORMAL + ANSI_DEFAULT_BACKGROUND + ANSI_DEFAULT_TEXT + str80);
AnsiConsole.out.println(ansiLocate(0, 1) + ansiSetTextAndBackgroundColor(ANSI_WHITE, ANSI_RED) + ANSI_BOLD + str1 + ANSI_NORMAL + ANSI_DEFAULT_BACKGROUND + ANSI_DEFAULT_TEXT);
AnsiConsole.out.println(ansiLocate(0, 2) + ANSI_NORMAL + ANSI_DEFAULT_BACKGROUND + ANSI_DEFAULT_TEXT + str80);
AnsiConsole.out.println(ansiLocate(0, 2) + ansiSetTextAndBackgroundColor(ANSI_WHITE, ANSI_WHITE) + ANSI_BOLD + str2 + ANSI_NORMAL + ANSI_DEFAULT_BACKGROUND + ANSI_DEFAULT_TEXT);
AnsiConsole.out.println(ansiLocate(0, 3) + ANSI_NORMAL + ANSI_DEFAULT_BACKGROUND + ANSI_DEFAULT_TEXT + str80);
AnsiConsole.out.println(ansiLocate(0, 3) + ansiSetTextAndBackgroundColor(ANSI_WHITE, ANSI_YELLOW) + ANSI_BOLD + str3 + ANSI_NORMAL + ANSI_DEFAULT_BACKGROUND + ANSI_DEFAULT_TEXT);
AnsiConsole.out.println(ansiLocate(0, 4) + ANSI_NORMAL + ANSI_DEFAULT_BACKGROUND + ANSI_DEFAULT_TEXT + str80);
AnsiConsole.out.println(ansiLocate(0, 4) + ansiSetTextAndBackgroundColor(ANSI_WHITE, ANSI_GREEN) + ANSI_BOLD + str4 + ANSI_NORMAL + ANSI_DEFAULT_BACKGROUND + ANSI_DEFAULT_TEXT);
AnsiConsole.out.println(ansiLocate(0, 5) + ANSI_NORMAL + ANSI_DEFAULT_BACKGROUND + ANSI_DEFAULT_TEXT + str80);
AnsiConsole.out.println(ansiLocate(0, 5) + ansiSetTextAndBackgroundColor(ANSI_WHITE, ANSI_BLUE) + ANSI_BOLD + str5 + ANSI_NORMAL + ANSI_DEFAULT_BACKGROUND + ANSI_DEFAULT_TEXT);
try { Thread.sleep(1000L); } catch (Exception ex) {}
}
System.out.println(ansiSetTextAndBackgroundColor(ANSI_GREEN, ANSI_RED) + "this concludes the " + ansiSetTextColor(ANSI_WHITE) + "Jansi" + ansiSetTextColor(ANSI_GREEN) + " demo" + ANSI_NORMAL);
}
public static String superpose(String orig, String override)
{
byte[] ret = orig.getBytes();
for (int i=0; i<Math.min(orig.length(), override.length()); i++)
ret[i] = (byte)override.charAt(i);
return new String(ret);
}
public static void main_(String[] args)
{
AnsiConsole.systemInstall();
AnsiConsole.out.println(ANSI_CLS);
AnsiConsole.out.println(ANSI_AT55 + ANSI_REVERSE + "10,10 reverse : Hello world" + ANSI_NORMAL);
AnsiConsole.out.println(ANSI_HOME + ANSI_WHITEONBLUE + "WhiteOnBlue : Hello world" + ANSI_NORMAL);
AnsiConsole.out.print(ANSI_BOLD + "Bold : Press return..." + ANSI_NORMAL);
try
{
System.in.read();
}
catch (Exception e)
{
}
// AnsiConsole.out.println(ANSI_CLS);
AnsiConsole.out.println(ANSI_NORMAL + "Normal text and " + ANSI_WHITEONBLUE + "bold" + ANSI_NORMAL + " text.");
AnsiConsole.out.println(ANSI_NORMAL + "Normal " + ansiSetTextColor(ANSI_YELLOW) + "yellow" + ANSI_NORMAL + " text and " + ansiSetTextAndBackgroundColor(ANSI_WHITE, ANSI_BLACK) + "bold" + ANSI_NORMAL + " text.");
System.out.println(ANSI_NORMAL + "Normal text and " + ANSI_WHITEONBLUE + "bold" + ANSI_NORMAL + " text.");
System.out.println(ANSI_NORMAL + "Normal " + ansiSetTextColor(ANSI_YELLOW) + "yellow" + ANSI_NORMAL + " text and " + ansiSetTextAndBackgroundColor(ANSI_WHITE, ANSI_BLACK) + "bold" + ANSI_NORMAL + " text.");
for (String line : SOME_TEXT)
{
System.out.print(ANSI_HEAD + line);
try { Thread.sleep(1000); } catch (Exception ex) {}
}
System.out.println();
System.out.println(ansiSetTextAndBackgroundColor(ANSI_GREEN, ANSI_RED) + "this concludes the " + ansiSetTextColor(ANSI_WHITE) + "Jansi" + ansiSetTextColor(ANSI_GREEN) + " demo" + ANSI_NORMAL);
}
}
| 12nosanshiro-pi4j-sample | LelandOilDetector/src/adc/utils/EscapeSeq.java | Java | mit | 7,897 |
#!/bin/bash
echo Read an ADC, feed a WebSocket
#
if [ "$PI4J_HOME" = "" ]
then
PI4J_HOME=/opt/pi4j
fi
#
CP=./classes
CP=$CP:$PI4J_HOME/lib/pi4j-core.jar
CP=$CP:./lib/java_websocket.jar
#
sudo java -cp $CP -Dws.uri=ws://localhost:9876/ ws.WebSocketFeeder $*
| 12nosanshiro-pi4j-sample | LelandOilDetector/run.ws | Shell | mit | 259 |
#! /usr/bin/perl -w
use strict;
use POSIX;
use Fcntl;
use File::Temp 'tempfile';
use Getopt::Long qw(:config bundling);
# Command-line options.
our ($start_time) = time ();
our ($sim); # Simulator: bochs, qemu, or player.
our ($debug) = "none"; # Debugger: none, monitor, or gdb.
our ($mem) = 4; # Physical RAM in MB.
our ($serial) = 1; # Use serial port for input and output?
our ($vga); # VGA output: window, terminal, or none.
our ($jitter); # Seed for random timer interrupts, if set.
our ($realtime); # Synchronize timer interrupts with real time?
our ($timeout); # Maximum runtime in seconds, if set.
our ($kill_on_failure); # Abort quickly on test failure?
our (@puts); # Files to copy into the VM.
our (@gets); # Files to copy out of the VM.
our ($as_ref); # Reference to last addition to @gets or @puts.
our (@kernel_args); # Arguments to pass to kernel.
our (%disks) = (OS => {DEF_FN => 'os.dsk'}, # Disks to give VM.
FS => {DEF_FN => 'fs.dsk'},
SCRATCH => {DEF_FN => 'scratch.dsk'},
SWAP => {DEF_FN => 'swap.dsk'});
our (@disks_by_iface) = @disks{qw (OS FS SCRATCH SWAP)};
parse_command_line ();
find_disks ();
prepare_scratch_disk ();
prepare_arguments ();
run_vm ();
finish_scratch_disk ();
exit 0;
# Parses the command line.
sub parse_command_line {
usage (0) if @ARGV == 0 || (@ARGV == 1 && $ARGV[0] eq '--help');
@kernel_args = @ARGV;
if (grep ($_ eq '--', @kernel_args)) {
@ARGV = ();
while ((my $arg = shift (@kernel_args)) ne '--') {
push (@ARGV, $arg);
}
GetOptions ("sim=s" => sub { set_sim ($_[1]) },
"bochs" => sub { set_sim ("bochs") },
"qemu" => sub { set_sim ("qemu") },
"player" => sub { set_sim ("player") },
"debug=s" => sub { set_debug ($_[1]) },
"no-debug" => sub { set_debug ("none") },
"monitor" => sub { set_debug ("monitor") },
"gdb" => sub { set_debug ("gdb") },
"m|memory=i" => \$mem,
"j|jitter=i" => sub { set_jitter ($_[1]) },
"r|realtime" => sub { set_realtime () },
"T|timeout=i" => \$timeout,
"k|kill-on-failure" => \$kill_on_failure,
"v|no-vga" => sub { set_vga ('none'); },
"s|no-serial" => sub { $serial = 0; },
"t|terminal" => sub { set_vga ('terminal'); },
"p|put-file=s" => sub { add_file (\@puts, $_[1]); },
"g|get-file=s" => sub { add_file (\@gets, $_[1]); },
"a|as=s" => sub { set_as ($_[1]); },
"h|help" => sub { usage (0); },
"os-disk=s" => \$disks{OS}{FILE_NAME},
"fs-disk=s" => \$disks{FS}{FILE_NAME},
"scratch-disk=s" => \$disks{SCRATCH}{FILE_NAME},
"swap-disk=s" => \$disks{SWAP}{FILE_NAME},
"0|disk-0|hda=s" => \$disks_by_iface[0]{FILE_NAME},
"1|disk-1|hdb=s" => \$disks_by_iface[1]{FILE_NAME},
"2|disk-2|hdc=s" => \$disks_by_iface[2]{FILE_NAME},
"3|disk-3|hdd=s" => \$disks_by_iface[3]{FILE_NAME})
or exit 1;
}
$sim = "bochs" if !defined $sim;
$debug = "none" if !defined $debug;
$vga = "window" if !defined $vga;
undef $timeout, print "warning: disabling timeout with --$debug\n"
if defined ($timeout) && $debug ne 'none';
print "warning: enabling serial port for -k or --kill-on-failure\n"
if $kill_on_failure && !$serial;
}
# usage($exitcode).
# Prints a usage message and exits with $exitcode.
sub usage {
my ($exitcode) = @_;
$exitcode = 1 unless defined $exitcode;
print <<'EOF';
pintos, a utility for running Pintos in a simulator
Usage: pintos [OPTION...] -- [ARGUMENT...]
where each OPTION is one of the following options
and each ARGUMENT is passed to Pintos kernel verbatim.
Simulator selection:
--bochs (default) Use Bochs as simulator
--qemu Use QEMU as simulator
--player Use VMware Player as simulator
Debugger selection:
--no-debug (default) No debugger
--monitor Debug with simulator's monitor
--gdb Debug with gdb
Display options: (default is both VGA and serial)
-v, --no-vga No VGA display or keyboard
-s, --no-serial No serial input or output
-t, --terminal Display VGA in terminal (Bochs only)
Timing options: (Bochs only)
-j SEED Randomize timer interrupts
-r, --realtime Use realistic, not reproducible, timings
Testing options:
-T, --timeout=N Kill Pintos after N seconds CPU time or N*load_avg
seconds wall-clock time (whichever comes first)
-k, --kill-on-failure Kill Pintos a few seconds after a kernel or user
panic, test failure, or triple fault
Configuration options:
-m, --mem=N Give Pintos N MB physical RAM (default: 4)
File system commands (for `run' command):
-p, --put-file=HOSTFN Copy HOSTFN into VM, by default under same name
-g, --get-file=GUESTFN Copy GUESTFN out of VM, by default under same name
-a, --as=FILENAME Specifies guest (for -p) or host (for -g) file name
Disk options: (name an existing FILE or specify SIZE in MB for a temp disk)
--os-disk=FILE Set OS disk file (default: os.dsk)
--fs-disk=FILE|SIZE Set FS disk file (default: fs.dsk)
--scratch-disk=FILE|SIZE Set scratch disk (default: scratch.dsk)
--swap-disk=FILE|SIZE Set swap disk file (default: swap.dsk)
Other options:
-h, --help Display this help message.
EOF
exit $exitcode;
}
# Sets the simulator.
sub set_sim {
my ($new_sim) = @_;
die "--$new_sim conflicts with --$sim\n"
if defined ($sim) && $sim ne $new_sim;
$sim = $new_sim;
}
# Sets the debugger.
sub set_debug {
my ($new_debug) = @_;
die "--$new_debug conflicts with --$debug\n"
if $debug ne 'none' && $new_debug ne 'none' && $debug ne $new_debug;
$debug = $new_debug;
}
# Sets VGA output destination.
sub set_vga {
my ($new_vga) = @_;
if (defined ($vga) && $vga ne $new_vga) {
print "warning: conflicting vga display options\n";
}
$vga = $new_vga;
}
# Sets randomized timer interrupts.
sub set_jitter {
my ($new_jitter) = @_;
die "--realtime conflicts with --jitter\n" if defined $realtime;
die "different --jitter already defined\n"
if defined $jitter && $jitter != $new_jitter;
$jitter = $new_jitter;
}
# Sets real-time timer interrupts.
sub set_realtime {
die "--realtime conflicts with --jitter\n" if defined $jitter;
$realtime = 1;
}
# add_file(\@list, $file)
#
# Adds [$file] to @list, which should be @puts or @gets.
# Sets $as_ref to point to the added element.
sub add_file {
my ($list, $file) = @_;
$as_ref = [$file];
push (@$list, $as_ref);
}
# Sets the guest/host name for the previous put/get.
sub set_as {
my ($as) = @_;
die "-a (or --as) is only allowed after -p or -g\n" if !defined $as_ref;
die "Only one -a (or --as) is allowed after -p or -g\n"
if defined $as_ref->[1];
$as_ref->[1] = $as;
}
# Locates the files used to back each of the virtual disks,
# and creates temporary disks.
sub find_disks {
for my $disk (values %disks) {
# If there's no assigned file name but the default file exists,
# try to assign a default file name.
if (!defined ($disk->{FILE_NAME})) {
for my $try_fn ($disk->{DEF_FN}, "build/" . $disk->{DEF_FN}) {
$disk->{FILE_NAME} = $try_fn, last
if -e $try_fn;
}
}
# If there's no file name, we're done.
next if !defined ($disk->{FILE_NAME});
if ($disk->{FILE_NAME} =~ /^\d+(\.\d+)?|\.\d+$/) {
# Create a temporary disk of approximately the specified
# size in megabytes.
die "OS disk can't be temporary\n" if $disk == $disks{OS};
my ($mb) = $disk->{FILE_NAME};
undef $disk->{FILE_NAME};
my ($cyl_size) = 512 * 16 * 63;
extend_disk ($disk, ceil ($mb * 2) * $cyl_size);
} else {
# The file must exist and have nonzero size.
-e $disk->{FILE_NAME} or die "$disk->{FILE_NAME}: stat: $!\n";
-s _ or die "$disk->{FILE_NAME}: disk has zero size\n";
}
}
# Warn about (potentially) missing disks.
die "Cannot find OS disk\n" if !defined $disks{OS}{FILE_NAME};
if (my ($project) = `pwd` =~ /\b(threads|userprog|vm|filesys)\b/) {
if ((grep ($project eq $_, qw (userprog vm filesys)))
&& !defined ($disks{FS}{FILE_NAME})) {
print STDERR "warning: it looks like you're running the $project ";
print STDERR "project, but no file system disk is present\n";
}
if ($project eq 'vm' && !defined $disks{SWAP}{FILE_NAME}) {
print STDERR "warning: it looks like you're running the $project ";
print STDERR "project, but no swap disk is present\n";
}
}
}
# Prepare the scratch disk for gets and puts.
sub prepare_scratch_disk {
if (@puts) {
# Write ustar header and data for each file.
put_scratch_file ($_->[0],
defined $_->[1] ? $_->[1] : $_->[0])
foreach @puts;
# Write end-of-archive marker.
#print { $disks{SCRATCH}{HANDLE} } "\0" x 1024;
write_fully ($disks{SCRATCH}{HANDLE}, $disks{SCRATCH}{FILE_NAME},
"\0" x 1024);
}
# Make sure the scratch disk is big enough to get big files.
extend_disk ($disks{SCRATCH}, @gets * 1024 * 1024) if @gets;
}
# Read "get" files from the scratch disk.
sub finish_scratch_disk {
# We need to start reading the scratch disk from the beginning again.
if (@gets) {
close ($disks{SCRATCH}{HANDLE});
undef ($disks{SCRATCH}{HANDLE});
}
# Read each file.
# If reading fails, delete that file and all subsequent files.
my ($ok) = 1;
foreach my $get (@gets) {
my ($name) = defined ($get->[1]) ? $get->[1] : $get->[0];
my ($error) = get_scratch_file ($name);
if ($error) {
print STDERR "getting $name failed ($error)\n";
die "$name: unlink: $!\n" if !unlink ($name) && !$!{ENOENT};
$ok = 0;
}
}
}
# mk_ustar_field($number, $size)
#
# Returns $number in a $size-byte numeric field in the format used by
# the standard ustar archive header.
sub mk_ustar_field {
my ($number, $size) = @_;
my ($len) = $size - 1;
my ($out) = sprintf ("%0${len}o", $number) . "\0";
die "$number: too large for $size-byte octal ustar field\n"
if length ($out) != $size;
return $out;
}
# calc_ustar_chksum($s)
#
# Calculates and returns the ustar checksum of 512-byte ustar archive
# header $s.
sub calc_ustar_chksum {
my ($s) = @_;
die if length ($s) != 512;
substr ($s, 148, 8, ' ' x 8);
return unpack ("%32a*", $s);
}
# put_scratch_file($src_file_name, $dst_file_name).
#
# Copies $src_file_name into the scratch disk for extraction as
# $dst_file_name.
sub put_scratch_file {
my ($src_file_name, $dst_file_name) = @_;
my ($disk_handle, $disk_file_name) = open_disk ($disks{SCRATCH});
print "Copying $src_file_name to scratch partition...\n";
# ustar format supports up to 100 characters for a file name, and
# even longer names given some common properties, but our code in
# the Pintos kernel only supports at most 99 characters.
die "$dst_file_name: name too long (max 99 characters)\n"
if length ($dst_file_name) > 99;
# Compose and write ustar header.
stat $src_file_name or die "$src_file_name: stat: $!\n";
my ($size) = -s _;
my ($header) = (pack ("a100", $dst_file_name) # name
. mk_ustar_field (0644, 8) # mode
. mk_ustar_field (0, 8) # uid
. mk_ustar_field (0, 8) # gid
. mk_ustar_field ($size, 12) # size
. mk_ustar_field (1136102400, 12) # mtime
. (' ' x 8) # chksum
. '0' # typeflag
. ("\0" x 100) # linkname
. "ustar\0" # magic
. "00" # version
. "root" . ("\0" x 28) # uname
. "root" . ("\0" x 28) # gname
. "\0" x 8 # devmajor
. "\0" x 8 # devminor
. ("\0" x 155)) # prefix
. "\0" x 12; # pad to 512 bytes
substr ($header, 148, 8) = mk_ustar_field (calc_ustar_chksum ($header), 8);
write_fully ($disk_handle, $disk_file_name, $header);
# Copy file data.
my ($put_handle);
sysopen ($put_handle, $src_file_name, O_RDONLY)
or die "$src_file_name: open: $!\n";
copy_file ($put_handle, $src_file_name, $disk_handle, $disk_file_name,
$size);
die "$src_file_name: changed size while being read\n"
if $size != -s $put_handle;
close ($put_handle);
# Round up disk data to beginning of next sector.
write_fully ($disk_handle, $disk_file_name, "\0" x (512 - $size % 512))
if $size % 512;
}
# get_scratch_file($file).
#
# Copies from the scratch disk to $file.
# Returns 1 if successful, 0 on failure.
sub get_scratch_file {
my ($get_file_name) = @_;
my ($disk_handle, $disk_file_name) = open_disk ($disks{SCRATCH});
print "Copying $get_file_name out of $disk_file_name...\n";
# Read ustar header sector.
my ($header) = read_fully ($disk_handle, $disk_file_name, 512);
return "scratch disk tar archive ends unexpectedly"
if $header eq ("\0" x 512);
# Verify magic numbers.
return "corrupt ustar signature" if substr ($header, 257, 6) ne "ustar\0";
return "invalid ustar version" if substr ($header, 263, 2) ne '00';
# Verify checksum.
my ($chksum) = oct (unpack ("Z*", substr ($header, 148, 8)));
my ($correct_chksum) = calc_ustar_chksum ($header);
return "checksum mismatch" if $chksum != $correct_chksum;
# Get type.
my ($typeflag) = substr ($header, 156, 1);
return "not a regular file" if $typeflag ne '0' && $typeflag ne "\0";
# Get size.
my ($size) = oct (unpack ("Z*", substr ($header, 124, 12)));
return "bad size $size\n" if $size < 0;
# Copy file data.
my ($get_handle);
sysopen ($get_handle, $get_file_name, O_WRONLY | O_CREAT, 0666)
or die "$get_file_name: create: $!\n";
copy_file ($disk_handle, $disk_file_name, $get_handle, $get_file_name,
$size);
close ($get_handle);
# Skip forward in disk up to beginning of next sector.
read_fully ($disk_handle, $disk_file_name, 512 - $size % 512)
if $size % 512;
return 0;
}
# Prepares the arguments to pass to the Pintos kernel,
# and then write them into Pintos bootloader.
sub prepare_arguments {
my (@args);
push (@args, shift (@kernel_args))
while @kernel_args && $kernel_args[0] =~ /^-/;
push (@args, 'extract') if @puts;
push (@args, @kernel_args);
push (@args, 'append', $_->[0]) foreach @gets;
write_cmd_line ($disks{OS}, @args);
}
# Writes @args into the Pintos bootloader at the beginning of $disk.
sub write_cmd_line {
my ($disk, @args) = @_;
# Figure out command line to write.
my ($arg_cnt) = pack ("V", scalar (@args));
my ($args) = join ('', map ("$_\0", @args));
die "command line exceeds 128 bytes" if length ($args) > 128;
$args .= "\0" x (128 - length ($args));
# Write command line.
my ($handle, $file_name) = open_disk_copy ($disk);
print "Writing command line to $file_name...\n";
sysseek ($handle, 0x17a, 0) == 0x17a or die "$file_name: seek: $!\n";
syswrite ($handle, "$arg_cnt$args") or die "$file_name: write: $!\n";
}
# Running simulators.
# Runs the selected simulator.
sub run_vm {
if ($sim eq 'bochs') {
run_bochs ();
} elsif ($sim eq 'qemu') {
run_qemu ();
} elsif ($sim eq 'player') {
run_player ();
} else {
die "unknown simulator `$sim'\n";
}
}
# Runs Bochs.
sub run_bochs {
# Select Bochs binary based on the chosen debugger.
my ($bin) = $debug eq 'monitor' ? 'bochs-dbg' : 'bochs';
my ($squish_pty);
if ($serial) {
$squish_pty = find_in_path ("squish-pty");
print "warning: can't find squish-pty, so terminal input will fail\n"
if !defined $squish_pty;
}
# Write bochsrc.txt configuration file.
open (BOCHSRC, ">", "bochsrc.txt") or die "bochsrc.txt: create: $!\n";
print BOCHSRC <<EOF;
romimage: file=\$BXSHARE/BIOS-bochs-latest
vgaromimage: file=\$BXSHARE/VGABIOS-lgpl-latest
boot: disk
cpu: ips=1000000
megs: $mem
log: bochsout.txt
panic: action=fatal
EOF
print BOCHSRC "gdbstub: enabled=1\n" if $debug eq 'gdb';
if ($realtime) {
print BOCHSRC "clock: sync=realtime\n";
} else {
print BOCHSRC "clock: sync=none, time0=0\n";
}
print_bochs_disk_line ("ata0-master", 0);
print_bochs_disk_line ("ata0-slave", 1);
if (defined ($disks_by_iface[2]{FILE_NAME})
|| defined ($disks_by_iface[3]{FILE_NAME})) {
print BOCHSRC "ata1: enabled=1, ioaddr1=0x170, ",
"ioaddr2=0x370, irq=15\n";
print_bochs_disk_line ("ata1-master", 2);
print_bochs_disk_line ("ata1-slave", 3);
}
if ($vga ne 'terminal') {
if ($serial) {
my $mode = defined ($squish_pty) ? "term" : "file";
print BOCHSRC "com1: enabled=1, mode=$mode, dev=/dev/stdout\n";
}
print BOCHSRC "display_library: nogui\n" if $vga eq 'none';
} else {
print BOCHSRC "display_library: term\n";
}
close (BOCHSRC);
# Compose Bochs command line.
my (@cmd) = ($bin, '-q');
unshift (@cmd, $squish_pty) if defined $squish_pty;
push (@cmd, '-j', $jitter) if defined $jitter;
# Run Bochs.
print join (' ', @cmd), "\n";
my ($exit) = xsystem (@cmd);
if (WIFEXITED ($exit)) {
# Bochs exited normally.
# Ignore the exit code; Bochs normally exits with status 1,
# which is weird.
} elsif (WIFSIGNALED ($exit)) {
die "Bochs died with signal ", WTERMSIG ($exit), "\n";
} else {
die "Bochs died: code $exit\n";
}
}
# print_bochs_disk_line($device, $iface)
#
# If IDE interface $iface has a disk attached, prints a bochsrc.txt
# line for attaching it to $device.
sub print_bochs_disk_line {
my ($device, $iface) = @_;
my ($disk) = $disks_by_iface[$iface];
my ($file) = $disk->{FILE_NAME};
if (defined $file) {
my (%geom) = disk_geometry ($disk);
print BOCHSRC "$device: type=disk, path=$file, mode=flat, ";
print BOCHSRC "cylinders=$geom{C}, heads=$geom{H}, spt=$geom{S}, ";
print BOCHSRC "translation=none\n";
}
}
# Runs QEMU.
sub run_qemu {
print "warning: qemu doesn't support --terminal\n"
if $vga eq 'terminal';
print "warning: qemu doesn't support jitter\n"
if defined $jitter;
my (@cmd) = ('qemu');
for my $iface (0...3) {
my ($option) = ('-hda', '-hdb', '-hdc', '-hdd')[$iface];
push (@cmd, $option, $disks_by_iface[$iface]{FILE_NAME})
if defined $disks_by_iface[$iface]{FILE_NAME};
}
push (@cmd, '-m', $mem);
push (@cmd, '-net', 'none');
push (@cmd, '-nographic') if $vga eq 'none';
push (@cmd, '-serial', 'stdio') if $serial && $vga ne 'none';
push (@cmd, '-S') if $debug eq 'monitor';
push (@cmd, '-s', '-S') if $debug eq 'gdb';
push (@cmd, '-monitor', 'null') if $vga eq 'none' && $debug eq 'none';
run_command (@cmd);
}
# player_unsup($flag)
#
# Prints a message that $flag is unsupported by VMware Player.
sub player_unsup {
my ($flag) = @_;
print "warning: no support for $flag with VMware Player\n";
}
# Runs VMware Player.
sub run_player {
player_unsup ("--$debug") if $debug ne 'none';
player_unsup ("--no-vga") if $vga eq 'none';
player_unsup ("--terminal") if $vga eq 'terminal';
player_unsup ("--jitter") if defined $jitter;
player_unsup ("--timeout"), undef $timeout if defined $timeout;
player_unsup ("--kill-on-failure"), undef $kill_on_failure
if defined $kill_on_failure;
# Memory size must be multiple of 4.
$mem = int (($mem + 3) / 4) * 4;
open (VMX, ">", "pintos.vmx") or die "pintos.vmx: create: $!\n";
chmod 0777 & ~umask, "pintos.vmx";
print VMX <<EOF;
#! /usr/bin/vmware -G
config.version = 8
guestOS = "linux"
memsize = $mem
floppy0.present = FALSE
usb.present = FALSE
sound.present = FALSE
gui.exitAtPowerOff = TRUE
gui.exitOnCLIHLT = TRUE
gui.powerOnAtStartUp = TRUE
EOF
print VMX <<EOF if $serial;
serial0.present = TRUE
serial0.fileType = "pipe"
serial0.fileName = "pintos.socket"
serial0.pipe.endPoint = "client"
serial0.tryNoRxLoss = "TRUE"
EOF
for (my ($i) = 0; $i < 4; $i++) {
my ($disk) = $disks_by_iface[$i];
my ($dsk) = $disk->{FILE_NAME};
next if !defined $dsk;
my ($device) = "ide" . int ($i / 2) . ":" . ($i % 2);
my ($pln) = "$device.pln";
print VMX <<EOF;
$device.present = TRUE
$device.deviceType = "plainDisk"
$device.fileName = "$pln"
EOF
open (URANDOM, '<', '/dev/urandom') or die "/dev/urandom: open: $!\n";
my ($bytes);
sysread (URANDOM, $bytes, 4) == 4 or die "/dev/urandom: read: $!\n";
close (URANDOM);
my ($cid) = unpack ("L", $bytes);
my (%geom) = disk_geometry ($disk);
open (PLN, ">", $pln) or die "$pln: create: $!\n";
print PLN <<EOF;
version=1
CID=$cid
parentCID=ffffffff
createType="monolithicFlat"
RW $geom{CAPACITY} FLAT "$dsk" 0
# The Disk Data Base
#DDB
ddb.adapterType = "ide"
ddb.virtualHWVersion = "4"
ddb.toolsVersion = "2"
ddb.geometry.cylinders = "$geom{C}"
ddb.geometry.heads = "$geom{H}"
ddb.geometry.sectors = "$geom{S}"
EOF
close (PLN);
}
close (VMX);
my ($squish_unix);
if ($serial) {
$squish_unix = find_in_path ("squish-unix");
print "warning: can't find squish-unix, so terminal input ",
"and output will fail\n" if !defined $squish_unix;
}
my ($vmx) = getcwd () . "/pintos.vmx";
my (@cmd) = ("vmplayer", $vmx);
unshift (@cmd, $squish_unix, "pintos.socket") if $squish_unix;
print join (' ', @cmd), "\n";
xsystem (@cmd);
}
# Disk utilities.
# open_disk($disk)
#
# Opens $disk, if it is not already open, and returns its file handle
# and file name.
sub open_disk {
my ($disk) = @_;
if (!defined ($disk->{HANDLE})) {
if ($disk->{FILE_NAME}) {
sysopen ($disk->{HANDLE}, $disk->{FILE_NAME}, O_RDWR)
or die "$disk->{FILE_NAME}: open: $!\n";
} else {
($disk->{HANDLE}, $disk->{FILE_NAME}) = tempfile (UNLINK => 1,
SUFFIX => '.dsk');
}
}
return ($disk->{HANDLE}, $disk->{FILE_NAME});
}
# open_disk_copy($disk)
#
# Makes a temporary copy of $disk and returns its file handle and file name.
sub open_disk_copy {
my ($disk) = @_;
die if !$disk->{FILE_NAME};
my ($orig_handle, $orig_file_name) = open_disk ($disk);
my ($cp_handle, $cp_file_name) = tempfile (UNLINK => 1, SUFFIX => '.dsk');
copy_file ($orig_handle, $orig_file_name, $cp_handle, $cp_file_name,
-s $orig_handle);
return ($disk->{HANDLE}, $disk->{FILE_NAME}) = ($cp_handle, $cp_file_name);
}
# extend_disk($disk, $size)
#
# Extends $disk, if necessary, so that it is at least $size bytes
# long.
sub extend_disk {
my ($disk, $size) = @_;
my ($handle, $file_name) = open_disk ($disk);
if (-s ($handle) < $size) {
sysseek ($handle, $size - 1, 0) == $size - 1
or die "$file_name: seek: $!\n";
syswrite ($handle, "\0") == 1
or die "$file_name: write: $!\n";
}
}
# disk_geometry($file)
#
# Examines $file and returns a valid IDE disk geometry for it, as a
# hash.
sub disk_geometry {
my ($disk) = @_;
my ($file) = $disk->{FILE_NAME};
my ($size) = -s $file;
die "$file: stat: $!\n" if !defined $size;
die "$file: size not a multiple of 512 bytes\n" if $size % 512;
my ($cyl_size) = 512 * 16 * 63;
my ($cylinders) = ceil ($size / $cyl_size);
extend_disk ($disk, $cylinders * $cyl_size) if $size % $cyl_size;
return (CAPACITY => $size / 512,
C => $cylinders,
H => 16,
S => 63);
}
# copy_file($from_handle, $from_file_name, $to_handle, $to_file_name, $size)
#
# Copies $size bytes from $from_handle to $to_handle.
# $from_file_name and $to_file_name are used in error messages.
sub copy_file {
my ($from_handle, $from_file_name, $to_handle, $to_file_name, $size) = @_;
while ($size > 0) {
my ($chunk_size) = 4096;
$chunk_size = $size if $chunk_size > $size;
$size -= $chunk_size;
my ($data) = read_fully ($from_handle, $from_file_name, $chunk_size);
write_fully ($to_handle, $to_file_name, $data);
}
}
# read_fully($handle, $file_name, $bytes)
#
# Reads exactly $bytes bytes from $handle and returns the data read.
# $file_name is used in error messages.
sub read_fully {
my ($handle, $file_name, $bytes) = @_;
my ($data);
my ($read_bytes) = sysread ($handle, $data, $bytes);
die "$file_name: read: $!\n" if !defined $read_bytes;
die "$file_name: unexpected end of file\n" if $read_bytes != $bytes;
return $data;
}
# write_fully($handle, $file_name, $data)
#
# Write $data to $handle.
# $file_name is used in error messages.
sub write_fully {
my ($handle, $file_name, $data) = @_;
my ($written_bytes) = syswrite ($handle, $data);
die "$file_name: write: $!\n" if !defined $written_bytes;
die "$file_name: short write\n" if $written_bytes != length $data;
}
# Subprocess utilities.
# run_command(@args)
#
# Runs xsystem(@args).
# Also prints the command it's running and checks that it succeeded.
sub run_command {
print join (' ', @_), "\n";
die "command failed\n" if xsystem (@_);
}
# xsystem(@args)
#
# Creates a subprocess via exec(@args) and waits for it to complete.
# Relays common signals to the subprocess.
# If $timeout is set then the subprocess will be killed after that long.
sub xsystem {
# QEMU turns off local echo and does not restore it if killed by a signal.
# We compensate by restoring it ourselves.
my $cleanup = sub {};
if (isatty (0)) {
my $termios = POSIX::Termios->new;
$termios->getattr (0);
$cleanup = sub { $termios->setattr (0, &POSIX::TCSANOW); }
}
# Create pipe for filtering output.
pipe (my $in, my $out) or die "pipe: $!\n" if $kill_on_failure;
my ($pid) = fork;
if (!defined ($pid)) {
# Fork failed.
die "fork: $!\n";
} elsif (!$pid) {
# Running in child process.
dup2 (fileno ($out), STDOUT_FILENO) or die "dup2: $!\n"
if $kill_on_failure;
exec_setitimer (@_);
} else {
# Running in parent process.
close $out if $kill_on_failure;
my ($cause);
local $SIG{ALRM} = sub { timeout ($pid, $cause, $cleanup); };
local $SIG{INT} = sub { relay_signal ($pid, "INT", $cleanup); };
local $SIG{TERM} = sub { relay_signal ($pid, "TERM", $cleanup); };
alarm ($timeout * get_load_average () + 1) if defined ($timeout);
if ($kill_on_failure) {
# Filter output.
my ($buf) = "";
my ($boots) = 0;
local ($|) = 1;
for (;;) {
if (waitpid ($pid, WNOHANG) != 0) {
# Subprocess died. Pass through any remaining data.
print $buf while sysread ($in, $buf, 4096) > 0;
last;
}
# Read and print out pipe data.
my ($len) = length ($buf);
waitpid ($pid, 0), last
if sysread ($in, $buf, 4096, $len) <= 0;
print substr ($buf, $len);
# Remove full lines from $buf and scan them for keywords.
while ((my $idx = index ($buf, "\n")) >= 0) {
local $_ = substr ($buf, 0, $idx + 1, '');
next if defined ($cause);
if (/(Kernel PANIC|User process ABORT)/ ) {
$cause = "\L$1\E";
alarm (5);
} elsif (/Pintos booting/ && ++$boots > 1) {
$cause = "triple fault";
alarm (5);
} elsif (/FAILED/) {
$cause = "test failure";
alarm (5);
}
}
}
} else {
waitpid ($pid, 0);
}
alarm (0);
&$cleanup ();
if (WIFSIGNALED ($?) && WTERMSIG ($?) == SIGVTALRM ()) {
seek (STDOUT, 0, 2);
print "\nTIMEOUT after $timeout seconds of host CPU time\n";
exit 0;
}
return $?;
}
}
# relay_signal($pid, $signal, &$cleanup)
#
# Relays $signal to $pid and then reinvokes it for us with the default
# handler. Also cleans up temporary files and invokes $cleanup.
sub relay_signal {
my ($pid, $signal, $cleanup) = @_;
kill $signal, $pid;
eval { File::Temp::cleanup() }; # Not defined in old File::Temp.
&$cleanup ();
$SIG{$signal} = 'DEFAULT';
kill $signal, getpid ();
}
# timeout($pid, $cause, &$cleanup)
#
# Interrupts $pid and dies with a timeout error message,
# after invoking $cleanup.
sub timeout {
my ($pid, $cause, $cleanup) = @_;
kill "INT", $pid;
waitpid ($pid, 0);
&$cleanup ();
seek (STDOUT, 0, 2);
if (!defined ($cause)) {
my ($load_avg) = `uptime` =~ /(load average:.*)$/i;
print "\nTIMEOUT after ", time () - $start_time,
" seconds of wall-clock time";
print " - $load_avg" if defined $load_avg;
print "\n";
} else {
print "Simulation terminated due to $cause.\n";
}
exit 0;
}
# Returns the system load average over the last minute.
# If the load average is less than 1.0 or cannot be determined, returns 1.0.
sub get_load_average {
my ($avg) = `uptime` =~ /load average:\s*([^,]+),/;
return $avg >= 1.0 ? $avg : 1.0;
}
# Calls setitimer to set a timeout, then execs what was passed to us.
sub exec_setitimer {
if (defined $timeout) {
if ($ ge 5.8.0) {
eval "
use Time::HiRes qw(setitimer ITIMER_VIRTUAL);
setitimer (ITIMER_VIRTUAL, $timeout, 0);
";
} else {
{ exec ("setitimer-helper", $timeout, @_); };
exit 1 if !$!{ENOENT};
print STDERR "warning: setitimer-helper is not installed, so ",
"CPU time limit will not be enforced\n";
}
}
exec (@_);
exit (1);
}
sub SIGVTALRM {
use Config;
my $i = 0;
foreach my $name (split(' ', $Config{sig_name})) {
return $i if $name eq 'VTALRM';
$i++;
}
return 0;
}
# find_in_path ($program)
#
# Searches for $program in $ENV{PATH}.
# Returns $program if found, otherwise undef.
sub find_in_path {
my ($program) = @_;
-x "$_/$program" and return $program foreach split (':', $ENV{PATH});
return;
}
| 10cm | trunk/10cm/pintos/src/utils/pintos | Perl | oos | 29,493 |
#! /usr/bin/perl -w
use strict;
# Check command line.
if (grep ($_ eq '-h' || $_ eq '--help', @ARGV)) {
print <<'EOF';
backtrace, for converting raw addresses into symbolic backtraces
usage: backtrace [BINARY]... ADDRESS...
where BINARY is the binary file or files from which to obtain symbols
and ADDRESS is a raw address to convert to a symbol name.
If no BINARY is unspecified, the default is the first of kernel.o or
build/kernel.o that exists. If multiple binaries are specified, each
symbol printed is from the first binary that contains a match.
The ADDRESS list should be taken from the "Call stack:" printed by the
kernel. Read "Backtraces" in the "Debugging Tools" chapter of the
Pintos documentation for more information.
EOF
exit 0;
}
die "backtrace: at least one argument required (use --help for help)\n"
if @ARGV == 0;
# Drop garbage inserted by kernel.
@ARGV = grep (!/^(call|stack:?|[-+])$/i, @ARGV);
s/\.$// foreach @ARGV;
# Find binaries.
my (@binaries);
while ($ARGV[0] !~ /^0x/) {
my ($bin) = shift @ARGV;
die "backtrace: $bin: not found (use --help for help)\n" if ! -e $bin;
push (@binaries, $bin);
}
if (!@binaries) {
my ($bin);
if (-e 'kernel.o') {
$bin = 'kernel.o';
} elsif (-e 'build/kernel.o') {
$bin = 'build/kernel.o';
} else {
die "backtrace: no binary specified and neither \"kernel.o\" nor \"build/kernel.o\" exists (use --help for help)\n";
}
push (@binaries, $bin);
}
# Find addr2line.
my ($a2l) = search_path ("i386-elf-addr2line") || search_path ("addr2line");
if (!$a2l) {
die "backtrace: neither `i386-elf-addr2line' nor `addr2line' in PATH\n";
}
sub search_path {
my ($target) = @_;
for my $dir (split (':', $ENV{PATH})) {
my ($file) = "$dir/$target";
return $file if -e $file;
}
return undef;
}
# Figure out backtrace.
my (@locs) = map ({ADDR => $_}, @ARGV);
for my $bin (@binaries) {
open (A2L, "$a2l -fe $bin " . join (' ', map ($_->{ADDR}, @locs)) . "|");
for (my ($i) = 0; <A2L>; $i++) {
my ($function, $line);
chomp ($function = $_);
chomp ($line = <A2L>);
next if defined $locs[$i]{BINARY};
if ($function ne '??' || $line ne '??:0') {
$locs[$i]{FUNCTION} = $function;
$locs[$i]{LINE} = $line;
$locs[$i]{BINARY} = $bin;
}
}
close (A2L);
}
# Print backtrace.
my ($cur_binary);
for my $loc (@locs) {
if (defined ($loc->{BINARY})
&& @binaries > 1
&& (!defined ($cur_binary) || $loc->{BINARY} ne $cur_binary)) {
$cur_binary = $loc->{BINARY};
print "In $cur_binary:\n";
}
my ($addr) = $loc->{ADDR};
$addr = sprintf ("0x%08x", hex ($addr)) if $addr =~ /^0x[0-9a-f]+$/i;
print $addr, ": ";
if (defined ($loc->{BINARY})) {
my ($function) = $loc->{FUNCTION};
my ($line) = $loc->{LINE};
$line =~ s/^(\.\.\/)*//;
$line = "..." . substr ($line, -25) if length ($line) > 28;
print "$function ($line)";
} else {
print "(unknown)";
}
print "\n";
}
| 10cm | trunk/10cm/pintos/src/utils/backtrace | Perl | oos | 2,951 |
#! /usr/bin/perl
use strict;
use warnings;
use POSIX;
use Getopt::Long;
use Fcntl 'SEEK_SET';
GetOptions ("h|help" => sub { usage (0); })
or exit 1;
usage (1) if @ARGV != 2;
my ($disk, $mb) = @ARGV;
die "$disk: already exists\n" if -e $disk;
die "\"$mb\" is not a valid size in megabytes\n"
if $mb <= 0 || $mb > 1024 || $mb !~ /^\d+(\.\d+)?|\.\d+/;
my ($cyl_cnt) = ceil ($mb * 2);
my ($cyl_bytes) = 512 * 16 * 63;
my ($bytes) = $cyl_bytes * $cyl_cnt;
open (DISK, '>', $disk) or die "$disk: create: $!\n";
sysseek (DISK, $bytes - 1, SEEK_SET) or die "$disk: seek: $!\n";
syswrite (DISK, "\0", 1) == 1 or die "$disk: write: $!\n";
close (DISK) or die "$disk: close: $!\n";
sub usage {
print <<'EOF';
pintos-mkdisk, a utility for creating Pintos virtual disks
Usage: pintos DISKFILE MB
where DISKFILE is the file to use for the disk
and MB is the disk size in (approximate) megabytes.
Options:
-h, --help Display this help message.
EOF
exit (@_);
}
| 10cm | trunk/10cm/pintos/src/utils/pintos-mkdisk | Perl | oos | 975 |
#define _GNU_SOURCE 1
#include <errno.h>
#include <fcntl.h>
#include <signal.h>
#include <stdarg.h>
#include <stdbool.h>
#include <stddef.h>
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <stropts.h>
#include <sys/ioctl.h>
#include <sys/stat.h>
#include <sys/time.h>
#include <sys/types.h>
#include <sys/wait.h>
#include <sys/socket.h>
#include <sys/un.h>
#include <termios.h>
#include <unistd.h>
static void
fail_io (const char *msg, ...)
__attribute__ ((noreturn))
__attribute__ ((format (printf, 1, 2)));
/* Prints MSG, formatting as with printf(),
plus an error message based on errno,
and exits. */
static void
fail_io (const char *msg, ...)
{
va_list args;
va_start (args, msg);
vfprintf (stderr, msg, args);
va_end (args);
if (errno != 0)
fprintf (stderr, ": %s", strerror (errno));
putc ('\n', stderr);
exit (EXIT_FAILURE);
}
/* If FD is a terminal, configures it for noncanonical input mode
with VMIN and VTIME set as indicated.
If FD is not a terminal, has no effect. */
static void
make_noncanon (int fd, int vmin, int vtime)
{
if (isatty (fd))
{
struct termios termios;
if (tcgetattr (fd, &termios) < 0)
fail_io ("tcgetattr");
termios.c_lflag &= ~(ICANON | ECHO);
termios.c_cc[VMIN] = vmin;
termios.c_cc[VTIME] = vtime;
if (tcsetattr (fd, TCSANOW, &termios) < 0)
fail_io ("tcsetattr");
}
}
/* Make FD non-blocking if NONBLOCKING is true,
or blocking if NONBLOCKING is false. */
static void
make_nonblocking (int fd, bool nonblocking)
{
int flags = fcntl (fd, F_GETFL);
if (flags < 0)
fail_io ("fcntl");
if (nonblocking)
flags |= O_NONBLOCK;
else
flags &= ~O_NONBLOCK;
if (fcntl (fd, F_SETFL, flags) < 0)
fail_io ("fcntl");
}
/* Handle a read or write on *FD, which is the socket if
FD_IS_SOCK is true, that returned end-of-file or error
indication RETVAL. The system call is named CALL, for use in
error messages. Returns true if processing may continue,
false if we're all done. */
static bool
handle_error (ssize_t retval, int *fd, bool fd_is_sock, const char *call)
{
if (retval == 0)
{
if (fd_is_sock)
return false;
else
{
*fd = -1;
return true;
}
}
else
fail_io (call);
}
/* Copies data from stdin to SOCK and from SOCK to stdout until no
more data can be read or written. */
static void
relay (int sock)
{
struct pipe
{
int in, out;
char buf[BUFSIZ];
size_t size, ofs;
bool active;
};
struct pipe pipes[2];
/* In case stdin is a file, go back to the beginning.
This allows replaying the input on reset. */
lseek (STDIN_FILENO, 0, SEEK_SET);
/* Make SOCK, stdin, and stdout non-blocking. */
make_nonblocking (sock, true);
make_nonblocking (STDIN_FILENO, true);
make_nonblocking (STDOUT_FILENO, true);
/* Configure noncanonical mode on stdin to avoid waiting for
end-of-line. */
make_noncanon (STDIN_FILENO, 1, 0);
memset (pipes, 0, sizeof pipes);
pipes[0].in = STDIN_FILENO;
pipes[0].out = sock;
pipes[1].in = sock;
pipes[1].out = STDOUT_FILENO;
while (pipes[0].in != -1 || pipes[1].in != -1
|| (pipes[1].size && pipes[1].out != -1))
{
fd_set read_fds, write_fds;
sigset_t empty_set;
int retval;
int i;
FD_ZERO (&read_fds);
FD_ZERO (&write_fds);
for (i = 0; i < 2; i++)
{
struct pipe *p = &pipes[i];
/* Don't do anything with the stdin->sock pipe until we
have some data for the sock->stdout pipe. If we get
too eager, vmplayer will throw away our input. */
if (i == 0 && !pipes[1].active)
continue;
if (p->in != -1 && p->size + p->ofs < sizeof p->buf)
FD_SET (p->in, &read_fds);
if (p->out != -1 && p->size > 0)
FD_SET (p->out, &write_fds);
}
sigemptyset (&empty_set);
retval = pselect (FD_SETSIZE, &read_fds, &write_fds, NULL, NULL,
&empty_set);
if (retval < 0)
{
if (errno == EINTR)
{
/* Child died. Do final relaying. */
struct pipe *p = &pipes[1];
if (p->out == -1)
exit (0);
make_nonblocking (STDOUT_FILENO, false);
for (;;)
{
ssize_t n;
/* Write buffer. */
while (p->size > 0)
{
n = write (p->out, p->buf + p->ofs, p->size);
if (n < 0)
fail_io ("write");
else if (n == 0)
fail_io ("zero-length write");
p->ofs += n;
p->size -= n;
}
p->ofs = 0;
p->size = n = read (p->in, p->buf, sizeof p->buf);
if (n <= 0)
exit (0);
}
}
fail_io ("select");
}
for (i = 0; i < 2; i++)
{
struct pipe *p = &pipes[i];
if (p->in != -1 && FD_ISSET (p->in, &read_fds))
{
ssize_t n = read (p->in, p->buf + p->ofs + p->size,
sizeof p->buf - p->ofs - p->size);
if (n > 0)
{
p->active = true;
p->size += n;
if (p->size == BUFSIZ && p->ofs != 0)
{
memmove (p->buf, p->buf + p->ofs, p->size);
p->ofs = 0;
}
}
else if (!handle_error (n, &p->in, p->in == sock, "read"))
return;
}
if (p->out != -1 && FD_ISSET (p->out, &write_fds))
{
ssize_t n = write (p->out, p->buf + p->ofs, p->size);
if (n > 0)
{
p->ofs += n;
p->size -= n;
if (p->size == 0)
p->ofs = 0;
}
else if (!handle_error (n, &p->out, p->out == sock, "write"))
return;
}
}
}
}
static void
sigchld_handler (int signo __attribute__ ((unused)))
{
/* Nothing to do. */
}
int
main (int argc __attribute__ ((unused)), char *argv[])
{
pid_t pid;
struct itimerval zero_itimerval;
struct sockaddr_un sun;
sigset_t sigchld_set;
int sock;
if (argc < 3)
{
fprintf (stderr,
"usage: squish-unix SOCKET COMMAND [ARG]...\n"
"Squishes both stdin and stdout into a single Unix domain\n"
"socket named SOCKET, and runs COMMAND as a subprocess.\n");
return EXIT_FAILURE;
}
/* Create socket. */
sock = socket (PF_LOCAL, SOCK_STREAM, 0);
if (sock < 0)
fail_io ("socket");
/* Configure socket. */
sun.sun_family = AF_LOCAL;
strncpy (sun.sun_path, argv[1], sizeof sun.sun_path);
sun.sun_path[sizeof sun.sun_path - 1] = '\0';
if (unlink (sun.sun_path) < 0 && errno != ENOENT)
fail_io ("unlink");
if (bind (sock, (struct sockaddr *) &sun,
(offsetof (struct sockaddr_un, sun_path)
+ strlen (sun.sun_path) + 1)) < 0)
fail_io ("bind");
/* Listen on socket. */
if (listen (sock, 1) < 0)
fail_io ("listen");
/* Block SIGCHLD and set up a handler for it. */
sigemptyset (&sigchld_set);
sigaddset (&sigchld_set, SIGCHLD);
if (sigprocmask (SIG_BLOCK, &sigchld_set, NULL) < 0)
fail_io ("sigprocmask");
if (signal (SIGCHLD, sigchld_handler) == SIG_ERR)
fail_io ("signal");
/* Save the virtual interval timer, which might have been set
by the process that ran us. It really should be applied to
our child process. */
memset (&zero_itimerval, 0, sizeof zero_itimerval);
if (setitimer (ITIMER_VIRTUAL, &zero_itimerval, NULL) < 0)
fail_io ("setitimer");
pid = fork ();
if (pid < 0)
fail_io ("fork");
else if (pid != 0)
{
/* Running in parent process. */
make_nonblocking (sock, true);
for (;;)
{
fd_set read_fds;
sigset_t empty_set;
int retval;
int conn;
/* Wait for connection. */
FD_ZERO (&read_fds);
FD_SET (sock, &read_fds);
sigemptyset (&empty_set);
retval = pselect (sock + 1, &read_fds, NULL, NULL, NULL, &empty_set);
if (retval < 0)
{
if (errno == EINTR)
break;
fail_io ("select");
}
/* Accept connection. */
conn = accept (sock, NULL, NULL);
if (conn < 0)
fail_io ("accept");
/* Relay connection. */
relay (conn);
close (conn);
}
return 0;
}
else
{
/* Running in child process. */
if (close (sock) < 0)
fail_io ("close");
execvp (argv[2], argv + 2);
fail_io ("exec");
}
}
| 10cm | trunk/10cm/pintos/src/utils/squish-unix.c | C | oos | 9,175 |
#! /usr/bin/perl -w
use strict;
# Check command line.
if (grep ($_ eq '-h' || $_ eq '--help', @ARGV)) {
print <<'EOF';
backtrace, for converting raw addresses into symbolic backtraces
usage: backtrace [BINARY]... ADDRESS...
where BINARY is the binary file or files from which to obtain symbols
and ADDRESS is a raw address to convert to a symbol name.
If no BINARY is unspecified, the default is the first of kernel.o or
build/kernel.o that exists. If multiple binaries are specified, each
symbol printed is from the first binary that contains a match.
The ADDRESS list should be taken from the "Call stack:" printed by the
kernel. Read "Backtraces" in the "Debugging Tools" chapter of the
Pintos documentation for more information.
EOF
exit 0;
}
die "backtrace: at least one argument required (use --help for help)\n"
if @ARGV == 0;
# Drop garbage inserted by kernel.
@ARGV = grep (!/^(call|stack:?|[-+])$/i, @ARGV);
s/\.$// foreach @ARGV;
# Find binaries.
my (@binaries);
while ($ARGV[0] !~ /^0x/) {
my ($bin) = shift @ARGV;
die "backtrace: $bin: not found (use --help for help)\n" if ! -e $bin;
push (@binaries, $bin);
}
if (!@binaries) {
my ($bin);
if (-e 'kernel.o') {
$bin = 'kernel.o';
} elsif (-e 'build/kernel.o') {
$bin = 'build/kernel.o';
} else {
die "backtrace: no binary specified and neither \"kernel.o\" nor \"build/kernel.o\" exists (use --help for help)\n";
}
push (@binaries, $bin);
}
# Find addr2line.
my ($a2l) = search_path ("i386-elf-addr2line") || search_path ("addr2line");
if (!$a2l) {
die "backtrace: neither `i386-elf-addr2line' nor `addr2line' in PATH\n";
}
sub search_path {
my ($target) = @_;
for my $dir (split (':', $ENV{PATH})) {
my ($file) = "$dir/$target";
return $file if -e $file;
}
return undef;
}
# Figure out backtrace.
my (@locs) = map ({ADDR => $_}, @ARGV);
for my $bin (@binaries) {
open (A2L, "$a2l -fe $bin " . join (' ', map ($_->{ADDR}, @locs)) . "|");
for (my ($i) = 0; <A2L>; $i++) {
my ($function, $line);
chomp ($function = $_);
chomp ($line = <A2L>);
next if defined $locs[$i]{BINARY};
if ($function ne '??' || $line ne '??:0') {
$locs[$i]{FUNCTION} = $function;
$locs[$i]{LINE} = $line;
$locs[$i]{BINARY} = $bin;
}
}
close (A2L);
}
# Print backtrace.
my ($cur_binary);
for my $loc (@locs) {
if (defined ($loc->{BINARY})
&& @binaries > 1
&& (!defined ($cur_binary) || $loc->{BINARY} ne $cur_binary)) {
$cur_binary = $loc->{BINARY};
print "In $cur_binary:\n";
}
my ($addr) = $loc->{ADDR};
$addr = sprintf ("0x%08x", hex ($addr)) if $addr =~ /^0x[0-9a-f]+$/i;
print $addr, ": ";
if (defined ($loc->{BINARY})) {
my ($function) = $loc->{FUNCTION};
my ($line) = $loc->{LINE};
$line =~ s/^(\.\.\/)*//;
$line = "..." . substr ($line, -25) if length ($line) > 28;
print "$function ($line)";
} else {
print "(unknown)";
}
print "\n";
}
| 10cm | trunk/10cm/pintos/src/utils/.svn/text-base/backtrace.svn-base | Perl | oos | 2,951 |
#! /usr/bin/perl
use strict;
use warnings;
use POSIX;
use Getopt::Long;
use Fcntl 'SEEK_SET';
GetOptions ("h|help" => sub { usage (0); })
or exit 1;
usage (1) if @ARGV != 2;
my ($disk, $mb) = @ARGV;
die "$disk: already exists\n" if -e $disk;
die "\"$mb\" is not a valid size in megabytes\n"
if $mb <= 0 || $mb > 1024 || $mb !~ /^\d+(\.\d+)?|\.\d+/;
my ($cyl_cnt) = ceil ($mb * 2);
my ($cyl_bytes) = 512 * 16 * 63;
my ($bytes) = $cyl_bytes * $cyl_cnt;
open (DISK, '>', $disk) or die "$disk: create: $!\n";
sysseek (DISK, $bytes - 1, SEEK_SET) or die "$disk: seek: $!\n";
syswrite (DISK, "\0", 1) == 1 or die "$disk: write: $!\n";
close (DISK) or die "$disk: close: $!\n";
sub usage {
print <<'EOF';
pintos-mkdisk, a utility for creating Pintos virtual disks
Usage: pintos DISKFILE MB
where DISKFILE is the file to use for the disk
and MB is the disk size in (approximate) megabytes.
Options:
-h, --help Display this help message.
EOF
exit (@_);
}
| 10cm | trunk/10cm/pintos/src/utils/.svn/text-base/pintos-mkdisk.svn-base | Perl | oos | 975 |
#! /bin/sh
# Path to GDB macros file. Customize for your site.
GDBMACROS=/usr/class/cs140/pintos/pintos/src/misc/gdb-macros
# Choose correct GDB.
if command -v i386-elf-gdb >/dev/null 2>&1; then
GDB=i386-elf-gdb
else
GDB=gdb
fi
# Run GDB.
if test -f "$GDBMACROS"; then
exec $GDB -x "$GDBMACROS" "$@"
else
echo "*** $GDBMACROS does not exist ***"
echo "*** Pintos GDB macros will not be available ***"
exec $GDB "$@"
fi
| 10cm | trunk/10cm/pintos/src/utils/.svn/text-base/pintos-gdb.svn-base | Shell | oos | 429 |
#! /usr/bin/perl -w
use strict;
use POSIX;
use Fcntl;
use File::Temp 'tempfile';
use Getopt::Long qw(:config bundling);
# Command-line options.
our ($start_time) = time ();
our ($sim); # Simulator: bochs, qemu, or player.
our ($debug) = "none"; # Debugger: none, monitor, or gdb.
our ($mem) = 4; # Physical RAM in MB.
our ($serial) = 1; # Use serial port for input and output?
our ($vga); # VGA output: window, terminal, or none.
our ($jitter); # Seed for random timer interrupts, if set.
our ($realtime); # Synchronize timer interrupts with real time?
our ($timeout); # Maximum runtime in seconds, if set.
our ($kill_on_failure); # Abort quickly on test failure?
our (@puts); # Files to copy into the VM.
our (@gets); # Files to copy out of the VM.
our ($as_ref); # Reference to last addition to @gets or @puts.
our (@kernel_args); # Arguments to pass to kernel.
our (%disks) = (OS => {DEF_FN => 'os.dsk'}, # Disks to give VM.
FS => {DEF_FN => 'fs.dsk'},
SCRATCH => {DEF_FN => 'scratch.dsk'},
SWAP => {DEF_FN => 'swap.dsk'});
our (@disks_by_iface) = @disks{qw (OS FS SCRATCH SWAP)};
parse_command_line ();
find_disks ();
prepare_scratch_disk ();
prepare_arguments ();
run_vm ();
finish_scratch_disk ();
exit 0;
# Parses the command line.
sub parse_command_line {
usage (0) if @ARGV == 0 || (@ARGV == 1 && $ARGV[0] eq '--help');
@kernel_args = @ARGV;
if (grep ($_ eq '--', @kernel_args)) {
@ARGV = ();
while ((my $arg = shift (@kernel_args)) ne '--') {
push (@ARGV, $arg);
}
GetOptions ("sim=s" => sub { set_sim ($_[1]) },
"bochs" => sub { set_sim ("bochs") },
"qemu" => sub { set_sim ("qemu") },
"player" => sub { set_sim ("player") },
"debug=s" => sub { set_debug ($_[1]) },
"no-debug" => sub { set_debug ("none") },
"monitor" => sub { set_debug ("monitor") },
"gdb" => sub { set_debug ("gdb") },
"m|memory=i" => \$mem,
"j|jitter=i" => sub { set_jitter ($_[1]) },
"r|realtime" => sub { set_realtime () },
"T|timeout=i" => \$timeout,
"k|kill-on-failure" => \$kill_on_failure,
"v|no-vga" => sub { set_vga ('none'); },
"s|no-serial" => sub { $serial = 0; },
"t|terminal" => sub { set_vga ('terminal'); },
"p|put-file=s" => sub { add_file (\@puts, $_[1]); },
"g|get-file=s" => sub { add_file (\@gets, $_[1]); },
"a|as=s" => sub { set_as ($_[1]); },
"h|help" => sub { usage (0); },
"os-disk=s" => \$disks{OS}{FILE_NAME},
"fs-disk=s" => \$disks{FS}{FILE_NAME},
"scratch-disk=s" => \$disks{SCRATCH}{FILE_NAME},
"swap-disk=s" => \$disks{SWAP}{FILE_NAME},
"0|disk-0|hda=s" => \$disks_by_iface[0]{FILE_NAME},
"1|disk-1|hdb=s" => \$disks_by_iface[1]{FILE_NAME},
"2|disk-2|hdc=s" => \$disks_by_iface[2]{FILE_NAME},
"3|disk-3|hdd=s" => \$disks_by_iface[3]{FILE_NAME})
or exit 1;
}
$sim = "bochs" if !defined $sim;
$debug = "none" if !defined $debug;
$vga = "window" if !defined $vga;
undef $timeout, print "warning: disabling timeout with --$debug\n"
if defined ($timeout) && $debug ne 'none';
print "warning: enabling serial port for -k or --kill-on-failure\n"
if $kill_on_failure && !$serial;
}
# usage($exitcode).
# Prints a usage message and exits with $exitcode.
sub usage {
my ($exitcode) = @_;
$exitcode = 1 unless defined $exitcode;
print <<'EOF';
pintos, a utility for running Pintos in a simulator
Usage: pintos [OPTION...] -- [ARGUMENT...]
where each OPTION is one of the following options
and each ARGUMENT is passed to Pintos kernel verbatim.
Simulator selection:
--bochs (default) Use Bochs as simulator
--qemu Use QEMU as simulator
--player Use VMware Player as simulator
Debugger selection:
--no-debug (default) No debugger
--monitor Debug with simulator's monitor
--gdb Debug with gdb
Display options: (default is both VGA and serial)
-v, --no-vga No VGA display or keyboard
-s, --no-serial No serial input or output
-t, --terminal Display VGA in terminal (Bochs only)
Timing options: (Bochs only)
-j SEED Randomize timer interrupts
-r, --realtime Use realistic, not reproducible, timings
Testing options:
-T, --timeout=N Kill Pintos after N seconds CPU time or N*load_avg
seconds wall-clock time (whichever comes first)
-k, --kill-on-failure Kill Pintos a few seconds after a kernel or user
panic, test failure, or triple fault
Configuration options:
-m, --mem=N Give Pintos N MB physical RAM (default: 4)
File system commands (for `run' command):
-p, --put-file=HOSTFN Copy HOSTFN into VM, by default under same name
-g, --get-file=GUESTFN Copy GUESTFN out of VM, by default under same name
-a, --as=FILENAME Specifies guest (for -p) or host (for -g) file name
Disk options: (name an existing FILE or specify SIZE in MB for a temp disk)
--os-disk=FILE Set OS disk file (default: os.dsk)
--fs-disk=FILE|SIZE Set FS disk file (default: fs.dsk)
--scratch-disk=FILE|SIZE Set scratch disk (default: scratch.dsk)
--swap-disk=FILE|SIZE Set swap disk file (default: swap.dsk)
Other options:
-h, --help Display this help message.
EOF
exit $exitcode;
}
# Sets the simulator.
sub set_sim {
my ($new_sim) = @_;
die "--$new_sim conflicts with --$sim\n"
if defined ($sim) && $sim ne $new_sim;
$sim = $new_sim;
}
# Sets the debugger.
sub set_debug {
my ($new_debug) = @_;
die "--$new_debug conflicts with --$debug\n"
if $debug ne 'none' && $new_debug ne 'none' && $debug ne $new_debug;
$debug = $new_debug;
}
# Sets VGA output destination.
sub set_vga {
my ($new_vga) = @_;
if (defined ($vga) && $vga ne $new_vga) {
print "warning: conflicting vga display options\n";
}
$vga = $new_vga;
}
# Sets randomized timer interrupts.
sub set_jitter {
my ($new_jitter) = @_;
die "--realtime conflicts with --jitter\n" if defined $realtime;
die "different --jitter already defined\n"
if defined $jitter && $jitter != $new_jitter;
$jitter = $new_jitter;
}
# Sets real-time timer interrupts.
sub set_realtime {
die "--realtime conflicts with --jitter\n" if defined $jitter;
$realtime = 1;
}
# add_file(\@list, $file)
#
# Adds [$file] to @list, which should be @puts or @gets.
# Sets $as_ref to point to the added element.
sub add_file {
my ($list, $file) = @_;
$as_ref = [$file];
push (@$list, $as_ref);
}
# Sets the guest/host name for the previous put/get.
sub set_as {
my ($as) = @_;
die "-a (or --as) is only allowed after -p or -g\n" if !defined $as_ref;
die "Only one -a (or --as) is allowed after -p or -g\n"
if defined $as_ref->[1];
$as_ref->[1] = $as;
}
# Locates the files used to back each of the virtual disks,
# and creates temporary disks.
sub find_disks {
for my $disk (values %disks) {
# If there's no assigned file name but the default file exists,
# try to assign a default file name.
if (!defined ($disk->{FILE_NAME})) {
for my $try_fn ($disk->{DEF_FN}, "build/" . $disk->{DEF_FN}) {
$disk->{FILE_NAME} = $try_fn, last
if -e $try_fn;
}
}
# If there's no file name, we're done.
next if !defined ($disk->{FILE_NAME});
if ($disk->{FILE_NAME} =~ /^\d+(\.\d+)?|\.\d+$/) {
# Create a temporary disk of approximately the specified
# size in megabytes.
die "OS disk can't be temporary\n" if $disk == $disks{OS};
my ($mb) = $disk->{FILE_NAME};
undef $disk->{FILE_NAME};
my ($cyl_size) = 512 * 16 * 63;
extend_disk ($disk, ceil ($mb * 2) * $cyl_size);
} else {
# The file must exist and have nonzero size.
-e $disk->{FILE_NAME} or die "$disk->{FILE_NAME}: stat: $!\n";
-s _ or die "$disk->{FILE_NAME}: disk has zero size\n";
}
}
# Warn about (potentially) missing disks.
die "Cannot find OS disk\n" if !defined $disks{OS}{FILE_NAME};
if (my ($project) = `pwd` =~ /\b(threads|userprog|vm|filesys)\b/) {
if ((grep ($project eq $_, qw (userprog vm filesys)))
&& !defined ($disks{FS}{FILE_NAME})) {
print STDERR "warning: it looks like you're running the $project ";
print STDERR "project, but no file system disk is present\n";
}
if ($project eq 'vm' && !defined $disks{SWAP}{FILE_NAME}) {
print STDERR "warning: it looks like you're running the $project ";
print STDERR "project, but no swap disk is present\n";
}
}
}
# Prepare the scratch disk for gets and puts.
sub prepare_scratch_disk {
if (@puts) {
# Write ustar header and data for each file.
put_scratch_file ($_->[0],
defined $_->[1] ? $_->[1] : $_->[0])
foreach @puts;
# Write end-of-archive marker.
#print { $disks{SCRATCH}{HANDLE} } "\0" x 1024;
write_fully ($disks{SCRATCH}{HANDLE}, $disks{SCRATCH}{FILE_NAME},
"\0" x 1024);
}
# Make sure the scratch disk is big enough to get big files.
extend_disk ($disks{SCRATCH}, @gets * 1024 * 1024) if @gets;
}
# Read "get" files from the scratch disk.
sub finish_scratch_disk {
# We need to start reading the scratch disk from the beginning again.
if (@gets) {
close ($disks{SCRATCH}{HANDLE});
undef ($disks{SCRATCH}{HANDLE});
}
# Read each file.
# If reading fails, delete that file and all subsequent files.
my ($ok) = 1;
foreach my $get (@gets) {
my ($name) = defined ($get->[1]) ? $get->[1] : $get->[0];
my ($error) = get_scratch_file ($name);
if ($error) {
print STDERR "getting $name failed ($error)\n";
die "$name: unlink: $!\n" if !unlink ($name) && !$!{ENOENT};
$ok = 0;
}
}
}
# mk_ustar_field($number, $size)
#
# Returns $number in a $size-byte numeric field in the format used by
# the standard ustar archive header.
sub mk_ustar_field {
my ($number, $size) = @_;
my ($len) = $size - 1;
my ($out) = sprintf ("%0${len}o", $number) . "\0";
die "$number: too large for $size-byte octal ustar field\n"
if length ($out) != $size;
return $out;
}
# calc_ustar_chksum($s)
#
# Calculates and returns the ustar checksum of 512-byte ustar archive
# header $s.
sub calc_ustar_chksum {
my ($s) = @_;
die if length ($s) != 512;
substr ($s, 148, 8, ' ' x 8);
return unpack ("%32a*", $s);
}
# put_scratch_file($src_file_name, $dst_file_name).
#
# Copies $src_file_name into the scratch disk for extraction as
# $dst_file_name.
sub put_scratch_file {
my ($src_file_name, $dst_file_name) = @_;
my ($disk_handle, $disk_file_name) = open_disk ($disks{SCRATCH});
print "Copying $src_file_name to scratch partition...\n";
# ustar format supports up to 100 characters for a file name, and
# even longer names given some common properties, but our code in
# the Pintos kernel only supports at most 99 characters.
die "$dst_file_name: name too long (max 99 characters)\n"
if length ($dst_file_name) > 99;
# Compose and write ustar header.
stat $src_file_name or die "$src_file_name: stat: $!\n";
my ($size) = -s _;
my ($header) = (pack ("a100", $dst_file_name) # name
. mk_ustar_field (0644, 8) # mode
. mk_ustar_field (0, 8) # uid
. mk_ustar_field (0, 8) # gid
. mk_ustar_field ($size, 12) # size
. mk_ustar_field (1136102400, 12) # mtime
. (' ' x 8) # chksum
. '0' # typeflag
. ("\0" x 100) # linkname
. "ustar\0" # magic
. "00" # version
. "root" . ("\0" x 28) # uname
. "root" . ("\0" x 28) # gname
. "\0" x 8 # devmajor
. "\0" x 8 # devminor
. ("\0" x 155)) # prefix
. "\0" x 12; # pad to 512 bytes
substr ($header, 148, 8) = mk_ustar_field (calc_ustar_chksum ($header), 8);
write_fully ($disk_handle, $disk_file_name, $header);
# Copy file data.
my ($put_handle);
sysopen ($put_handle, $src_file_name, O_RDONLY)
or die "$src_file_name: open: $!\n";
copy_file ($put_handle, $src_file_name, $disk_handle, $disk_file_name,
$size);
die "$src_file_name: changed size while being read\n"
if $size != -s $put_handle;
close ($put_handle);
# Round up disk data to beginning of next sector.
write_fully ($disk_handle, $disk_file_name, "\0" x (512 - $size % 512))
if $size % 512;
}
# get_scratch_file($file).
#
# Copies from the scratch disk to $file.
# Returns 1 if successful, 0 on failure.
sub get_scratch_file {
my ($get_file_name) = @_;
my ($disk_handle, $disk_file_name) = open_disk ($disks{SCRATCH});
print "Copying $get_file_name out of $disk_file_name...\n";
# Read ustar header sector.
my ($header) = read_fully ($disk_handle, $disk_file_name, 512);
return "scratch disk tar archive ends unexpectedly"
if $header eq ("\0" x 512);
# Verify magic numbers.
return "corrupt ustar signature" if substr ($header, 257, 6) ne "ustar\0";
return "invalid ustar version" if substr ($header, 263, 2) ne '00';
# Verify checksum.
my ($chksum) = oct (unpack ("Z*", substr ($header, 148, 8)));
my ($correct_chksum) = calc_ustar_chksum ($header);
return "checksum mismatch" if $chksum != $correct_chksum;
# Get type.
my ($typeflag) = substr ($header, 156, 1);
return "not a regular file" if $typeflag ne '0' && $typeflag ne "\0";
# Get size.
my ($size) = oct (unpack ("Z*", substr ($header, 124, 12)));
return "bad size $size\n" if $size < 0;
# Copy file data.
my ($get_handle);
sysopen ($get_handle, $get_file_name, O_WRONLY | O_CREAT, 0666)
or die "$get_file_name: create: $!\n";
copy_file ($disk_handle, $disk_file_name, $get_handle, $get_file_name,
$size);
close ($get_handle);
# Skip forward in disk up to beginning of next sector.
read_fully ($disk_handle, $disk_file_name, 512 - $size % 512)
if $size % 512;
return 0;
}
# Prepares the arguments to pass to the Pintos kernel,
# and then write them into Pintos bootloader.
sub prepare_arguments {
my (@args);
push (@args, shift (@kernel_args))
while @kernel_args && $kernel_args[0] =~ /^-/;
push (@args, 'extract') if @puts;
push (@args, @kernel_args);
push (@args, 'append', $_->[0]) foreach @gets;
write_cmd_line ($disks{OS}, @args);
}
# Writes @args into the Pintos bootloader at the beginning of $disk.
sub write_cmd_line {
my ($disk, @args) = @_;
# Figure out command line to write.
my ($arg_cnt) = pack ("V", scalar (@args));
my ($args) = join ('', map ("$_\0", @args));
die "command line exceeds 128 bytes" if length ($args) > 128;
$args .= "\0" x (128 - length ($args));
# Write command line.
my ($handle, $file_name) = open_disk_copy ($disk);
print "Writing command line to $file_name...\n";
sysseek ($handle, 0x17a, 0) == 0x17a or die "$file_name: seek: $!\n";
syswrite ($handle, "$arg_cnt$args") or die "$file_name: write: $!\n";
}
# Running simulators.
# Runs the selected simulator.
sub run_vm {
if ($sim eq 'bochs') {
run_bochs ();
} elsif ($sim eq 'qemu') {
run_qemu ();
} elsif ($sim eq 'player') {
run_player ();
} else {
die "unknown simulator `$sim'\n";
}
}
# Runs Bochs.
sub run_bochs {
# Select Bochs binary based on the chosen debugger.
my ($bin) = $debug eq 'monitor' ? 'bochs-dbg' : 'bochs';
my ($squish_pty);
if ($serial) {
$squish_pty = find_in_path ("squish-pty");
print "warning: can't find squish-pty, so terminal input will fail\n"
if !defined $squish_pty;
}
# Write bochsrc.txt configuration file.
open (BOCHSRC, ">", "bochsrc.txt") or die "bochsrc.txt: create: $!\n";
print BOCHSRC <<EOF;
romimage: file=\$BXSHARE/BIOS-bochs-latest
vgaromimage: file=\$BXSHARE/VGABIOS-lgpl-latest
boot: disk
cpu: ips=1000000
megs: $mem
log: bochsout.txt
panic: action=fatal
EOF
print BOCHSRC "gdbstub: enabled=1\n" if $debug eq 'gdb';
if ($realtime) {
print BOCHSRC "clock: sync=realtime\n";
} else {
print BOCHSRC "clock: sync=none, time0=0\n";
}
print_bochs_disk_line ("ata0-master", 0);
print_bochs_disk_line ("ata0-slave", 1);
if (defined ($disks_by_iface[2]{FILE_NAME})
|| defined ($disks_by_iface[3]{FILE_NAME})) {
print BOCHSRC "ata1: enabled=1, ioaddr1=0x170, ",
"ioaddr2=0x370, irq=15\n";
print_bochs_disk_line ("ata1-master", 2);
print_bochs_disk_line ("ata1-slave", 3);
}
if ($vga ne 'terminal') {
if ($serial) {
my $mode = defined ($squish_pty) ? "term" : "file";
print BOCHSRC "com1: enabled=1, mode=$mode, dev=/dev/stdout\n";
}
print BOCHSRC "display_library: nogui\n" if $vga eq 'none';
} else {
print BOCHSRC "display_library: term\n";
}
close (BOCHSRC);
# Compose Bochs command line.
my (@cmd) = ($bin, '-q');
unshift (@cmd, $squish_pty) if defined $squish_pty;
push (@cmd, '-j', $jitter) if defined $jitter;
# Run Bochs.
print join (' ', @cmd), "\n";
my ($exit) = xsystem (@cmd);
if (WIFEXITED ($exit)) {
# Bochs exited normally.
# Ignore the exit code; Bochs normally exits with status 1,
# which is weird.
} elsif (WIFSIGNALED ($exit)) {
die "Bochs died with signal ", WTERMSIG ($exit), "\n";
} else {
die "Bochs died: code $exit\n";
}
}
# print_bochs_disk_line($device, $iface)
#
# If IDE interface $iface has a disk attached, prints a bochsrc.txt
# line for attaching it to $device.
sub print_bochs_disk_line {
my ($device, $iface) = @_;
my ($disk) = $disks_by_iface[$iface];
my ($file) = $disk->{FILE_NAME};
if (defined $file) {
my (%geom) = disk_geometry ($disk);
print BOCHSRC "$device: type=disk, path=$file, mode=flat, ";
print BOCHSRC "cylinders=$geom{C}, heads=$geom{H}, spt=$geom{S}, ";
print BOCHSRC "translation=none\n";
}
}
# Runs QEMU.
sub run_qemu {
print "warning: qemu doesn't support --terminal\n"
if $vga eq 'terminal';
print "warning: qemu doesn't support jitter\n"
if defined $jitter;
my (@cmd) = ('qemu');
for my $iface (0...3) {
my ($option) = ('-hda', '-hdb', '-hdc', '-hdd')[$iface];
push (@cmd, $option, $disks_by_iface[$iface]{FILE_NAME})
if defined $disks_by_iface[$iface]{FILE_NAME};
}
push (@cmd, '-m', $mem);
push (@cmd, '-net', 'none');
push (@cmd, '-nographic') if $vga eq 'none';
push (@cmd, '-serial', 'stdio') if $serial && $vga ne 'none';
push (@cmd, '-S') if $debug eq 'monitor';
push (@cmd, '-s', '-S') if $debug eq 'gdb';
push (@cmd, '-monitor', 'null') if $vga eq 'none' && $debug eq 'none';
run_command (@cmd);
}
# player_unsup($flag)
#
# Prints a message that $flag is unsupported by VMware Player.
sub player_unsup {
my ($flag) = @_;
print "warning: no support for $flag with VMware Player\n";
}
# Runs VMware Player.
sub run_player {
player_unsup ("--$debug") if $debug ne 'none';
player_unsup ("--no-vga") if $vga eq 'none';
player_unsup ("--terminal") if $vga eq 'terminal';
player_unsup ("--jitter") if defined $jitter;
player_unsup ("--timeout"), undef $timeout if defined $timeout;
player_unsup ("--kill-on-failure"), undef $kill_on_failure
if defined $kill_on_failure;
# Memory size must be multiple of 4.
$mem = int (($mem + 3) / 4) * 4;
open (VMX, ">", "pintos.vmx") or die "pintos.vmx: create: $!\n";
chmod 0777 & ~umask, "pintos.vmx";
print VMX <<EOF;
#! /usr/bin/vmware -G
config.version = 8
guestOS = "linux"
memsize = $mem
floppy0.present = FALSE
usb.present = FALSE
sound.present = FALSE
gui.exitAtPowerOff = TRUE
gui.exitOnCLIHLT = TRUE
gui.powerOnAtStartUp = TRUE
EOF
print VMX <<EOF if $serial;
serial0.present = TRUE
serial0.fileType = "pipe"
serial0.fileName = "pintos.socket"
serial0.pipe.endPoint = "client"
serial0.tryNoRxLoss = "TRUE"
EOF
for (my ($i) = 0; $i < 4; $i++) {
my ($disk) = $disks_by_iface[$i];
my ($dsk) = $disk->{FILE_NAME};
next if !defined $dsk;
my ($device) = "ide" . int ($i / 2) . ":" . ($i % 2);
my ($pln) = "$device.pln";
print VMX <<EOF;
$device.present = TRUE
$device.deviceType = "plainDisk"
$device.fileName = "$pln"
EOF
open (URANDOM, '<', '/dev/urandom') or die "/dev/urandom: open: $!\n";
my ($bytes);
sysread (URANDOM, $bytes, 4) == 4 or die "/dev/urandom: read: $!\n";
close (URANDOM);
my ($cid) = unpack ("L", $bytes);
my (%geom) = disk_geometry ($disk);
open (PLN, ">", $pln) or die "$pln: create: $!\n";
print PLN <<EOF;
version=1
CID=$cid
parentCID=ffffffff
createType="monolithicFlat"
RW $geom{CAPACITY} FLAT "$dsk" 0
# The Disk Data Base
#DDB
ddb.adapterType = "ide"
ddb.virtualHWVersion = "4"
ddb.toolsVersion = "2"
ddb.geometry.cylinders = "$geom{C}"
ddb.geometry.heads = "$geom{H}"
ddb.geometry.sectors = "$geom{S}"
EOF
close (PLN);
}
close (VMX);
my ($squish_unix);
if ($serial) {
$squish_unix = find_in_path ("squish-unix");
print "warning: can't find squish-unix, so terminal input ",
"and output will fail\n" if !defined $squish_unix;
}
my ($vmx) = getcwd () . "/pintos.vmx";
my (@cmd) = ("vmplayer", $vmx);
unshift (@cmd, $squish_unix, "pintos.socket") if $squish_unix;
print join (' ', @cmd), "\n";
xsystem (@cmd);
}
# Disk utilities.
# open_disk($disk)
#
# Opens $disk, if it is not already open, and returns its file handle
# and file name.
sub open_disk {
my ($disk) = @_;
if (!defined ($disk->{HANDLE})) {
if ($disk->{FILE_NAME}) {
sysopen ($disk->{HANDLE}, $disk->{FILE_NAME}, O_RDWR)
or die "$disk->{FILE_NAME}: open: $!\n";
} else {
($disk->{HANDLE}, $disk->{FILE_NAME}) = tempfile (UNLINK => 1,
SUFFIX => '.dsk');
}
}
return ($disk->{HANDLE}, $disk->{FILE_NAME});
}
# open_disk_copy($disk)
#
# Makes a temporary copy of $disk and returns its file handle and file name.
sub open_disk_copy {
my ($disk) = @_;
die if !$disk->{FILE_NAME};
my ($orig_handle, $orig_file_name) = open_disk ($disk);
my ($cp_handle, $cp_file_name) = tempfile (UNLINK => 1, SUFFIX => '.dsk');
copy_file ($orig_handle, $orig_file_name, $cp_handle, $cp_file_name,
-s $orig_handle);
return ($disk->{HANDLE}, $disk->{FILE_NAME}) = ($cp_handle, $cp_file_name);
}
# extend_disk($disk, $size)
#
# Extends $disk, if necessary, so that it is at least $size bytes
# long.
sub extend_disk {
my ($disk, $size) = @_;
my ($handle, $file_name) = open_disk ($disk);
if (-s ($handle) < $size) {
sysseek ($handle, $size - 1, 0) == $size - 1
or die "$file_name: seek: $!\n";
syswrite ($handle, "\0") == 1
or die "$file_name: write: $!\n";
}
}
# disk_geometry($file)
#
# Examines $file and returns a valid IDE disk geometry for it, as a
# hash.
sub disk_geometry {
my ($disk) = @_;
my ($file) = $disk->{FILE_NAME};
my ($size) = -s $file;
die "$file: stat: $!\n" if !defined $size;
die "$file: size not a multiple of 512 bytes\n" if $size % 512;
my ($cyl_size) = 512 * 16 * 63;
my ($cylinders) = ceil ($size / $cyl_size);
extend_disk ($disk, $cylinders * $cyl_size) if $size % $cyl_size;
return (CAPACITY => $size / 512,
C => $cylinders,
H => 16,
S => 63);
}
# copy_file($from_handle, $from_file_name, $to_handle, $to_file_name, $size)
#
# Copies $size bytes from $from_handle to $to_handle.
# $from_file_name and $to_file_name are used in error messages.
sub copy_file {
my ($from_handle, $from_file_name, $to_handle, $to_file_name, $size) = @_;
while ($size > 0) {
my ($chunk_size) = 4096;
$chunk_size = $size if $chunk_size > $size;
$size -= $chunk_size;
my ($data) = read_fully ($from_handle, $from_file_name, $chunk_size);
write_fully ($to_handle, $to_file_name, $data);
}
}
# read_fully($handle, $file_name, $bytes)
#
# Reads exactly $bytes bytes from $handle and returns the data read.
# $file_name is used in error messages.
sub read_fully {
my ($handle, $file_name, $bytes) = @_;
my ($data);
my ($read_bytes) = sysread ($handle, $data, $bytes);
die "$file_name: read: $!\n" if !defined $read_bytes;
die "$file_name: unexpected end of file\n" if $read_bytes != $bytes;
return $data;
}
# write_fully($handle, $file_name, $data)
#
# Write $data to $handle.
# $file_name is used in error messages.
sub write_fully {
my ($handle, $file_name, $data) = @_;
my ($written_bytes) = syswrite ($handle, $data);
die "$file_name: write: $!\n" if !defined $written_bytes;
die "$file_name: short write\n" if $written_bytes != length $data;
}
# Subprocess utilities.
# run_command(@args)
#
# Runs xsystem(@args).
# Also prints the command it's running and checks that it succeeded.
sub run_command {
print join (' ', @_), "\n";
die "command failed\n" if xsystem (@_);
}
# xsystem(@args)
#
# Creates a subprocess via exec(@args) and waits for it to complete.
# Relays common signals to the subprocess.
# If $timeout is set then the subprocess will be killed after that long.
sub xsystem {
# QEMU turns off local echo and does not restore it if killed by a signal.
# We compensate by restoring it ourselves.
my $cleanup = sub {};
if (isatty (0)) {
my $termios = POSIX::Termios->new;
$termios->getattr (0);
$cleanup = sub { $termios->setattr (0, &POSIX::TCSANOW); }
}
# Create pipe for filtering output.
pipe (my $in, my $out) or die "pipe: $!\n" if $kill_on_failure;
my ($pid) = fork;
if (!defined ($pid)) {
# Fork failed.
die "fork: $!\n";
} elsif (!$pid) {
# Running in child process.
dup2 (fileno ($out), STDOUT_FILENO) or die "dup2: $!\n"
if $kill_on_failure;
exec_setitimer (@_);
} else {
# Running in parent process.
close $out if $kill_on_failure;
my ($cause);
local $SIG{ALRM} = sub { timeout ($pid, $cause, $cleanup); };
local $SIG{INT} = sub { relay_signal ($pid, "INT", $cleanup); };
local $SIG{TERM} = sub { relay_signal ($pid, "TERM", $cleanup); };
alarm ($timeout * get_load_average () + 1) if defined ($timeout);
if ($kill_on_failure) {
# Filter output.
my ($buf) = "";
my ($boots) = 0;
local ($|) = 1;
for (;;) {
if (waitpid ($pid, WNOHANG) != 0) {
# Subprocess died. Pass through any remaining data.
print $buf while sysread ($in, $buf, 4096) > 0;
last;
}
# Read and print out pipe data.
my ($len) = length ($buf);
waitpid ($pid, 0), last
if sysread ($in, $buf, 4096, $len) <= 0;
print substr ($buf, $len);
# Remove full lines from $buf and scan them for keywords.
while ((my $idx = index ($buf, "\n")) >= 0) {
local $_ = substr ($buf, 0, $idx + 1, '');
next if defined ($cause);
if (/(Kernel PANIC|User process ABORT)/ ) {
$cause = "\L$1\E";
alarm (5);
} elsif (/Pintos booting/ && ++$boots > 1) {
$cause = "triple fault";
alarm (5);
} elsif (/FAILED/) {
$cause = "test failure";
alarm (5);
}
}
}
} else {
waitpid ($pid, 0);
}
alarm (0);
&$cleanup ();
if (WIFSIGNALED ($?) && WTERMSIG ($?) == SIGVTALRM ()) {
seek (STDOUT, 0, 2);
print "\nTIMEOUT after $timeout seconds of host CPU time\n";
exit 0;
}
return $?;
}
}
# relay_signal($pid, $signal, &$cleanup)
#
# Relays $signal to $pid and then reinvokes it for us with the default
# handler. Also cleans up temporary files and invokes $cleanup.
sub relay_signal {
my ($pid, $signal, $cleanup) = @_;
kill $signal, $pid;
eval { File::Temp::cleanup() }; # Not defined in old File::Temp.
&$cleanup ();
$SIG{$signal} = 'DEFAULT';
kill $signal, getpid ();
}
# timeout($pid, $cause, &$cleanup)
#
# Interrupts $pid and dies with a timeout error message,
# after invoking $cleanup.
sub timeout {
my ($pid, $cause, $cleanup) = @_;
kill "INT", $pid;
waitpid ($pid, 0);
&$cleanup ();
seek (STDOUT, 0, 2);
if (!defined ($cause)) {
my ($load_avg) = `uptime` =~ /(load average:.*)$/i;
print "\nTIMEOUT after ", time () - $start_time,
" seconds of wall-clock time";
print " - $load_avg" if defined $load_avg;
print "\n";
} else {
print "Simulation terminated due to $cause.\n";
}
exit 0;
}
# Returns the system load average over the last minute.
# If the load average is less than 1.0 or cannot be determined, returns 1.0.
sub get_load_average {
my ($avg) = `uptime` =~ /load average:\s*([^,]+),/;
return $avg >= 1.0 ? $avg : 1.0;
}
# Calls setitimer to set a timeout, then execs what was passed to us.
sub exec_setitimer {
if (defined $timeout) {
if ($ ge 5.8.0) {
eval "
use Time::HiRes qw(setitimer ITIMER_VIRTUAL);
setitimer (ITIMER_VIRTUAL, $timeout, 0);
";
} else {
{ exec ("setitimer-helper", $timeout, @_); };
exit 1 if !$!{ENOENT};
print STDERR "warning: setitimer-helper is not installed, so ",
"CPU time limit will not be enforced\n";
}
}
exec (@_);
exit (1);
}
sub SIGVTALRM {
use Config;
my $i = 0;
foreach my $name (split(' ', $Config{sig_name})) {
return $i if $name eq 'VTALRM';
$i++;
}
return 0;
}
# find_in_path ($program)
#
# Searches for $program in $ENV{PATH}.
# Returns $program if found, otherwise undef.
sub find_in_path {
my ($program) = @_;
-x "$_/$program" and return $program foreach split (':', $ENV{PATH});
return;
}
| 10cm | trunk/10cm/pintos/src/utils/.svn/text-base/pintos.svn-base | Perl | oos | 29,493 |
#define _GNU_SOURCE 1
#include <errno.h>
#include <fcntl.h>
#include <signal.h>
#include <stdarg.h>
#include <stdbool.h>
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <stropts.h>
#include <sys/ioctl.h>
#include <sys/stat.h>
#include <sys/time.h>
#include <sys/types.h>
#include <sys/wait.h>
#include <termios.h>
#include <unistd.h>
static void
fail_io (const char *msg, ...)
__attribute__ ((noreturn))
__attribute__ ((format (printf, 1, 2)));
/* Prints MSG, formatting as with printf(),
plus an error message based on errno,
and exits. */
static void
fail_io (const char *msg, ...)
{
va_list args;
va_start (args, msg);
vfprintf (stderr, msg, args);
va_end (args);
if (errno != 0)
fprintf (stderr, ": %s", strerror (errno));
putc ('\n', stderr);
exit (EXIT_FAILURE);
}
/* If FD is a terminal, configures it for noncanonical input mode
with VMIN and VTIME set as indicated.
If FD is not a terminal, has no effect. */
static void
make_noncanon (int fd, int vmin, int vtime)
{
if (isatty (fd))
{
struct termios termios;
if (tcgetattr (fd, &termios) < 0)
fail_io ("tcgetattr");
termios.c_lflag &= ~(ICANON | ECHO);
termios.c_cc[VMIN] = vmin;
termios.c_cc[VTIME] = vtime;
if (tcsetattr (fd, TCSANOW, &termios) < 0)
fail_io ("tcsetattr");
}
}
/* Make FD non-blocking if NONBLOCKING is true,
or blocking if NONBLOCKING is false. */
static void
make_nonblocking (int fd, bool nonblocking)
{
int flags = fcntl (fd, F_GETFL);
if (flags < 0)
fail_io ("fcntl");
if (nonblocking)
flags |= O_NONBLOCK;
else
flags &= ~O_NONBLOCK;
if (fcntl (fd, F_SETFL, flags) < 0)
fail_io ("fcntl");
}
/* Handle a read or write on *FD, which is the pty if FD_IS_PTY
is true, that returned end-of-file or error indication RETVAL.
The system call is named CALL, for use in error messages.
Returns true if processing may continue, false if we're all
done. */
static bool
handle_error (ssize_t retval, int *fd, bool fd_is_pty, const char *call)
{
if (fd_is_pty)
{
if (retval < 0)
{
if (errno == EIO)
{
/* Slave side of pty has been closed. */
return false;
}
else
fail_io (call);
}
else
return true;
}
else
{
if (retval == 0)
{
close (*fd);
*fd = -1;
return true;
}
else
fail_io (call);
}
}
/* Copies data from stdin to PTY and from PTY to stdout until no
more data can be read or written. */
static void
relay (int pty, int dead_child_fd)
{
struct pipe
{
int in, out;
char buf[BUFSIZ];
size_t size, ofs;
bool active;
};
struct pipe pipes[2];
/* Make PTY, stdin, and stdout non-blocking. */
make_nonblocking (pty, true);
make_nonblocking (STDIN_FILENO, true);
make_nonblocking (STDOUT_FILENO, true);
/* Configure noncanonical mode on PTY and stdin to avoid
waiting for end-of-line. We want to minimize context
switching on PTY (for efficiency) and minimize latency on
stdin to avoid a laggy user experience. */
make_noncanon (pty, 16, 1);
make_noncanon (STDIN_FILENO, 1, 0);
memset (pipes, 0, sizeof pipes);
pipes[0].in = STDIN_FILENO;
pipes[0].out = pty;
pipes[1].in = pty;
pipes[1].out = STDOUT_FILENO;
while (pipes[0].in != -1 || pipes[1].in != -1)
{
fd_set read_fds, write_fds;
int retval;
int i;
FD_ZERO (&read_fds);
FD_ZERO (&write_fds);
for (i = 0; i < 2; i++)
{
struct pipe *p = &pipes[i];
/* Don't do anything with the stdin->pty pipe until we
have some data for the pty->stdout pipe. If we get
too eager, Bochs will throw away our input. */
if (i == 0 && !pipes[1].active)
continue;
if (p->in != -1 && p->size + p->ofs < sizeof p->buf)
FD_SET (p->in, &read_fds);
if (p->out != -1 && p->size > 0)
FD_SET (p->out, &write_fds);
}
FD_SET (dead_child_fd, &read_fds);
do
{
retval = select (FD_SETSIZE, &read_fds, &write_fds, NULL, NULL);
}
while (retval < 0 && errno == EINTR);
if (retval < 0)
fail_io ("select");
if (FD_ISSET (dead_child_fd, &read_fds))
{
/* Child died. Do final relaying. */
struct pipe *p = &pipes[1];
if (p->out == -1)
return;
make_nonblocking (STDOUT_FILENO, false);
for (;;)
{
ssize_t n;
/* Write buffer. */
while (p->size > 0)
{
n = write (p->out, p->buf + p->ofs, p->size);
if (n < 0)
fail_io ("write");
else if (n == 0)
fail_io ("zero-length write");
p->ofs += n;
p->size -= n;
}
p->ofs = 0;
p->size = n = read (p->in, p->buf, sizeof p->buf);
if (n <= 0)
return;
}
}
for (i = 0; i < 2; i++)
{
struct pipe *p = &pipes[i];
if (p->in != -1 && FD_ISSET (p->in, &read_fds))
{
ssize_t n = read (p->in, p->buf + p->ofs + p->size,
sizeof p->buf - p->ofs - p->size);
if (n > 0)
{
p->active = true;
p->size += n;
if (p->size == BUFSIZ && p->ofs != 0)
{
memmove (p->buf, p->buf + p->ofs, p->size);
p->ofs = 0;
}
}
else if (!handle_error (n, &p->in, p->in == pty, "read"))
return;
}
if (p->out != -1 && FD_ISSET (p->out, &write_fds))
{
ssize_t n = write (p->out, p->buf + p->ofs, p->size);
if (n > 0)
{
p->ofs += n;
p->size -= n;
if (p->size == 0)
p->ofs = 0;
}
else if (!handle_error (n, &p->out, p->out == pty, "write"))
return;
}
}
}
}
static int dead_child_fd;
static void
sigchld_handler (int signo __attribute__ ((unused)))
{
if (write (dead_child_fd, "", 1) < 0)
_exit (1);
}
int
main (int argc __attribute__ ((unused)), char *argv[])
{
int master, slave;
char *name;
pid_t pid;
struct sigaction sa;
int pipe_fds[2];
struct itimerval zero_itimerval, old_itimerval;
if (argc < 2)
{
fprintf (stderr,
"usage: squish-pty COMMAND [ARG]...\n"
"Squishes both stdin and stdout into a single pseudoterminal,\n"
"which is passed as stdout to run the specified COMMAND.\n");
return EXIT_FAILURE;
}
/* Open master side of pty and get ready to open slave. */
master = open ("/dev/ptmx", O_RDWR | O_NOCTTY);
if (master < 0)
fail_io ("open \"/dev/ptmx\"");
if (grantpt (master) < 0)
fail_io ("grantpt");
if (unlockpt (master) < 0)
fail_io ("unlockpt");
/* Open slave side of pty. */
name = ptsname (master);
if (name == NULL)
fail_io ("ptsname");
slave = open (name, O_RDWR);
if (slave < 0)
fail_io ("open \"%s\"", name);
/* System V implementations need STREAMS configuration for the
slave. */
if (isastream (slave))
{
if (ioctl (slave, I_PUSH, "ptem") < 0
|| ioctl (slave, I_PUSH, "ldterm") < 0)
fail_io ("ioctl");
}
/* Arrange to get notified when a child dies, by writing a byte
to a pipe fd. We really want to use pselect() and
sigprocmask(), but Solaris 2.7 doesn't have it. */
if (pipe (pipe_fds) < 0)
fail_io ("pipe");
dead_child_fd = pipe_fds[1];
memset (&sa, 0, sizeof sa);
sa.sa_handler = sigchld_handler;
sigemptyset (&sa.sa_mask);
sa.sa_flags = SA_RESTART;
if (sigaction (SIGCHLD, &sa, NULL) < 0)
fail_io ("sigaction");
/* Save the virtual interval timer, which might have been set
by the process that ran us. It really should be applied to
our child process. */
memset (&zero_itimerval, 0, sizeof zero_itimerval);
if (setitimer (ITIMER_VIRTUAL, &zero_itimerval, &old_itimerval) < 0)
fail_io ("setitimer");
pid = fork ();
if (pid < 0)
fail_io ("fork");
else if (pid != 0)
{
/* Running in parent process. */
int status;
close (slave);
relay (master, pipe_fds[0]);
/* If the subprocess has died, die in the same fashion.
In particular, dying from SIGVTALRM tells the pintos
script that we ran out of CPU time. */
if (waitpid (pid, &status, WNOHANG) > 0)
{
if (WIFEXITED (status))
return WEXITSTATUS (status);
else if (WIFSIGNALED (status))
raise (WTERMSIG (status));
}
return 0;
}
else
{
/* Running in child process. */
if (setitimer (ITIMER_VIRTUAL, &old_itimerval, NULL) < 0)
fail_io ("setitimer");
if (dup2 (slave, STDOUT_FILENO) < 0)
fail_io ("dup2");
if (close (pipe_fds[0]) < 0 || close (pipe_fds[1]) < 0
|| close (slave) < 0 || close (master) < 0)
fail_io ("close");
execvp (argv[1], argv + 1);
fail_io ("exec");
}
}
| 10cm | trunk/10cm/pintos/src/utils/squish-pty.c | C | oos | 9,614 |
#include <errno.h>
#include <limits.h>
#include <math.h>
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <sys/time.h>
#include <unistd.h>
int
main (int argc, char *argv[])
{
const char *program_name = argv[0];
double timeout;
if (argc < 3)
{
fprintf (stderr,
"setitimer-helper: runs a program with a virtual CPU limit\n"
"usage: %s TIMEOUT PROGRAM [ARG...]\n"
" where TIMEOUT is the virtual CPU limit, in seconds,\n"
" and remaining arguments specify the program to run\n"
" and its argument.\n",
program_name);
return EXIT_FAILURE;
}
timeout = strtod (argv[1], NULL);
if (timeout >= 0.0 && timeout < LONG_MAX)
{
struct itimerval it;
it.it_interval.tv_sec = 0;
it.it_interval.tv_usec = 0;
it.it_value.tv_sec = timeout;
it.it_value.tv_usec = (timeout - floor (timeout)) * 1000000;
if (setitimer (ITIMER_VIRTUAL, &it, NULL) < 0)
fprintf (stderr, "%s: setitimer: %s\n",
program_name, strerror (errno));
}
else
fprintf (stderr, "%s: invalid timeout value \"%s\"\n",
program_name, argv[1]);
execvp (argv[2], &argv[2]);
fprintf (stderr, "%s: couldn't exec \"%s\": %s\n",
program_name, argv[2], strerror (errno));
return EXIT_FAILURE;
}
| 10cm | trunk/10cm/pintos/src/utils/setitimer-helper.c | C | oos | 1,390 |
#! /bin/sh
# Path to GDB macros file. Customize for your site.
GDBMACROS=/usr/class/cs140/pintos/pintos/src/misc/gdb-macros
# Choose correct GDB.
if command -v i386-elf-gdb >/dev/null 2>&1; then
GDB=i386-elf-gdb
else
GDB=gdb
fi
# Run GDB.
if test -f "$GDBMACROS"; then
exec $GDB -x "$GDBMACROS" "$@"
else
echo "*** $GDBMACROS does not exist ***"
echo "*** Pintos GDB macros will not be available ***"
exec $GDB "$@"
fi
| 10cm | trunk/10cm/pintos/src/utils/pintos-gdb | Shell | oos | 429 |
all: setitimer-helper squish-pty squish-unix
CC = gcc
CFLAGS = -Wall -W
LDFLAGS = -lm
setitimer-helper: setitimer-helper.o
squish-pty: squish-pty.o
squish-unix: squish-unix.o
clean:
rm -f *.o setitimer-helper squish-pty squish-unix
| 10cm | trunk/10cm/pintos/src/utils/Makefile | Makefile | oos | 236 |
# -*- makefile -*-
all:
include Make.vars
DIRS = $(sort $(addprefix build/,$(KERNEL_SUBDIRS) $(TEST_SUBDIRS) lib/user))
all grade check: $(DIRS) build/Makefile
cd build && $(MAKE) $@
$(DIRS):
mkdir -p $@
build/Makefile: ../Makefile.build
cp $< $@
build/%: $(DIRS) build/Makefile
cd build && $(MAKE) $*
clean:
rm -rf build
| 10cm | trunk/10cm/pintos/src/Makefile.kernel | Makefile | oos | 333 |
# -*- makefile -*-
SRCDIR = ../..
all: os.dsk
include ../../Make.config
include ../Make.vars
include ../../tests/Make.tests
# Compiler and assembler options.
os.dsk: CPPFLAGS += -I$(SRCDIR)/lib/kernel
# Core kernel.
threads_SRC = threads/init.c # Main program.
threads_SRC += threads/thread.c # Thread management core.
threads_SRC += threads/switch.S # Thread switch routine.
threads_SRC += threads/interrupt.c # Interrupt core.
threads_SRC += threads/intr-stubs.S # Interrupt stubs.
threads_SRC += threads/synch.c # Synchronization.
threads_SRC += threads/palloc.c # Page allocator.
threads_SRC += threads/malloc.c # Subpage allocator.
threads_SRC += threads/start.S # Startup code.
# Device driver code.
devices_SRC = devices/timer.c # Timer device.
devices_SRC += devices/kbd.c # Keyboard device.
devices_SRC += devices/vga.c # Video device.
devices_SRC += devices/serial.c # Serial port device.
devices_SRC += devices/disk.c # IDE disk device.
devices_SRC += devices/input.c # Serial and keyboard input.
devices_SRC += devices/intq.c # Interrupt queue.
devices_SRC += devices/rtc.c # Real-time clock.
# Library code shared between kernel and user programs.
lib_SRC = lib/debug.c # Debug helpers.
lib_SRC += lib/random.c # Pseudo-random numbers.
lib_SRC += lib/stdio.c # I/O library.
lib_SRC += lib/stdlib.c # Utility functions.
lib_SRC += lib/string.c # String functions.
lib_SRC += lib/arithmetic.c # 64-bit arithmetic for GCC.
lib_SRC += lib/ustar.c # Unix standard tar format utilities.
# Kernel-specific library code.
lib/kernel_SRC = lib/kernel/debug.c # Debug helpers.
lib/kernel_SRC += lib/kernel/list.c # Doubly-linked lists.
lib/kernel_SRC += lib/kernel/bitmap.c # Bitmaps.
lib/kernel_SRC += lib/kernel/hash.c # Hash tables.
lib/kernel_SRC += lib/kernel/console.c # printf(), putchar().
# User process code.
userprog_SRC = userprog/process.c # Process loading.
userprog_SRC += userprog/pagedir.c # Page directories.
userprog_SRC += userprog/exception.c # User exception handler.
userprog_SRC += userprog/syscall.c # System call handler.
userprog_SRC += userprog/gdt.c # GDT initialization.
userprog_SRC += userprog/tss.c # TSS management.
# No virtual memory code yet.
vm_SRC = vm/frame.c # Some file.
vm_SRC += vm/swap.c # Some file.
# Filesystem code.
filesys_SRC = filesys/filesys.c # Filesystem core.
filesys_SRC += filesys/free-map.c # Free sector bitmap.
filesys_SRC += filesys/file.c # Files.
filesys_SRC += filesys/directory.c # Directories.
filesys_SRC += filesys/inode.c # File headers.
filesys_SRC += filesys/fsutil.c # Utilities.
filesys_SRC += filesys/cache.c # Buffer Cache
SOURCES = $(foreach dir,$(KERNEL_SUBDIRS),$($(dir)_SRC))
OBJECTS = $(patsubst %.c,%.o,$(patsubst %.S,%.o,$(SOURCES)))
DEPENDS = $(patsubst %.o,%.d,$(OBJECTS))
threads/kernel.lds.s: CPPFLAGS += -P
threads/kernel.lds.s: threads/kernel.lds.S threads/loader.h
kernel.o: threads/kernel.lds.s $(OBJECTS)
$(LD) -T $< -o $@ $(OBJECTS)
kernel.bin: kernel.o
$(OBJCOPY) -O binary -R .note -R .comment -S $< $@.tmp
dd if=$@.tmp of=$@ bs=4096 conv=sync
rm $@.tmp
threads/loader.o: threads/loader.S kernel.bin
$(CC) -c $< -o $@ $(ASFLAGS) $(CPPFLAGS) $(DEFINES) -DKERNEL_LOAD_PAGES=`perl -e 'print +(-s "kernel.bin") / 4096;'`
loader.bin: threads/loader.o
$(LD) -N -e start -Ttext 0x7c00 --oformat binary -o $@ $<
os.dsk: loader.bin kernel.bin
cat $^ > $@
clean::
rm -f $(OBJECTS) $(DEPENDS)
rm -f threads/loader.o threads/kernel.lds.s threads/loader.d
rm -f kernel.o kernel.lds.s
rm -f kernel.bin loader.bin os.dsk
rm -f bochsout.txt bochsrc.txt
rm -f results grade
Makefile: $(SRCDIR)/Makefile.build
cp $< $@
-include $(DEPENDS)
| 10cm | trunk/10cm/pintos/src/Makefile.build | Makefile | oos | 3,699 |
# -*- makefile -*-
$(PROGS): CPPFLAGS += -I$(SRCDIR)/lib/user -I.
# Linker flags.
$(PROGS): LDFLAGS += -nostdlib -static -Wl,-T,$(LDSCRIPT)
$(PROGS): LDSCRIPT = $(SRCDIR)/lib/user/user.lds
# Library code shared between kernel and user programs.
lib_SRC = lib/debug.c # Debug code.
lib_SRC += lib/random.c # Pseudo-random numbers.
lib_SRC += lib/stdio.c # I/O library.
lib_SRC += lib/stdlib.c # Utility functions.
lib_SRC += lib/string.c # String functions.
lib_SRC += lib/arithmetic.c # 64-bit arithmetic for GCC.
lib_SRC += lib/ustar.c # Unix standard tar format utilities.
# User level only library code.
lib/user_SRC = lib/user/debug.c # Debug helpers.
lib/user_SRC += lib/user/syscall.c # System calls.
lib/user_SRC += lib/user/console.c # Console code.
LIB_OBJ = $(patsubst %.c,%.o,$(patsubst %.S,%.o,$(lib_SRC) $(lib/user_SRC)))
LIB_DEP = $(patsubst %.o,%.d,$(LIB_OBJ))
LIB = lib/user/entry.o libc.a
PROGS_SRC = $(foreach prog,$(PROGS),$($(prog)_SRC))
PROGS_OBJ = $(patsubst %.c,%.o,$(patsubst %.S,%.o,$(PROGS_SRC)))
PROGS_DEP = $(patsubst %.o,%.d,$(PROGS_OBJ))
all: $(PROGS)
define TEMPLATE
$(1)_OBJ = $(patsubst %.c,%.o,$(patsubst %.S,%.o,$($(1)_SRC)))
$(1): $$($(1)_OBJ) $$(LIB) $$(LDSCRIPT)
$$(CC) $$(LDFLAGS) $$($(1)_OBJ) $$(LIB) -o $$@
endef
$(foreach prog,$(PROGS),$(eval $(call TEMPLATE,$(prog))))
libc.a: $(LIB_OBJ)
rm -f $@
ar r $@ $^
ranlib $@
clean::
rm -f $(PROGS) $(PROGS_OBJ) $(PROGS_DEP)
rm -f $(LIB_DEP) $(LIB_OBJ) lib/user/entry.[do] libc.a
.PHONY: all clean
-include $(LIB_DEP) $(PROGS_DEP)
| 10cm | trunk/10cm/pintos/src/Makefile.userprog | Makefile | oos | 1,551 |
/* cat.c
Compares two files. */
#include <stdio.h>
#include <syscall.h>
int
main (int argc, char *argv[])
{
int fd[2];
if (argc != 3)
{
printf ("usage: cmp A B\n");
return EXIT_FAILURE;
}
/* Open files. */
fd[0] = open (argv[1]);
if (fd[0] < 0)
{
printf ("%s: open failed\n", argv[1]);
return EXIT_FAILURE;
}
fd[1] = open (argv[2]);
if (fd[1] < 0)
{
printf ("%s: open failed\n", argv[1]);
return EXIT_FAILURE;
}
/* Compare data. */
for (;;)
{
int pos;
char buffer[2][1024];
int bytes_read[2];
int min_read;
int i;
pos = tell (fd[0]);
bytes_read[0] = read (fd[0], buffer[0], sizeof buffer[0]);
bytes_read[1] = read (fd[1], buffer[1], sizeof buffer[1]);
min_read = bytes_read[0] < bytes_read[1] ? bytes_read[0] : bytes_read[1];
if (min_read == 0)
break;
for (i = 0; i < min_read; i++)
if (buffer[0][i] != buffer[1][i])
{
printf ("Byte %d is %02hhx ('%c') in %s but %02hhx ('%c') in %s\n",
pos + i,
buffer[0][i], buffer[0][i], argv[1],
buffer[1][i], buffer[1][i], argv[2]);
return EXIT_FAILURE;
}
if (min_read < bytes_read[1])
printf ("%s is shorter than %s\n", argv[1], argv[2]);
else if (min_read < bytes_read[0])
printf ("%s is shorter than %s\n", argv[2], argv[1]);
}
printf ("%s and %s are identical\n", argv[1], argv[2]);
return EXIT_SUCCESS;
}
| 10cm | trunk/10cm/pintos/src/examples/cmp.c | C | oos | 1,572 |