- Arrays.asList()使うと固定長のListが生成される
Listlist = new ArrayList (Arrays.asList(str));
とすれば良いようです。
情報工学技術を利用した教育支援、いわゆる教育工学の研究やってます。研究に関係する技術動向(プログラミングねた)や、日常の覚書き、呟きなどを書いていこうかと思います。今のところ、初歩的なプログラムネタばっかりですが、、、、長い目でお付き合いください。
Listlist = new ArrayList (Arrays.asList(str));
has terminated unexpectedly during startup with exit code -1073741819 (0xc0000005)みたいなエラーが出て起動しない事象が発生。この仮想イメージ腐ってんじゃないの?とか一瞬思ってしまいましたが、ネット調べると出てくるもんですね。MacTypeというソフトとの相性が悪いようです。そういえばそういうのインストールしてたわ。。。ということで、アンインストールして解決。
com.google.gwt.user.client.rpc.IsSerializable' and did not have a custom field serializer.というエラーが出たら、RPCで利用するデータクラスのシリアライズに問題あるということなので、
private int getWeekOfYear(Date nowTime){ | |
//コピーする(年始の日付1/1) | |
Date janTime = CalendarUtil.copyDate(nowTime); | |
//月初め | |
CalendarUtil.setToFirstDayOfMonth(janTime); | |
DateTimeFormat fmt = DateTimeFormat.getFormat("M"); | |
String nowMonth = fmt.format(nowTime); | |
CalendarUtil.addMonthsToDate(janTime, -Integer.parseInt(nowMonth)+1); | |
int daysBetween = CalendarUtil.getDaysBetween(janTime, nowTime); | |
DateTimeFormat fmtWeek = DateTimeFormat.getFormat("EEE"); | |
// 1.1の曜日番号を求める | |
int dayNum = getDayNumber(janTime); | |
int weekNum = (int)(daysBetween+dayNum)/7+1; | |
return weekNum; | |
} |
/** | |
* GWT では Calendarクラスが使えないので。。。。 | |
* @param day | |
* @return | |
*/ | |
private int getDayNumber(Date day){ | |
DateTimeFormat fmt = DateTimeFormat.getFormat("EEE"); | |
Map<String, String> map = new HashMap<String,String>(); | |
map.put("Sun", "0"); | |
map.put("Mon", "1"); | |
map.put("Tue", "2"); | |
map.put("Wed", "3"); | |
map.put("Thr", "4"); | |
map.put("Fri", "5"); | |
map.put("Sat", "6"); | |
String temp = fmt.format(day); | |
return Integer.parseInt(map.get(temp)); | |
} |
sudo dscl . append /Groups/_developer GroupMembership <ユーザ名>
// Decode TIFF image | |
FileStream ImageStream = new FileStream(fileName, FileMode.Open, FileAccess.Read, FileShare.Read); | |
TiffBitmapDecoder ImageDecoder = new TiffBitmapDecoder(ImageStream, BitmapCreateOptions.PreservePixelFormat, BitmapCacheOption.Default); | |
int pageCount =ImageDecoder.Frames.Count; | |
for(int i=0;i<pageCount;i++){ | |
image1.Source = ImageDecoder.Frames[i]; | |
System.Threading.Thread.Sleep(500); | |
} |
// Reference | |
// http://dynamicdatadisplay.codeplex.com/discussions/281164 | |
public void setYAxisRange(int min,int max) { | |
//Y軸の固定処理 | |
ViewportAxesRangeRestriction restr = new ViewportAxesRangeRestriction(); | |
restr.YRange = new DisplayRange(min, max); | |
cp.Viewport.Restrictions.Add(restr); //ここのcpはChartPlotterクラス | |
} | |
public class DisplayRange { | |
public double Start { get; set; } | |
public double End { get; set; } | |
public DisplayRange(double start, double end) { | |
Start = start; | |
End = end; | |
} | |
} | |
public class ViewportAxesRangeRestriction : IViewportRestriction { | |
public DisplayRange XRange = null; | |
public DisplayRange YRange = null; | |
public Rect Apply(Rect oldVisible, Rect newVisible, Viewport2D viewport) { | |
if (XRange != null) { | |
newVisible.X = XRange.Start; | |
newVisible.Width = XRange.End - XRange.Start; | |
} | |
if (YRange != null) { | |
newVisible.Y = YRange.Start; | |
newVisible.Height = YRange.End - YRange.Start; | |
} | |
return newVisible; | |
} | |
public event EventHandler Changed; | |
} |
private void showMultiTiff(string tiffFileName){ | |
FileStream tifFS = new FileStream( tiffFileName , FileMode.Open , FileAccess.Read ) ; | |
Image gim = Image.FromStream( tifFS ) ; | |
FrameDimension gfd = new FrameDimension(gim.FrameDimensionsList[0]); | |
int pageCount = gim.GetFrameCount( gfd ) ;//全体のページ数を得る | |
System.Diagnostics.Debug.WriteLine(pageCount); | |
Graphics g = pictureBox1.CreateGraphics(); | |
for(int i=0;i<pageCount;i++){ | |
gim.SelectActiveFrame(gfd, i); | |
g.DrawImage(gim, 0,0, pictureBox1.Width, pictureBox1.Height);//PictureBoxに表示してます | |
System.Threading.Thread.Sleep(500); | |
} | |
} |
Range targetRange = null; | |
Range firstFind = null; | |
Range currentFind=null; | |
targetRange = sheet.Columns[colName]; //シート内での検索範囲 | |
currentFind = targetRange.Find(keyword, //検索キー | |
Type.Missing, XlFindLookIn.xlValues, XlLookAt.xlPart, | |
XlSearchOrder.xlByRows, XlSearchDirection.xlNext, false, | |
Type.Missing, Type.Missing); | |
while (currentFind != null){ | |
if (firstFind == null){ | |
firstFind = currentFind; | |
} | |
else if (currentFind.get_Address(XlReferenceStyle.xlA1)== firstFind.get_Address(XlReferenceStyle.xlA1)){ | |
break; | |
} | |
currentFind = targetRange.FindNext(currentFind); | |
} |
package org.ochilab.testlambda; | |
import com.amazonaws.services.lambda.runtime.Context; | |
import com.amazonaws.services.lambda.runtime.RequestHandler; | |
public class LambdaFunctionHandler implements RequestHandler<String, String> { | |
@Override | |
public String handleRequest(String input, Context context) { | |
context.getLogger().log("Input: " + input); | |
String result = input+"さん、ようこそ"; | |
// TODO: implement your handler | |
return result; | |
} | |
} |
//// 以下、マッパークラス抜粋 | |
//@DynamoDBRangeKey(attributeName="a") | |
@DynamoDBRangeKey | |
@DynamoDBIndexRangeKey(attributeName="a",globalSecondaryIndexName ="v-a-index") | |
public String getAItem() { | |
return relation; | |
} | |
public void setRItem(String relation) { | |
this.relation = relation; | |
} | |
//@DynamoDBIndexHashKey(attributeName="v") | |
@DynamoDBAttribute | |
@DynamoDBIndexHashKey(attributeName="v",globalSecondaryIndexName="v-a-index") | |
public String getValue() { | |
return this.value; | |
} | |
///// ここまでマッパークラスの記述 | |
//// 以下検索の例 | |
DynamoDBQueryExpression<DynaItem> expression = new DynamoDBQueryExpression<DynaItem>(); | |
expression.withConsistentRead(false); | |
// 利用するグローバルセカンダリインデックス名を指定 | |
expression.withIndexName("v-a-index"); | |
// Hash キーの指定 | |
DynaItem dti = new DynaItem(); | |
dti.setValue(value); //vがハッシュキーになる点に注意 | |
expression.withHashKeyValues(dti); | |
// Range キーの指定 | |
expression.withRangeKeyCondition("a", new Condition().withComparisonOperator( | |
ComparisonOperator.BEGINS_WITH.toString()).withAttributeValueList( | |
new AttributeValue().withS(aValue))); //レンジキーであるaの値をここに入力 | |
// 検索結果を取得 | |
List<DynaItem> res = mapper.query(DynaItem.class,expression); |
Private Declare Function mciSendString Lib "winmm.dll" Alias "mciSendStringA" _ | |
(ByVal lpstrCommand As String, ByVal lpstrReturnString As String, _ | |
ByVal uReturnLength As Long, ByVal hwndCallback As Long) As Long | |
'停止 | |
Sub stopSound(soundFile As String) | |
'ファイルの有無を確認 | |
If Dir(soundFile) = "" Then | |
MsgBox soundFile & vbCrLf & "がありません。", vbExclamation | |
Exit Sub | |
End If | |
mciSendString "Stop " & soundFile, "", 0, 0 | |
End Sub | |
'再生 | |
Sub playSound(soundFile As String) | |
'ファイルの有無を確認 | |
If Dir(soundFile) = "" Then | |
MsgBox soundFile & vbCrLf & "がありません。", vbExclamation | |
Exit Sub | |
End If | |
rc = mciSendString("Play " & soundFile, "", 0, 0) | |
End Sub |
string getMacAddreess() { | |
// アダプタリストを取得する | |
NetworkInterface[] adapters = NetworkInterface.GetAllNetworkInterfaces(); | |
foreach (NetworkInterface adapter in adapters) { | |
// 物理(MAC)アドレスの取得 | |
PhysicalAddress mac = adapter.GetPhysicalAddress(); | |
return mac.ToString(); | |
} | |
return ""; | |
} |
IplImage image = new IplImage(colorSize, BitDepth.U8, 4); | |
image.CopyPixelData(imageByte); |
//2行目0列目のオブジェクトを取得 | |
var obj =grid.Children | |
.Cast<UIElement>() | |
.Where(i => Grid.GetRow(i) == 2 && Grid.GetColumn(i) == 0); |
void chk () { | |
if (digitalRead(2) == LOW) { | |
Serial.println("low"); | |
} else { | |
Serial.println("high"); | |
} | |
} | |
void setup() { | |
// put your setup code here, to run once: | |
Serial.begin(9800); | |
attachInterrupt(0, chk, CHANGE); | |
} | |
void loop() { | |
// put your main code here, to run repeatedly: | |
} |
byte[] outputPixel = new byte[Width * Height * 4]; // 4:その画像のBytePerPixel | |
WriteableBitmap wbmp = new WriteableBitmap(BitmapFrame.Create(BitmapSource.Create(width, height, 96, 96, PixelFormats.Bgr32, null, outputPixel, width * 4))); |
byte[] outputPixel; | |
WriteableBitmap wbitmap; | |
wbitmap.Lock();//ロックしないとダメ | |
Marshal.Copy(outputPixel, 0, _bitmap.BackBuffer, outputPixel.Length); | |
wbitmap.AddDirtyRect(new Int32Rect(0, 0, width, height)); | |
wbitmap.Unlock(); |
coordinateMapper.MapDepthFrameToColorSpaceメソッドを利用する必要があります。 つまり、座標合わせにDepthFrameを呼び出しておく必要があります。この辺りのAPIがまだ中途半端ですね。
//人物インデックスフレームデータを_bodyDataにコピー | |
bodyIndexFrame.CopyFrameDataToArray(_bodyData); | |
//depthframeからカラースペースに | |
kinect.CoordinateMapper.MapDepthFrameToColorSpace(_depthData, _colorPoints); | |
for (int depthIndex=0; depthIndex < length; depthIndex++){ | |
byte player = _bodyData[depthIndex]; | |
//もし人物の領域ならば | |
if (player != 0xff){ | |
ColorSpacePoint colorPoint = _colorPoints[depthIndex]; | |
//整数に変換している | |
int colorX = (int)Math.Floor(colorPoint.X + 0.5); | |
int colorY = (int)Math.Floor(colorPoint.Y + 0.5); | |
//すべて正ならば そこだけをカラーで表示 | |
if ((colorX >= 0) && (colorX < colorWidth) && (colorY >= 0) && (colorY < colorHeight)){ | |
int colorIndex = ((colorY * colorWidth) + colorX) * BYTES_PER_PIXEL; | |
int displayIndex = depthIndex * BYTES_PER_PIXEL; | |
//RGBカメラの色情報を表示用Byte配列へコピー | |
outputColor[displayIndex + 0] = _colorData[colorIndex]; | |
outputColor[displayIndex + 1] = _colorData[colorIndex + 1]; | |
outputColor[displayIndex + 2] = _colorData[colorIndex + 2]; | |
outputColor[displayIndex + 3] = 0xff; | |
} | |
} |
Java 7(JRE 7) かつ最新のEclipse
-vmという記述を追加すればOKです。ここの書き方の注意点は、オプション名と値を必ず2行に分けて記述することです。 また、-vmargsよりも前に書かないとダメです。
C:\Program Files\Java\jre7\bin\javaw.exe
'ファイルダイアログを開く | |
fileName = Application.GetSaveAsFilename("default.pdf", "PDFファイル(*.pdf),*.pdf", 1, "保存") | |
If fileName <> "" Then | |
' PDFに変換する | |
ActiveSheet.ExportAsFixedFormat Type:=xlTypePDF, fileName:=fileName, Quality:=xlQualityStandard, IncludeDocProperties:=True, IgnorePrintAreas:=False, OpenAfterPublish:=False, From:=1, To:=1 | |
End If |
private void WPFDoEvents(){ | |
DispatcherFrame frame = new DispatcherFrame(); | |
var callback = new DispatcherOperationCallback(obj => | |
{ | |
((DispatcherFrame)obj).Continue = false; | |
return null; | |
}); | |
Dispatcher.CurrentDispatcher.BeginInvoke(DispatcherPriority.Background, callback, frame); | |
Dispatcher.PushFrame(frame); | |
} |
void setupBlueToothConnection(){ | |
blueToothSerial.begin(38400); //Set BluetoothBee BaudRate to default baud rate 38400 | |
blueToothSerial.print("\r\n+STWMOD=0\r\n"); //set the bluetooth work in slave mode | |
blueToothSerial.print("\r\n+STNA=SeeedBTSlave\r\n"); //set the bluetooth name as "SeeedBTSlave" | |
blueToothSerial.print("\r\n+STOAUT=1\r\n"); // Permit Paired device to connect me | |
blueToothSerial.print("\r\n+STAUTO=0\r\n"); // Auto-connection should be forbidden here | |
delay(2000); // This delay is required. | |
blueToothSerial.print("\r\n+INQ=1\r\n"); //make the slave bluetooth inquirable | |
Serial.print("The slave bluetooth is inquirable!"); | |
delay(2000); // This delay is required. | |
blueToothSerial.flush(); | |
} | |
void loop() { | |
int sensorValue = analogRead(A0); | |
blueToothSerial.print(sensorValue); | |
blueToothSerial.print("\n"); | |
} |
C:\Program Files (x86)\Arduino\libraries\RBL_nRF8001\RBL_nRF8001.cpp:25:23: error: setup_msgs causes a section type conflict with __c
void setup() { | |
// initialize digital pin 13 as an output. | |
Serial.begin(9600); | |
pinMode(13, OUTPUT); | |
} | |
void loop() { | |
if(Serial.available()>0){ | |
char msg = Serial.read(); | |
switch(msg){ | |
case 'h': | |
digitalWrite(13, HIGH); // turn the LED on (HIGH is the voltage level) | |
break; | |
case 'l': | |
digitalWrite(13, LOW); | |
break; | |
} | |
} | |
} |
static void Main(string[] args){ | |
SerialPort sPort = new SerialPort("COM3"); | |
sPort.BaudRate = 9600; | |
sPort.Open(); | |
while (true){ | |
string myData = sPort.ReadLine(); | |
Console.WriteLine(myData); | |
} | |
} |
private void Window_Loaded(object sender, RoutedEventArgs e){ | |
KinectSensor kinect = KinectSensor.GetDefault(); | |
if (kinect != null){ | |
MultiSourceFrameReader multiReader = kinect.OpenMultiSourceFrameReader(FrameSourceTypes.Color | FrameSourceTypes.Depth|FrameSourceTypes.Body); | |
multiReader.MultiSourceFrameArrived += multiReader_MultiSourceFrameArrived; | |
kinect.Open(); | |
} | |
} | |
void multiReader_MultiSourceFrameArrived(object sender, MultiSourceFrameArrivedEventArgs e){ | |
MultiSourceFrame reference = e.FrameReference.AcquireFrame(); | |
// Color | |
using (ColorFrame myColorFrame = reference.ColorFrameReference.AcquireFrame()) | |
using (DepthFrame myDepthFrame = reference.DepthFrameReference.AcquireFrame()) | |
using (BodyFrame myBodyFrame = reference.BodyFrameReference.AcquireFrame()){ | |
// ここにいろいろ書いていく | |
} |
/* | |
* 以下、OpenCVSharp3対応です | |
*/ | |
//画像ファイル読み込み | |
Mat img = new Mat(@"C:\Users\ochi\Documents\temp\test.png"); | |
Mat img2 = img.Clone(); | |
Mat img3 = img.Clone(); | |
//トリミング(ROI) | |
img3 = img3[new OpenCvSharp.Rect(200, 200, 180, 200)]; | |
//表示 | |
Cv2.ImShow("img", img); | |
Cv2.ImShow("img3", img3); | |
//反転 | |
Cv2.BitwiseNot(img2, img2); | |
Cv2.ImShow("img2", img2); | |
Cv2.WaitKey(); |
BodyFrameReader bodyFrameReader; | |
Body[] bodies; | |
private void Window_Loaded(object sender, RoutedEventArgs e){ | |
KinectSensor kinect = KinectSensor.GetDefault(); | |
if(kinect!=null){ | |
kinect.Open(); | |
// Bodyを入れる配列を作る | |
bodies = new Body[kinect.BodyFrameSource.BodyCount]; | |
// ボディーリーダーを開く | |
bodyFrameReader = kinect.BodyFrameSource.OpenReader(); | |
bodyFrameReader.FrameArrived += bodyFrameReader_FrameArrived; | |
} | |
void bodyFrameReader_FrameArrived(object sender, BodyFrameArrivedEventArgs e){ | |
using (var bodyFrame = e.FrameReference.AcquireFrame()) { | |
if (bodyFrame == null) { | |
return; | |
} | |
// ボディデータを取得する | |
bodyFrame.GetAndRefreshBodyData(bodies); | |
//認識しているBodyに対して | |
foreach (var body in bodies.Where(b => b.IsTracked)) { | |
//左手のX座標を取得 | |
System.Diagnostics.Debug.WriteLine("X="+body.Joints[JointType.HandLeft].Position.X); | |
} | |
} | |
} |
KinectSensor kinect; | |
BodyIndexFrameReader bodyIndexFrameReader; | |
FrameDescription bodyIndexFrameDesc; | |
byte[] bodyIndexBuffer; | |
WriteableBitmap bodyIndexColorImage; | |
Int32Rect bodyIndexColorRect; | |
int bodyIndexColorStride; | |
int bodyIndexColorBytesPerPixel = 4; | |
Color[] bodyIndexColors; | |
private void Window_Loaded(object sender, RoutedEventArgs e){ | |
kinect = KinectSensor.GetDefault(); | |
if(kinect!=null){ | |
kinect.Open(); | |
bodyIndexFrameDesc = kinect.DepthFrameSource.FrameDescription; | |
bodyIndexBuffer = new byte[bodyIndexFrameDesc.LengthInPixels]; | |
//下記は人物領域を表示する際に使う | |
bodyIndexColorImage = new WriteableBitmap(bodyIndexFrameDesc.Width, bodyIndexFrameDesc.Height, 96, 96, PixelFormats.Bgra32, null); | |
bodyIndexColorRect = new Int32Rect(0, 0, bodyIndexFrameDesc.Width, bodyIndexFrameDesc.Height); | |
bodyIndexColorStride = (int)(bodyIndexFrameDesc.Width * bodyIndexColorBytesPerPixel); | |
bodyIndexColorBuffer = new byte[bodyIndexFrameDesc.LengthInPixels * bodyIndexColorBytesPerPixel]; | |
// | |
bodyIndexFrameReader = kinect.BodyIndexFrameSource.OpenReader(); | |
//フレーム到着時のイベント設定 | |
bodyIndexFrameReader.FrameArrived += BodyIndexFrameReader_FrameArrived; | |
} | |
} | |
void BodyIndexFrameReader_FrameArrived(object sender, BodyIndexFrameArrivedEventArgs e){ | |
using (var bodyIndexFrame = e.FrameReference.AcquireFrame()){ | |
if (bodyIndexFrame == null){ | |
return; | |
} | |
// ボディインデックスデータをバイト配列に格納する | |
bodyIndexFrame.CopyFrameDataToArray(bodyIndexBuffer); | |
for (int i = 0; i < bodyIndexBuffer.Length; i++){ | |
//人物領域のインデックス番号を取得 | |
var index = bodyIndexBuffer[i]; | |
//非人物領域は255 | |
if (index != 255){ | |
/** 人物領域に対して何かする | |
} | |
} | |
} |
WriteableBitmap colorBitmap; | |
byte[] ColorImagePixelData ; | |
Int32Rect colorImageBitmapRect; | |
FrameDescription myColorFrameDescripton; | |
public MainWindow(){ | |
InitializeComponent(); | |
KinectSensor kinect = KinectSensor.GetDefault(); | |
if (kinect != null){ | |
ColorFrameReader colorframereader = kinect.ColorFrameSource.OpenReader(); | |
myColorFrameDescripton = kinect.ColorFrameSource.CreateFrameDescription(ColorImageFormat.Bgra); | |
ColorImagePixelData = new byte[myColorFrameDescripton.Width * myColorFrameDescripton.Height * myColorFrameDescripton.BytesPerPixel]; | |
colorBitmap = new WriteableBitmap(myColorFrameDescripton.Width, myColorFrameDescripton.Height, 96.0, 96.0, PixelFormats.Bgr32, null); | |
colorframereader.FrameArrived+=colorframereader_FrameArrived; | |
kinect.Open(); | |
} | |
} | |
void colorframereader_FrameArrived(object sender, ColorFrameArrivedEventArgs e){ | |
using( ColorFrame myColorFrame= e.FrameReference.AcquireFrame()){ | |
if(myColorFrame!=null){ | |
myColorFrame.CopyConvertedFrameDataToArray(ColorImagePixelData, ColorImageFormat.Bgra); | |
colorImageBitmapRect = new Int32Rect(0, 0, myColorFrameDescripton.Width, myColorFrameDescripton.Height); | |
image1.Source = BitmapSource.Create(myColorFrameDescripton.Width, myColorFrameDescripton.Height, 96, 96,PixelFormats.Bgra32, null, ColorImagePixelData, myColorFrameDescripton.Width * (int)myColorFrameDescripton.BytesPerPixel); | |
} | |
GC.Collect(); //Win8.1のバグ?らしいのでこのおまじないを書いておくこと } | |
} |
try { | |
Mat result = new Mat(mat.Height - matTemplate.Height + 1, mat.Width - matTemplate.Width + 1, MatType.CV_8UC1); | |
Cv2.MatchTemplate(mat, matTemplate, result, MatchTemplateMethod.CCoeff); | |
OpenCvSharp.CPlusPlus.Point minPoint = new OpenCvSharp.CPlusPlus.Point(); | |
OpenCvSharp.CPlusPlus.Point maxPoint = new OpenCvSharp.CPlusPlus.Point(); | |
Cv2.MinMaxLoc(result, out minPoint, out maxPoint); | |
Mat img = mat.Clone(); | |
Cv2.Rectangle(img, rect, new OpenCvSharp.CPlusPlus.Scalar(0, 0, 255), 2); | |
Cv2.Resize(img, img, new OpenCvSharp.CPlusPlus.Size(), 0.3, 0.3, Interpolation.Lanczos4); | |
Cv2.ImShow("result", img); | |
} catch (OpenCvSharp.OpenCVException ee) { | |
System.Diagnostics.Debug.WriteLine(ee.ErrMsg); | |
} |
OpenCvSharp.CPlusPlus.Window win = new OpenCvSharp.CPlusPlus.Window("OpenCV Example",mat); | |
win.OnMouseCallback += new CvMouseCallback(click); | |
/** | |
コールバック関数 | |
**/ | |
private void click(MouseEvent me, int x, int y, MouseEvent me2){ | |
if (me == MouseEvent.LButtonDown){ | |
} | |
} |