2014年12月24日水曜日

F#における非同期Socket

.NET FrameworkにはVersion 1.0からSocketクラスがあり、APM; Asynchronous Programming Modelと呼ばれるBegin / End系メソッドが用意されています。しかし実際にはIOの度にIAsyncResultオブジェクトを作成する必要があり、ハイパフォーマンスなアプリケーションは実現しづらいものでした。 そのため、Version 2.0 SP1にてSocketAsyncEventArgsクラス及びAsync系のメソッドが新規に追加されました。こちらは内部状態を持つSocketAsyncEventArgsクラスを再利用することで効率の良い非同期処理が行えるものとなっています。なお、Version 4.5で導入された非同期処理とメソッド名の命名規則が一致していますが全くの別物となっています。
これをF#で扱えないものかと検索したところF#-friendly SocketAsyncEventArgsを見つけました。ただし、残念なことにSocketAsyncEventArgsクラスの設計思想を意識されておらず、毎回SocketAsyncEventArgsオブジェクトを再作成するだけの単なるwrapperでしかありませんでした。さらに言えばF#には非同期ワークフローもありますからこちらも利用したいところです。 仕方がないので自作してみました。

module Sayuri.Net.SocketExtensions
open System
open System.Net
open System.Net.Sockets
#if NET4
type private ConcurrentBag<'T> = System.Collections.Concurrent.ConcurrentBag<'T>
#else
type private ConcurrentBag<'T>() =
let bag = System.Collections.Generic.Stack<'T>()
member this.TryTake() =
lock bag (fun () -> if 0 < bag.Count then true, bag.Pop() else false, Unchecked.defaultof<_>)
member this.Add(item) =
lock bag (fun () -> bag.Push item)
#endif
let inline private checkNonNull name arg =
match box arg with null -> nullArg name | _ -> ()
let private pool = ConcurrentBag()
let private invoke methodAsync prepare result = async {
let e = match pool.TryTake() with
| true, e -> e
| false, _ -> new SocketAsyncEventArgs()
try
prepare e
return! Async.FromContinuations(fun (cont, econt, _) ->
let called = ref 0
let completed (e : SocketAsyncEventArgs) =
assert(System.Threading.Interlocked.Increment called = 1)
(e.UserToken :?> IDisposable).Dispose()
#if NET4
if e.ConnectByNameError <> null then econt e.ConnectByNameError else
#endif
if e.SocketError <> SocketError.Success then new SocketException(int e.SocketError) |> econt else
result e |> cont
e.UserToken <- e.Completed.Subscribe completed
if methodAsync e |> not then completed e
)
finally
e.AcceptSocket <- null
e.BufferList <- null
e.RemoteEndPoint <- null
e.SocketFlags <- SocketFlags.None
e.UserToken <- null
e.SetBuffer(null, 0, 0)
pool.Add(e)
}
let private setBuffer buffer offset count (e : SocketAsyncEventArgs) =
let offset = defaultArg offset 0
let count = defaultArg count (Array.length buffer - offset)
e.SetBuffer(buffer, offset, count)
type Socket with
member this.AsyncAccept() =
invoke this.AcceptAsync
ignore
(fun e -> e.AcceptSocket)
member this.AsyncAccept(buffer, ?offset, ?count) =
invoke this.AcceptAsync
(fun e -> setBuffer buffer offset count e
assert ((this.LocalEndPoint.Serialize().Size + 16) * 2 < e.Count)) // test buffer size.
(fun e -> e.AcceptSocket, e.BytesTransferred)
member this.AsyncAccept(acceptSocket) =
checkNonNull "acceptSocket" acceptSocket
invoke this.AcceptAsync
(fun e -> e.AcceptSocket <- acceptSocket)
ignore
member this.AsyncAccept(acceptSocket, buffer, ?offset, ?count) =
checkNonNull "acceptSocket" acceptSocket
checkNonNull "buffer" buffer
invoke this.AcceptAsync
(fun e -> setBuffer buffer offset count e
assert ((this.LocalEndPoint.Serialize().Size + 16) * 2 < e.Count) // test buffer size.
e.AcceptSocket <- acceptSocket)
(fun e -> e.BytesTransferred)
member this.AsyncConnect(remoteEndPoint) =
checkNonNull "remoteEndPoint" remoteEndPoint
invoke this.ConnectAsync
(fun e -> e.RemoteEndPoint <- remoteEndPoint)
ignore
member this.AsyncConnect(remoteEndPoint, buffer, ?offset, ?count) =
checkNonNull "remoteEndPoint" remoteEndPoint
checkNonNull "buffer" buffer
invoke this.ConnectAsync
(fun e -> setBuffer buffer offset count e
e.RemoteEndPoint <- remoteEndPoint)
(fun e -> e.BytesTransferred)
member this.AsyncConnect(host, port) =
checkNonNull "host" host
if port < IPEndPoint.MinPort || IPEndPoint.MaxPort < port then ArgumentOutOfRangeException "port" |> raise
#if NET4
invoke this.ConnectAsync
(fun e -> e.RemoteEndPoint <- DnsEndPoint(host, port))
ignore
#else
Async.FromBeginEnd<string, _, _>(host, port, this.BeginConnect, this.EndConnect)
#endif
member this.AsyncDisconnect(reuseSocket) =
invoke this.DisconnectAsync
(fun e -> e.DisconnectReuseSocket <- reuseSocket)
ignore
member this.AsyncReceive(buffer, ?offset, ?count, ?socketFlags) =
checkNonNull "buffer" buffer
invoke this.ReceiveAsync
(fun e -> setBuffer buffer offset count e
e.SocketFlags <- defaultArg socketFlags SocketFlags.None)
(fun e -> e.BytesTransferred)
member this.AsyncReceive(bufferList, ?socketFlags) =
checkNonNull "bufferList" bufferList
invoke this.ReceiveAsync
(fun e -> e.BufferList <- bufferList
e.SocketFlags <- defaultArg socketFlags SocketFlags.None)
(fun e -> e.BytesTransferred)
member this.AsyncSend(buffer, ?offset, ?count, ?socketFlags) =
checkNonNull "buffer" buffer
invoke this.SendAsync
(fun e -> setBuffer buffer offset count e
e.SocketFlags <- defaultArg socketFlags SocketFlags.None)
(fun e -> e.BytesTransferred)
member this.AsyncSend(bufferList, ?socketFlags) =
checkNonNull "bufferList" bufferList
invoke this.SendAsync
(fun e -> e.BufferList <- bufferList
e.SocketFlags <- defaultArg socketFlags SocketFlags.None)
(fun e -> e.BytesTransferred)
書いただけでまだ使っていないので動くかわかりません。
蛇足ですが、Socketクラスは内部でWinsockを使っていますが、このWinsockの機能の一つにaccept()で接続を受け付けると同時にrecv()を行うことができます。また対称にconnect()と同時にsend()もできます。こうすることでHTTPなど一般的なプロトコルでリクエストの送受信ができ、システムコール回数を減らし、システムの応答性能が向上します。Socketクラスはこの機能に対応しているため、今回の拡張メソッドにも含めています。

2014年9月10日水曜日

WPF ListView (GridView) のソート

WPFにはListViewのGridViewモードとDataGridの2つのコントロールで表形式の表示が行えます。DataGridの方はソート機能が組み込まれていますが、ListViewの方は自前でソートコードを記述する必要があります。MSDNにも方法 : ヘッダーがクリックされたときに GridView 列を並べ替えるという記事が用意されていたりしますがいまいちパッとしません。 そこで簡単に扱えるようにライブラリ化しました。 使い方は

<ListView ItemsSource="{Binding SelectedValue.Files, ElementName=tree}" xmlns:v="clr-namespace:Sayuri.Windows;assembly=GridViewSortLibrary" v:GridViewSort.IsEnabled="True"> <ListView.ItemContainerStyle> <Style TargetType="ListViewItem"> <Setter Property="HorizontalContentAlignment" Value="Stretch" /> </Style> </ListView.ItemContainerStyle> <ListView.View> <GridView> <GridViewColumn Header="名前" DisplayMemberBinding="{Binding Name}" /> <GridViewColumn Header="サイズ" v:GridViewSort.MemberPath="Length"> <GridViewColumn.CellTemplate> <DataTemplate> <TextBlock TextAlignment="Right" Text="{Binding Length, StringFormat=N0}" /> </DataTemplate> </GridViewColumn.CellTemplate> </GridViewColumn> </GridView> </ListView.View> </ListView>
こんな感じです。要点は
  • xmlnsでアセンブリ・名前空間を指定します
  • <ListView>に添付プロパティGridViewSort.IsEnabled="True"を指定します
  • <GridViewColumn>にDisplayMemberBindingの指定があればそのプロパティでソートが行われます
  • <GridViewColumn>にDisplayMemberBindingを指定できない場合はGridViewSort.MemberPathにプロパティ名をしてします
ソースコードはGistに貼り付けておきました。
namespace Sayuri.Windows
open System
open System.ComponentModel
open System.Windows
open System.Windows.Controls
open System.Windows.Data
open System.Windows.Documents
open System.Windows.Media
type GridViewSort () =
static let ascending = Geometry.Parse "M 0 4 L 3.5 0 L 7 4 Z"
static let descending = Geometry.Parse "M 0 0 L 3.5 4 L 7 0 Z"
static let applySort (listView : ListView) (columnHeader : GridViewColumnHeader) propertyName =
let adorner : Adorner = GridViewSort.GetSortIcon listView
if adorner <> null then
(AdornerLayer.GetAdornerLayer adorner.AdornedElement).Remove adorner
let items = listView.Items
let direction, geometry, insert =
if items.SortDescriptions.Count = 0 then ListSortDirection.Ascending, ascending, true
elif (let current = items.SortDescriptions.[0] in
current.PropertyName <> propertyName || current.Direction = ListSortDirection.Descending) then ListSortDirection.Ascending, ascending, false
else ListSortDirection.Descending, descending, false
if String.IsNullOrEmpty propertyName then
GridViewSort.SetSortIcon(listView, null)
else
let sortIcon = { new Adorner(columnHeader) with
override __.OnRender (drawingContext) =
base.OnRender drawingContext
if columnHeader.RenderSize.Width < 20.0 then () else
drawingContext.PushTransform <| TranslateTransform(columnHeader.RenderSize.Width - 15.0, (columnHeader.RenderSize.Height - 5.0) / 2.0)
drawingContext.DrawGeometry(Brushes.Black, null, geometry)
drawingContext.Pop() }
(AdornerLayer.GetAdornerLayer columnHeader).Add sortIcon
GridViewSort.SetSortIcon(listView, sortIcon)
let description = SortDescription(propertyName, direction)
if insert then items.SortDescriptions.Add description
else items.SortDescriptions.[0] <- description
static let columnHeaderClick = RoutedEventHandler(fun _ e ->
let clickedHeader = e.OriginalSource :?> GridViewColumnHeader
let clickedColumn = clickedHeader.Column
if clickedColumn = null then () else
let propertyName = GridViewSort.GetMemberPath clickedColumn
let propertyName = if String.IsNullOrEmpty propertyName |> not then propertyName else
match clickedColumn.DisplayMemberBinding with
| :? Binding as binding when binding.Path <> null -> binding.Path.Path
| _ -> null
if String.IsNullOrEmpty propertyName |> not then
let rec loop reference =
match VisualTreeHelper.GetParent reference with
| :? ListView as listView -> Some listView
| null -> None
| parent -> loop parent
loop clickedHeader |> Option.iter (fun listView -> applySort listView clickedHeader propertyName))
static member val SortIconProperty = DependencyProperty.RegisterAttached("SortIcon", typeof<Adorner>, typeof<GridViewSort>)
static member private GetSortIcon (target : ListView) =
target.GetValue GridViewSort.SortIconProperty :?> Adorner
static member SetSortIcon (target : ListView, value : Adorner) =
target.SetValue(GridViewSort.SortIconProperty, value)
static member val MemberPathProperty = DependencyProperty.RegisterAttached("MemberPath", typeof<string>, typeof<GridViewSort>)
static member GetMemberPath (target : GridViewColumn) =
target.GetValue GridViewSort.MemberPathProperty :?> string
static member SetMemberPath (target : GridViewColumn, value : string) =
target.SetValue(GridViewSort.MemberPathProperty, value)
static member val IsEnabledProperty = DependencyProperty.RegisterAttached("IsEnabled", typeof<bool>, typeof<GridViewSort>, UIPropertyMetadata(false, fun o e ->
let listView = o :?> ListView
match downcast e.OldValue, downcast e.NewValue with
| true, false -> listView.RemoveHandler(GridViewColumnHeader.ClickEvent, columnHeaderClick)
| false, true -> listView.AddHandler(GridViewColumnHeader.ClickEvent, columnHeaderClick)
| _, _ -> ()))
static member GetIsEnabled (target : ListView) =
target.GetValue GridViewSort.IsEnabledProperty :?> bool
static member SetIsEnabled (target : ListView, value : bool) =
target.SetValue(GridViewSort.IsEnabledProperty, value)
view raw GridViewSort.fs hosted with ❤ by GitHub

作成にあたって次の2つの記事を参考にしました。

2014年8月16日土曜日

F# のアセンブリ表現

F#は言語としてはとても素晴らしい設計をしていますが、コンパイルされたアセンブリは結構残念だったりします。F# + Entity Framewrok で ASP.NET WebAPI サーバ立てたら、返ってくる JSON がおかしいという記事を見かけたのでスコープについてまとめておこうと思います。 まずF#言語でアクセス制御するためにはpublic internal privateの3つのキーワードが用意されています。次にアセンブリでのアクセス制御についてはCorHdr.hに定義されています。関連部分を引用すると

// TypeDef/ExportedType attr bits, used by DefineTypeDef. typedef enum CorTypeAttr { // Use this mask to retrieve the type visibility information. tdVisibilityMask = 0x00000007, tdNotPublic = 0x00000000, // Class is not public scope. tdPublic = 0x00000001, // Class is public scope. tdNestedPublic = 0x00000002, // Class is nested with public visibility. tdNestedPrivate = 0x00000003, // Class is nested with private visibility. tdNestedFamily = 0x00000004, // Class is nested with family visibility. tdNestedAssembly = 0x00000005, // Class is nested with assembly visibility. tdNestedFamANDAssem = 0x00000006, // Class is nested with family and assembly visibility. tdNestedFamORAssem = 0x00000007, // Class is nested with family or assembly visibility. ... } CorTypeAttr; // MethodDef attr bits, Used by DefineMethod. typedef enum CorMethodAttr { // member access mask - Use this mask to retrieve accessibility information. mdMemberAccessMask = 0x0007, mdPrivateScope = 0x0000, // Member not referenceable. mdPrivate = 0x0001, // Accessible only by the parent type. mdFamANDAssem = 0x0002, // Accessible by sub-types only in this Assembly. mdAssem = 0x0003, // Accessibly by anyone in the Assembly. mdFamily = 0x0004, // Accessible only by type and sub-types. mdFamORAssem = 0x0005, // Accessibly by sub-types anywhere, plus anyone in assembly. mdPublic = 0x0006, // Accessibly by anyone who has visibility to this scope. // end member access mask ... } CorMethodAttr;
という感じです。 先にC#言語のアクセス制御の説明をしておくとわかりやすいでしょうか。C#言語ではpublic private protected internal protected internalの5種類です。これがアセンブリとどのような対応をしているかというと非常にわかりやすく
C#クラスアセンブリ表現
publictdPublic
internaltdNotPublic
C#メンバーアセンブリ表現
publicmdPublic
privatemdPrivate
protectedmdFamily
internalmdAssem
protected internalmdFamORAssem
となります。 さて本題のF#言語ですが、C#より種類が少ないはずなのに予想を超える複雑さをしています。まずクラスですが、
F#クラスアセンブリ表現C#相当クラス
publictdPublicpublic
privatetdNotPublicinternal
internaltdNotPublicinternal
と順当です。次にメンバーですが
F#メンバーアセンブリ表現C#相当メンバー
publicmdPublicpublic
privatemdAsseminternal
internalmdAsseminternal
…はい、F#上ではクラス外からアクセスできなくなるprivateですがC#のinternalに相当しアクセス可能となります。まだ簡単に見えますか? 恐ろしいのはここからです。F#にもC#にも自動実装プロパティがあります。プロパティの値を保持するためにコンパイラが自動的にフィールド(backing field)を用意しプロパティアクセッサを実装する機能です。当然、コンパイラによる自動的なフィールドである以上、プログラムからアクセスできるべきではありません。実際、C#ではmdPrivate、privateフィールドと同等です。さてF#はそうではありません。
F#メンバーアセンブリ表現C#相当メンバー
publicmdPublicpublic
privatemdAsseminternal
internalmdAsseminternal
backing fieldmdAsseminternal
…はい、privateメンバーと同様にC#のinternal fieldに相当します。まだ簡単に見えますか? 実はこの表はまだ不完全です。F#ではクラス自身のスコープがメンバーのスコープに影響を与えます。
F#クラスF#メンバーアセンブリ表現C#相当メンバー
publicpublicmdPublicpublic
privatemdAsseminternal
internalmdAsseminternal
backing fieldmdAsseminternal
privatepublicmdAsseminternal
privatemdAsseminternal
internalmdAsseminternal
backing fieldmdAsseminternal
internalpublicmdAsseminternal
privatemdAsseminternal
internalmdAsseminternal
backing fieldmdAsseminternal
…要するにpublicクラスのpublicメンバーだけがC#のpublic相当であり、それ以外はなんであれ全てC#のinternal相当です。ちなみにmutableでないフィールドにfdInitOnly(C#におけるreadonly)が付けられていないため、アセンブリ内からであれば書き換え可能という問題もあります。 これを踏まえて要望をまとめておきます。
  • backing fieldはmdPrivateにして欲しい
  • privateメンバーもmdPrivateにして欲しい
  • internal / privateクラスであってもpublicメンバーはmdPublicにして欲しい
といったところでしょうか。

2014年6月9日月曜日

艦これ 司令部室について

F# 談話室の15回に参加し、艦これ 司令部室について発表してきました。これに合わせてGitHubでリポジトリも公開しました。
COMの素晴らしさを力説し、また布教してきました。比較的に好感触でした。
たいしたことをは書いていませんが、発表に使ったプレゼンテーションはこちら


2014年3月12日水曜日

WinFormsのTextBox ControlでのIME制御

WinFormsのTextBox Controlの話題です。とても基本的なControlですが落とし穴がありました。IMEで漢字変換中にフォーカスを失うと未確定文字はそのままIMEが持って行ってしまいます。 WinFormsがこのような挙動をすることを知らず何も制御していなかったために、自作のアプリケーションがクソ呼ばわりされる事態に陥ってしまいました。 とても悲しかったのでTextBoxを派生して挙動を改良してみました。 IMEが開いているかどうかはImeContext.IsOpen()で調べることができますが、そのあと同じハンドルを使用して処理することになるため、IsOpenは使いませんでした。

using System;
using System.Runtime.InteropServices;
using System.Windows.Forms;
namespace Sayuri.Windows.Forms {
class TextBox2 : TextBox {
[DllImport("Imm32.dll")]
static extern IntPtr ImmGetContext(IntPtr hWnd);
[DllImport("Imm32.dll")]
static extern bool ImmGetOpenStatus(IntPtr hIMC);
[DllImport("Imm32.dll")]
static extern bool ImmNotifyIME(IntPtr hIMC, int dwAction, int dwIndex, int dwValue);
[DllImport("Imm32.dll")]
static extern bool ImmReleaseContext(IntPtr hWnd, IntPtr hIMC);
const int NI_SELECTCANDIDATESTR = 0x0015;
const int CPS_COMPLETE = 0x0001;
protected override void OnLostFocus(EventArgs e) {
var context = ImmGetContext(Handle);
if (context != IntPtr.Zero) {
if (ImmGetOpenStatus(context))
ImmNotifyIME(context, NI_SELECTCANDIDATESTR, CPS_COMPLETE, 0);
ImmReleaseContext(Handle, context);
}
base.OnLostFocus(e);
}
}
}
view raw TextBox2.cs hosted with ❤ by GitHub
namespace Sayuri.Windows.Forms
open System.Runtime.InteropServices
open System.Windows.Forms
type TextBox2 () =
inherit TextBox ()
[<DllImport "Imm32.dll">]
static extern nativeint ImmGetContext(nativeint hWnd)
[<DllImport "Imm32.dll">]
static extern bool ImmGetOpenStatus(nativeint hIMC)
[<DllImport "Imm32.dll">]
static extern bool ImmNotifyIME(nativeint hIMC, uint32 dwAction, uint32 dwIndex, uint32 dwValue)
[<DllImport "Imm32.dll">]
static extern bool ImmReleaseContext(nativeint hWnd, nativeint hIMC)
[<Literal>]
static let NI_SELECTCANDIDATESTR = 0x0015u
[<Literal>]
static let CPS_COMPLETE = 0x0001u
override this.OnLostFocus e =
let context = ImmGetContext this.Handle
if context <> 0n then
if ImmGetOpenStatus context then
ImmNotifyIME(context, NI_SELECTCANDIDATESTR, CPS_COMPLETE, 0u) |> ignore
ImmReleaseContext(this.Handle, context) |> ignore
base.OnLostFocus e
view raw TextBox2.fs hosted with ❤ by GitHub