がんふぃーるど室長の不定期ブログ

ただいま助手と悪戦苦闘中!

  ホーム :: 連絡をする :: 同期する  :: Login
投稿数  90  :: 記事 7 :: コメント 14782 :: トラックバック 13

ニュース


自己紹介

名前:がんふぃーるど
肩書:室長
種別:人間・男
資格一覧:
MCP 70-215 Installing, Configurating, and Administering Microsoft Windows 2000 Server
MCTS .NET Framework 2.0 - Distributed Applications
MCTS .NET Framework 2.0 - Web Applications

犬紹介


名前:なうら
肩書:助手
種別:犬・狆・メス
誕生日:2006/7/9
特技:鼻水飛ばし、甘噛、奇襲・急襲・強襲、そそう、お手、お座り、待て

記事カテゴリ

書庫

日記カテゴリ

ギャラリ

前回のOracleでユーザ定義集計関数を作成したので、今度はSQL Server 2005で作ってみた。ちなみに、わんくま内のblogを検索してみたらSQL CLRについてのエントリがあまり無い。

人気茄子…やろうと思えばDataTableでガリガリやれないこともない…

まあ、これからですよ!これから!ははは

気を取り直して、SQL CLRで作るユーザ定義集計関数。いってみよー

大まかな流れ

Oracleの場合と違い、SQL Serverでユーザ定義集計関数を作成する場合、アセンブリを作成する必要がのですが

  1. .NETでコーディングしてアセンブリ作成(署名忘れずに※1)
  2. 1で作成したクラスを紐付けたユーザー定義集計関数を定義

と、あまり変わらないじゃん♪ (え?アセンブリを署名するのが面倒?まあ、やらないでもいい方法があるんで♪)

ユーザー定義集計関数インターフェース

インターフェースというと語弊が若干あるのですが、要する実装する必要があるインターフェース&定義する必要のあるメソッド及びアトリビュートです。

クラスに対して必要なもの

  • Microsoft.SqlServer.Server.SqlUserDefinedAggregate アトリビュート(クラス)の定義
  • Microsoft.SqlServer.Server.IBinarySerialize インターフェースの継承

メンバに対して必要なもの

  • public void Init()
  • public void Accumulate(SqlString value)
  • public void Merge(CsvConcatenation other)
  • public SqlString Terminate()
  • public void Read(BinaryReader r) ※IBinarySerializeの実装
  • public void Write(BinaryWriter w) ※IBinarySerializeの実装

うム。上の四つはOracleと一緒だ(笑

ということで、サクサクいきましょう。

CsvConcate集計関数

こういう、関数の実装部分を定義するクラスの名前っていつも悩みますね。動詞にするかしないかってことで。今回はSQL Server 2005に登録する関数と同じ名前にしたかったので、CsvConcateにしましたが、クラス名だけならCsvConcatenationにしちゃってもいいんですよね。

とまあ、クラス名の話はさておき、文字列をCSV形式で集計してくれるユーザー定義集計関数を作りたいと思います。

まずはMicrosoft.SqlServer.Server.SqlUserDefinedAggregate アトリビュートの定義

[Serializable]
[Microsoft.SqlServer.Server.SqlUserDefinedAggregate(
    Microsoft.SqlServer.Server.Format.UserDefined, //シリアライズ形式(ネイティブかユーザ定義)
    IsInvariantToNulls = true,            // NULLに対して不変かどうか(NULLを集計しない場合はTrue)
    IsInvariantToDuplicates = false,    // 重複値に対して不変かどうか(重複した値を集計しない場合はTrue)
    IsInvariantToOrder = false,            // 現在は未使用(未実装)
    MaxByteSize = 8000)]                   // MAXサイズ
public class CsvConcate : Microsoft.SqlServer.Server.IBinarySerialize

定義の内容はコメントの通り。NULLや重複値については用途に合わせて使い分けて下さい。

次はInit~Treminateまでのメソッドです。

/// <summary>
/// 中間結果を保持
/// </summary>
private StringBuilder intermediateResult;

/// <summary>
/// 初期化
/// </summary>
public void Init()
{
    intermediateResult = new StringBuilder();
}

/// <summary>
/// 実際の集計処理
/// </summary>
/// <param name="value"></param>
public void Accumulate(SqlString value)
{

    if (value.IsNull)
    {
        intermediateResult.Append(string.Empty).Append(',');
    }
    intermediateResult.Append(value.Value).Append(',');

}

/// <summary>
/// 部分計算された場合のマージ
/// </summary>
/// <param name="other"></param>
public void Merge(CsvConcate other)
{
    intermediateResult.Append(other.intermediateResult);
}

/// <summary>
/// 終了処理
/// </summary>
/// <returns></returns>
public SqlString Terminate()
{
    string output = string.Empty;
    // 最後のカンマはおさらば
    if (intermediateResult != null && intermediateResult.Length > 0)
        output = intermediateResult.ToString(0, intermediateResult.Length - 1);
    return new SqlString(output);
}

そんでもってIBinarySerialize インターフェースの実装(Microsoft.SqlServer.Server.Format.Nativeの場合は必要なし?)

#region IBinarySerialize メンバ

void IBinarySerialize.Read(BinaryReader r)
{
    if (r == null) throw new ArgumentNullException("r");
    intermediateResult = new StringBuilder(r.ReadString());
}

void IBinarySerialize.Write(BinaryWriter w)
{
    if (w == null) throw new ArgumentNullException("w");
    w.Write(intermediateResult.ToString());
}

#endregion

アセンブリを署名するのを忘れずに(キーペアは「sn」などで作成しましょう)※1

ユーザー定義集計関数の登録

さて、署名付きのアセンブリが作成できたのなら、あとは登録するだけです。とりあえず、やることは三つ

  • アセンブリの登録
  • ユーザー定義集計関数の定義(クラスとの紐付け)

登録するアセンブリの配置場所ですが、こいつは適当「UserLib」に切っておいて、そこに作成したアセンブリ「StringUtility.dll」を配置します。

C:\Program Files\Microsoft SQL Server\90\UserLib\StringUtility.dll

(別にSQL Serverと同じフォルダでなくても構いません。)

それと、CLR統合機能を予め有効化する必要があるので、以下のSQLを発行(参考文献:夏椰さんのを参照)

sp_configure 'clr enabled', 1
GO
RECONFIGURE
GO

あとはこいつを登録してやるだけです。以下のSQLを発行

-- アセンブリのパス
declare @asmblyPath nvarchar(1000)
set @asmblyPath = 'C:\Program Files\Microsoft SQL Server\90\UserLib\StringUtility.dll'

-- アセンブリの登録
CREATE ASSEMBLY StringUtility FROM @asmblyPath
WITH permission_set=Safe;
GO

-- ユーザー定義集計関数の定義
CREATE AGGREGATE Concatenate(@input nvarchar(4000))
RETURNS nvarchar(4000)
EXTERNAL NAME [StringUtility].[Wankuma.Ganf.SqlClr.StringUtility.CsvConcate];
GO

これで、完成。では実際にNorthWindで使ってみましょう。(AdventureWorksでもいいですが、あれは結構件数が入っているので、バッファがすぐにあふry)

使い方

こちらも、Oracle同様、他の集計関数と同じ使い方です。

select country, dbo.csvconcate(employeeid)
from employees group by country

参考文献

MSDN CLR ユーザー定義集計の要件

http://technet.microsoft.com/ja-jp/library/ms161551.aspx

ユーザー定義集計関とは違いますが、数夏椰さんのとこでいくつかSQL CLRが公開されています。

夏椰の庵 - Secluded Spot of Kaya - BOX

 

※1 アセンブリの署名を行わなくても、アセンブリの登録は可能です。その場合は、データベースのTRUSTWORTHYをONにしましょう。

投稿日時 : 2008年6月30日 1:12

コメント

# ユーザー定義集計関数&hellip;とは微妙に違うCSV形式で文字列を集計 - LINQ 2008/07/02 2:05 がんふぃーるど室長の不定期ブログ
ユーザー定義集計関数&hellip;とは微妙に違うCSV形式で文字列を集計 - LINQ

# fJzyITAXIoZqVEuqW 2014/07/19 6:17 http://crorkz.com/
mjbA3R Muchos Gracias for your post.Much thanks again. Fantastic.

# fake Cartier love bracelet 2015/08/04 5:25 wpxlqdqk@aol.com
I’m Maya i reside in Switzerland and that i am Computer software Maker.
fake Cartier love bracelet http://www.girlslovebangle.com/category/cartier-love-bangle-rose-gold/

# the love bracelet cartier replica 2015/08/24 14:17 kusswe@aol.com
We provide cheap maplestory mesos to reliable customer. Buy MapleStory Mesos here,Buy dofus kamas, Cheap Dofus Kamas. We provide cheap Dofus Kamas to reliable customer,Look to Buy eq2 gold,EverQuest 2 Gold, Buy EQ2 Gold, Cheap EQ2 Gold,You can buy cabal alz, Cabal Online Alz, Cabal Gold, Cheap cabal alz.
the love bracelet cartier replica http://www.lovebraceletjewelry.net/one-particular-series-of-cartier-love-bangle/

# XGZPlMxduFUHuHa 2018/08/13 0:29 http://www.suba.me/
Z8L4fR I would like to follow everything new you have to post.

# mfEErEcNwZTlxfjJvC 2018/08/18 4:24 http://osradio.ru/user/Vineefror634/
You have brought up a very superb points , regards for the post.

# ZaYmcDxzQtdcRlFGNs 2018/08/18 5:36 http://www.jmdsqy.com/home.php?mod=space&uid=1
will go along with your views on this website.

# vJrIxwgiSwtzSG 2018/08/18 8:27 https://www.amazon.com/dp/B07DFY2DVQ
Spot on with this write-up, I genuinely assume this site needs considerably much more consideration. I all probably be once a lot more to read far a lot more, thanks for that info.

# DLwxDlYxzArdoTGjT 2018/08/18 13:38 http://scarehealth.trade/story.php?id=34368
we are working with plastic kitchen faucets at household simply because they are very cheap and also you can quickly replace them if they broke

This excellent website really has all the info I needed concerning this subject and didn at know who to ask.

# hbxJwxpIDhdc 2018/08/18 18:37 http://wallpaperpyxis.com/profile/adriannej15
Thanks for sharing, this is a fantastic blog.Thanks Again. Keep writing.

# MOTlgTjGPNMHfcO 2018/08/18 19:01 http://bomx.org/smf/index.php?action=profile;u=815
Perfect piece of work you have done, this site is really cool with fantastic info.

# iDMwAEQRevYuNlgOQq 2018/08/18 19:26 https://instabeauty.co.uk/
Thanks-a-mundo for the article. Awesome.

It as hard to come by knowledgeable people about this topic, but you seem like you know what you are talking about! Thanks

# CcpREkGZkVNPW 2018/08/20 14:46 https://instabeauty.co.uk/list-your-business
If you are going for finest contents like I do, simply go to see this site every day since it provides quality contents, thanks

# cdyKaVroZLzpNe 2018/08/20 20:17 http://www.nationalgoodboyregistry.com/blog/view/3
When Someone googles something that relates to one of my wordpress blogs how can I get it to appear on the first page of their serach results?? Thanks!.

# alCsynGwhmWaCDg 2018/08/21 13:56 http://allsiteshere.com/News/prepaidcardstatus-com
Really informative blog article.Much thanks again. Fantastic.

# ipmGrjxqQDrAjLMM 2018/08/22 0:46 http://dropbag.io/
I was recommended this website by my cousin. I am not sure whether this post is written by him as no one else know such detailed about my trouble. You are wonderful! Thanks!

# aCiBBSCCkJleRSLP 2018/08/22 3:39 https://choicebookmarks.com/story.php?title=sacram
If you desire to improve your know-how only keep

# lbdLYnhUmXNsZMCV 2018/08/22 21:30 https://fuses.stream/blog/view/18747/find-out-how-
Or maybe a representative speaking on behalf of the American University,

What the amazing post you ave made. I merely stopped into inform you I truly enjoyed the actual read and shall be dropping by from time to time from right now on.

# uEJbgZouIAHcVVC 2018/08/23 2:47 http://prugna.net/forum/profile.php?id=687219
My brother suggested I might like this website. He was entirely right. This post actually made my day. You cann at imagine just how much time I had spent for this information! Thanks!

Thanks for the blog.Thanks Again. Great.

# BUVpLqjdXwYt 2018/08/23 20:45 http://combookmarkplan.gq/News/agen-sbobet-online/
Wow, great blog.Really looking forward to read more.

# MbCCtgUvznpnbwT 2018/08/24 1:45 http://www.sla6.com/moon/profile.php?lookup=294946
It as hard to come by experienced people in this particular subject, however, you seem like you know what you are talking about! Thanks

# zeaKcnVGFeSBNz 2018/08/24 9:07 http://sport.sc/users/dwerlidly396
There is certainly a great deal to learn about this subject. I really like all of the points you ave made.

# JwdCKhKpVjwy 2018/08/27 19:27 https://www.prospernoah.com
mobile phones and WIFI and most electronic appliances emit harmful microwave RADIATION (think Xrays rays)

# ugBzojWoTSGccjnLopS 2018/08/27 19:28 https://xcelr.org
What blogging website had the least invasive ads for free-account users?. Or what blogging website is best for someone looking to start a professional literary blog?.

# JgSGXjmlUeGDjxyFV 2018/08/27 22:04 http://freeposting.cf/story.php?title=kupit-prosmo
own blog? Any help would be really appreciated!

# nuLdLpWOWrBoAz 2018/08/28 3:47 http://all4webs.com/edwarduncle46/gbkivuvjvr501.ht
It as very simple to find out any topic on web as compared to textbooks, as I found this paragraph at this web page.

# IoBioPfoMFpWMIKxp 2018/08/28 10:11 http://odbo.biz/users/MatPrarffup426
Wow, marvelous blog layout! How long have you been blogging for? you make blogging look easy. The overall look of your website is excellent, let alone the content!

# qmcWaQuRNtTPMSiVj 2018/08/28 19:03 https://www.youtube.com/watch?v=yGXAsh7_2wA
wonderful points altogether, you just gained a new reader. What might you recommend in regards to your submit that you just made some days ago? Any certain?

Wow, great article post.Thanks Again. Much obliged.

# pFNYVpvVjHANp 2018/08/29 7:25 http://www.segunadekunle.com/members/sarahfoam3/ac
Your location is valueble for me. Thanks!

# VqYJGXxRXzwVCLKaDG 2018/08/29 7:38 https://walidsharpe.wordpress.com/
You generated some decent points there. I looked on-line for that problem and discovered the majority of people will go coupled with with all your internet site.

# ouAdkfiDfNwx 2018/08/29 20:53 https://khoisang.vn/members/columntemple0/activity
Wow, great article.Thanks Again. Want more.

# oVLmtxoJOXBHKkgz 2018/08/30 0:41 http://staging.hadooptutorial.info/members/tilerhy
I'а?ve read several excellent stuff here. Definitely worth bookmarking for revisiting. I wonder how so much attempt you put to make any such excellent informative web site.

# QIPsveoTxYdctA 2018/08/30 17:36 http://komunalno.com.ba/index.php?option=com_k2&am
Really appreciate you sharing this article.Really looking forward to read more. Really Great.

# BGQTWPfkipBuyhFq 2018/08/30 17:52 http://yourbookmark.tech/story.php?title=hampton-b
Some genuinely fantastic posts on this internet site , regards for contribution.

# cxsiPLbfVEO 2018/09/01 10:10 http://prugna.net/forum/profile.php?id=297422
Some truly prime articles on this site, saved to my bookmarks.

# vICrjUIkXiBgMB 2018/09/01 16:40 http://prugna.net/forum/profile.php?id=564557
There is definately a lot to know about this issue. I love all the points you made.

# LoWncGnwMWHIaALUF 2018/09/02 14:55 http://www.pcapkapps.com/apps-download/free-downlo
Thanks a bunch for sharing this with all of us you actually know what you are talking about! Bookmarked. Please also visit my site =). We could have a link exchange contract between us!

# sDPgdtVJlnxwe 2018/09/02 20:36 https://topbestbrand.com/10-&#3629;&#3633;
Thanks for helping out, excellent info. Nobody can be exactly like me. Sometimes even I have trouble doing it. by Tallulah Bankhead.

# QTgVRSFhdaMw 2018/09/03 16:16 https://www.youtube.com/watch?v=4SamoCOYYgY
I truly appreciate this post.Much thanks again. Awesome.

# aKSuXbiSSzf 2018/09/03 19:12 http://www.seoinvancouver.com/
Very informative blog article.Really looking forward to read more. Much obliged.

# RNiIoMGefgslErYpplg 2018/09/04 17:49 https://www.floridasports.club/members/salarytin79
Spot on with this write-up, I really suppose this web site wants way more consideration. I?ll most likely be once more to learn way more, thanks for that info.

It as exhausting to search out educated people on this topic, but you sound like you already know what you are talking about! Thanks

I'а?ve recently started a web site, the information you provide on this web site has helped me greatly. Thanks for all of your time & work.

Looking forward to reading more. Great blog article. Awesome.

# PabIgFbCJsflDvW 2018/09/05 5:37 https://www.youtube.com/watch?v=EK8aPsORfNQ
It as not that I want to copy your internet site, but I really like the pattern. Could you let me know which style are you using? Or was it custom made?

# zyuazuPUBMXCoGq 2018/09/05 15:35 http://googleaunt.com/story.php?title=free-apps-fo
I truly appreciate this post.Really looking forward to read more. Fantastic.

# AdoFGLFHabDvhJmZez 2018/09/05 17:11 http://newsmeback.info/story.php?title=tut-huyet-a
Whoa! This blog looks just like my old one! It as on a totally different topic but it has pretty much the same page layout and design. Outstanding choice of colors!

# joTxoalzCHJhEPkX 2018/09/05 19:49 http://www.ownedbusinesssolutions.net/blog/view/16
I really liked your article.Much thanks again.

# VbYhpbeJXwTv 2018/09/06 16:07 http://www.etihadst.com.sa/web/members/goatroom32/
you will have an amazing weblog here! would you wish to make some invite posts on my weblog?

# zfkHIJoCiUWc 2018/09/07 19:33 https://www.off2holiday.com/members/valleyspain1/a
they have been a moment to consider taking a shot?

# rcHNEEDShCSO 2018/09/10 17:38 https://www.youtube.com/watch?v=kIDH4bNpzts
What the amazing post you ave made. I merely stopped into inform you I truly enjoyed the actual read and shall be dropping by from time to time from right now on.

# OFgEVOFHgOIiC 2018/09/10 19:44 https://www.youtube.com/watch?v=5mFhVt6f-DA
This blog was how do I say it? Relevant!! Finally I have found something which helped me. Appreciate it!

# beqVsDiykwTwnVrE 2018/09/11 23:22 http://www.ownedbusinesssolutions.net/blog/view/28
Terrific work! This is the type of information that should be shared around the web. Shame on the search engines for not positioning this post higher! Come on over and visit my website. Thanks =)

# QrAnuzQzmODwWJC 2018/09/12 2:10 https://hareembridges.yolasite.com/
Im obliged for the blog.Much thanks again. Really Great.

Wow! This could be one particular of the most useful blogs We have ever arrive across on this subject. Actually Wonderful. I am also an expert in this topic so I can understand your effort.

# puKetglRzVyC 2018/09/12 17:14 https://www.youtube.com/watch?v=4SamoCOYYgY
You, my pal, ROCK! I found exactly the info I already searched everywhere and simply could not find it. What a perfect web site.

# RFWUEBHlHfJmUXcWKMG 2018/09/12 23:40 https://www.youtube.com/watch?v=EK8aPsORfNQ
I truly appreciate this post. I have been looking all over for this! Thank God I found it on Google. You ave made my day! Thx again..

# IxcSzAMEaPs 2018/09/13 1:14 https://www.youtube.com/watch?v=5mFhVt6f-DA
Im grateful for the blog post. Really Great.

# IQuDiATejWOnBSZPth 2018/09/13 11:51 http://banki63.ru/forum/index.php?showuser=415178
I value the article.Really looking forward to read more. Want more.

# rEJsMRRwzaLmq 2018/09/13 14:23 http://court.uv.gov.mn/user/BoalaEraw504/
It as hard to come by knowledgeable people on this subject, but you seem like you know what you are talking about! Thanks

Really superb information can be found on blog.

# eMTTHWBFfkqZWWKX 2018/09/13 21:47 http://vesvalo.net/html/counter/counter.php?link=h
Thanks so much for the blog article.Much thanks again. Much obliged.

# AJrYnDnGabHuLxQ 2018/09/17 16:57 https://lifelearninginstitute.net/members/dinnerbe
liberals liberals liberals employed by non-public enterprise (or job creators).

# zxjWRGFyIhAEtKC 2018/09/18 2:10 https://1drv.ms/t/s!AlXmvXWGFuIdhaBI9uq5OVxjTVvxEQ
Strange , your posting shows up with a dark color to it, what color is the primary color on your webpage?

# HyoYzYMwsY 2018/09/18 2:40 https://livenettv.sitey.me/
You made some good points there. I looked on the internet for the topic and found most guys will approve with your website.

# llJDQUnrIAtRVAStXD 2018/09/18 4:52 http://isenselogic.com/marijuana_seo/
Major thankies for the blog article.Thanks Again. Keep writing.

# oGzJUuUVlYKOMAkcwY 2018/09/18 6:55 http://alosleones.com/story.php?title=bass-notes#d
rs gold ??????30????????????????5??????????????? | ????????

# BErKzsCKIO 2018/09/18 22:08 https://u.wn.com/p/413728499/
Steel roofing is roofing your own house made of metal,

# YWVoqOOwSTBFF 2018/09/19 21:32 https://wpc-deske.com
We hope you will understand our position and look forward to your cooperation.

# cJXhOGQHFGUbhhjGhhD 2018/09/20 9:00 https://www.youtube.com/watch?v=XfcYWzpoOoA
What as up mates, you are sharing your opinion concerning blog Web optimization, I am also new user of web, so I am also getting more from it. Thanks to all.

# SwNnYFVqboYqxvY 2018/09/21 15:33 http://www.imfaceplate.com/DoreneGuerette/logo-mav
Just what I was searching for, thanks for posting. If you can imagine it,You can achieve it.If you can dream it,You can become it. by William Arthur Ward.

the net. Disgrace on Google for not positioning this submit upper!

# BBguxTorLEzvcvtihV 2018/09/21 18:40 https://www.youtube.com/watch?v=rmLPOPxKDos
That is very fascinating, You are an overly professional blogger.

# evajqafxbUbKbZnRNJS 2018/09/22 0:53 http://thedragonandmeeple.com/members/pickleriddle
You, my friend, ROCK! I found exactly the information I already searched all over the place and simply couldn at locate it. What a great web site.

# bbkVbsBLCKuwzbrmbth 2018/09/22 19:30 http://pomakinvesting.bid/story/38054
I truly appreciate this post.Thanks Again. Fantastic.

# pxYwfCxRIeUhkqE 2018/09/24 21:10 http://stovebengal64.curacaoconnected.com/post/dis
Only wanna remark that you have a very decent internet site , I the layout it actually stands out.

# GukQqjdBlAqIjSeFx 2018/09/25 18:23 http://mp3sdownloads.com
Wow! This could be one particular of the most useful blogs We ave ever arrive across on this subject. Actually Excellent. I am also an expert in this topic therefore I can understand your effort.

# VGoRqASCNDFp 2018/09/25 18:55 https://ilovemagicspells.com/white-magic-spells.ph
This very blog is without a doubt awesome as well as informative. I have found helluva helpful tips out of it. I ad love to return over and over again. Cheers!

# TIZhMHAkwKYcSEH 2018/09/26 4:23 https://www.youtube.com/watch?v=rmLPOPxKDos
Peculiar article, totally what I needed.

Remarkable! Its actually remarkable post, I have got much clear idea on the topic of from this post.

# BYisRLdCVyFx 2018/09/27 22:32 https://write.as/diqa6m2f8oeqf7qo.md
Whenever vacationing blogs, i commonly discover a great substance like yours

# TTbRhJySrWPrdiAMC 2018/09/28 0:54 https://www.youtube.com/watch?v=MMusEATMdGg
It as not that I want to copy your web page, but I really like the style. Could you let me know which theme are you using? Or was it especially designed?

# eixGilfslHBqq 2018/09/28 3:04 https://scbclub.livejournal.com/profile
Several thanks for the fantastic post C IaаАа?б?Т€Т?а?а?аАа?б?Т€Т?аБТ?d fun reading it! That i really like this weblog.

# OZMrDzEhMKAV 2018/10/02 3:44 https://www.youtube.com/watch?v=4SamoCOYYgY
I think this is a real great post. Fantastic.

# hVpzpxbrHaSyDIRQVA 2018/10/02 9:10 http://www.anobii.com/groups/015c0dd2ab10fc22ca/
You clearly know your stuff. Wish I could think of something clever to write here. Thanks for sharing.

# AxmaIozejWuNsT 2018/10/02 17:58 https://www.youtube.com/watch?v=kIDH4bNpzts
This is my first time pay a visit at here and i am truly pleassant to read all at alone place.

# rpHAVdoSVzyUdtxyFz 2018/10/03 6:38 http://travianas.lt/user/vasmimica319/
I think this is a real great post.Much thanks again. Much obliged.

# AMpsQHacnOEEnpUDB 2018/10/03 18:16 http://eugendorf.net/story/236541/#discuss
Yeah bookmaking this wasn at a high risk conclusion great post!.

# nkHAVNNLQloHNxY 2018/10/03 20:48 http://bepetsaholic.website/story/38595
Im thankful for the blog article.Much thanks again. Fantastic.

# fJWaQJJGJGVwWp 2018/10/03 21:39 http://www.magcloud.com/user/diaradipho
It as actually very complicated in this active life to listen news on TV, thus I simply use world wide web for that reason, and get the newest news.

# aaGfwaXMkBcIEAiPOMm 2018/10/05 16:05 https://www.openstreetmap.org/user/nitopelma
Some really select posts on this site, saved to fav.

# QEtGqdFwNHEWbbB 2018/10/06 3:54 https://www.evernote.com/shard/s663/sh/57409634-eb
Is it possible to change A Menu Items Type

# ARLBwkpiVAquHyViV 2018/10/06 16:36 http://voyagestart3.cosolig.org/post/tin-generatio
Sent the first post, but it wasn`t published. I am writing the second. It as me, the African tourist.

# MoRIBXMuyVKCs 2018/10/07 0:37 https://ilovemagicspells.com/genie-spells.php
Thanks, I ave recently been seeking for facts about this subject matter for ages and yours is the best I ave located so far.

# kjKgyiDkVYOVZUzGZ 2018/10/07 4:55 http://kliqqi.xyz/story.php?title=kem-tan-mo-bung#
Im thankful for the article post.Much thanks again. Want more.

# FYQonhPlllLdJ 2018/10/07 5:21 http://www.pcdownloadapp.com/free-download/Funny-G
very handful of internet websites that transpire to become comprehensive beneath, from our point of view are undoubtedly very well really worth checking out

# ibqnjhkdoTSSwwksOA 2018/10/07 16:02 https://discover.societymusictheory.org/story.php?
Utterly written written content, thanks for selective information. In the fight between you and the world, back the world. by Frank Zappa.

# ehKdZPhdRC 2018/10/08 11:19 https://www.jalinanumrah.com/pakej-umrah
It as hard to come by knowledgeable people for this topic, however, you sound like you know what you are talking about! Thanks

# kIBpibUiLnXVDArAIP 2018/10/08 14:19 https://www.jalinanumrah.com/pakej-umrah
I was suggested this blog by my cousin. I am not sure whether this post is written by him as no one else know such detailed about my problem. You are amazing! Thanks!

# mPPOgFXNxCuoQUnX 2018/10/09 5:12 http://animesay.ru/users/loomimani110
wow, awesome article post.Thanks Again. Really Great.

# CGznAAPdnOIOz 2018/10/10 2:22 http://couplelifegoals.com
Really appreciate you sharing this article.Really looking forward to read more. Great.

# qLZapKTzOcpz 2018/10/10 17:57 https://123movie.cc/
wow, awesome blog post.Really looking forward to read more. Awesome.

# HxEJSBdGDjvEF 2018/10/10 21:02 https://telegra.ph/IHERB-CANADA-STORE-10-07
Pretty! This was an incredibly wonderful article. Thanks for supplying this info.

# GXzehkrrToJPVFnX 2018/10/11 7:21 http://motofon.net/story/20252/#discuss
robe de cocktail pas cher i am in fact delighted to read this blog posts which includes lots of valuable facts, many thanks for providing these kinds of statistics.

# GJlQENrXCgFY 2018/10/11 11:27 http://bookmarkes.ml/story.php?title=free-download
rencontre gratuit en belge How to get your customized blogspot to appear on google search?

# SQHtVroQhKkicLzSe 2018/10/11 12:04 http://supplystock1.iktogo.com/post/countless-reas
Of course, what a splendid blog and educative posts, I will bookmark your website.All the Best!

This blog post is excellent, probably because of how well the subject was developed. I like some of the comments too.

# ZePnxaVTbJIFJbAz 2018/10/12 5:14 http://blingee.com/profile/beliefheight91
Im obliged for the post.Thanks Again. Keep writing.

# GLcKLgqXGNDJxMeKwD 2018/10/13 0:46 http://www.hhfranklin.com/index.php?title=User:Cha
It as nearly impossible to find experienced people about this topic, but you sound like you know what you are talking about! Thanks

# ZwgBFJGwxhAEJ 2018/10/13 6:28 https://www.youtube.com/watch?v=bG4urpkt3lw
This particular blog is without a doubt awesome and besides informative. I have chosen a bunch of useful stuff out of this blog. I ad love to come back again and again. Cheers!

# mRXXawekGJyRbAg 2018/10/13 12:15 https://www.peterboroughtoday.co.uk/news/crime/pet
Thanks-a-mundo for the blog article. Much obliged.

# SCphFwjVbwWEiJBhQ 2018/10/13 15:18 https://getwellsantander.com/
You made some clear points there. I did a search on the issue and found most guys will agree with your website.

# TtUnqjPKSX 2018/10/14 10:47 http://www.feedbooks.com/user/4667963/profile
Thanks for another great post. Where else could anybody get that type of information in such a perfect way of writing? I ave a presentation next week, and I am on the look for such info.

# Cowboys Jerseys Cheap 2019/03/31 7:30 zaykiiaxi@hotmaill.com
nmdhrcmepu,Very helpful and best artical information Thanks For sharing.

# Yeezy 2019/04/05 10:20 cmgyphse@hotmaill.com
kgaejjro Yeezy,This website truly has alll of the information and facts I wanted about this subject and didn?t know who to ask.

# Yeezy Shoes 2019/04/06 8:40 aadibt@hotmaill.com
sarltdoq,This website truly has alll of the information and facts I wanted about this subject and didn?t know who to ask.

# Pandora Bracelets 2019/04/12 9:00 lhrszz@hotmaill.com
rhntlvok,If you have any struggle to download KineMaster for PC just visit this site.

# Yeezy 2019/04/15 15:20 kqypfmurou@hotmaill.com
kvtvmkroyu Yeezy 350,Very informative useful, infect very precise and to the point. I’m a student a Business Education and surfing things on Google and found your website and found it very informative.

# React Element 87 2019/04/27 13:09 sxotdxbk@hotmaill.com
Jim O'Neill, the father of BRIC and former chairman of Goldman Sachs Asset Management, said at a forum on the shores of Lake Como near Milan on Friday,

# Nike Air Zoom 2019/05/01 17:01 mxheycnmdu@hotmaill.com
A cored-out white React foam midsole with salmon plugs then completes the look. A perfect shoe for the warm weather ahead, you can check these new women’s Reacts out in detail below, and expect a release on Nike.com and at select sportswear stockists in the coming weeks for $130 USD.

# cheap custom nfl jerseys 2019/05/03 16:29 xxexigwopp@hotmaill.com
Mike Mayock should send Giants GM David Gettleman a gift basket. The stink of the Giants' reach for Jones drowned out the groans of Raiders fans dumbfounded by Oakland's selection of defensive end Clelin Ferrell with the No. 4 overall pick. Ferrell is a quality player and certainly a first-round talent, but top-five is quite a stretch. Mayock himself thought Ferrell would be a trade-down possibility, and yet, with superior pass rushers like Josh Allen, Ed Oliver, and Rashan Gary still on the board, the Raiders stood pat and took Ferrell.

# Nike Plus 2019/05/08 12:43 zzkzoornam@hotmaill.com
If your child develops a rash or irritation on his body for no apparent reason, it could be irritating substances present on new clothing worn without washing. For children with sensitive skin, the American Academy of Pediatrics (AAP) recommends washing new clothing and towels before using them.

# Pandora Jewelry Official Site 2019/05/11 5:21 wxzutjh@hotmaill.com
Jones' relatives read statements describing Jones, a professional drummer, as a religious man and dedicated musician.

# NFL Jerseys 2019 2019/06/06 0:24 hiuxvkix@hotmaill.com
http://www.pandora-officialsite.us/ Pandora Jewelry Official Site

# Travis Scott Jordan 1 2019/06/06 4:39 euwcyohc@hotmaill.com
They fixed it last postseason and won a championship.

# React Element 87 2019/06/15 13:26 bzapwrq@hotmaill.com
http://www.jordan11concord.us.com/ jordan 11 concord

# cheap jerseys from china 2019/06/20 8:08 odmlcyknw@hotmaill.com
http://www.jordan11-concord.com/ Jordan 11 Concord 2018

# Basketball Jersey 2019/06/29 21:26 nnagnh@hotmaill.com
http://www.nfljerseys2019.us/ NFL Jerseys 2019

# Yeezy 500 2019/07/03 20:21 pefjlczsawi@hotmaill.com
http://www.cheapjerseyselitenfl.us/ Cheap Sports Jerseys

# Yeezy Shoes 2019/07/07 10:31 ajpsfoetzu@hotmaill.com
http://www.nfljerseys2019.us/ NFL Jerseys

# Yeezy 350 2019/07/13 16:27 tvonsp@hotmaill.com
http://www.yeezy-350.org.uk/ Yeezy 350

# Yeezy Boost 350 2019/07/31 22:45 drhpgtoty@hotmaill.com
http://www.yeezy350.us.com/ Yeezy

# Yeezy Shoes 2019/08/09 4:00 eocvxcyqs@hotmaill.com
http://www.nikeoutletstoreonlineshopping.us/ Nike Outlet Store Online Shopping

# Nike Outlet 2019/08/15 6:04 yqlgmf@hotmaill.com
http://www.yeezys.us.com/ Yeezy 350

# Nike Outlet Online 2019/08/26 18:49 ompwsoupwp@hotmaill.com
http://www.yeezy700.org.uk/ Yeezy 700

# erectile doctors new orleans 2021/07/07 6:01 hydroxychloroquine tablets
hydroxychloroquine 200 mg tablet https://plaquenilx.com/# does hydroxychloroquine cause heart problems

# re: ??????????:CSV????????? - SQL Server 2005 2021/07/27 4:16 hydroxicloriquine
malaria skin rash https://chloroquineorigin.com/# what is hydrochloroquine

# mbroexqyuqja 2021/11/30 13:24 dwedayqqux
https://chloroquinesen.com/

# RnRBDJMuMqPgfPVipx 2022/04/19 9:44 johnansaz
http://imrdsoacha.gov.co/silvitra-120mg-qrms

# xukyaheohmzy 2022/05/07 0:13 bffrnt
define hydroxychloroquine https://keys-chloroquineclinique.com/

# jqsflgilcgpo 2022/05/07 15:13 dxpuvc
who produces hydroxychloroquine win https://keys-chloroquineclinique.com/

# Kjp 9 Omtz Jix 2022/10/31 15:37 TofFBFV
https://prednisoneall.top/

# Bic 2 Cuzu Zba 2022/11/01 11:26 KxxBUZG
https://prednisoneall.top/

# Ozh 7 Lzmx Qxq 2022/12/10 16:03 KqrCRHG
http://tellmy.ru/user/bradshulze5667/

# purchase aralen online 2022/12/27 2:19 MorrisReaks
https://hydroxychloroquinex.com/ chloroquine 300 mg

# Paz 1 Qboj Ozq 2023/01/21 1:54 cbpgkxs
https://mircare.com/ru/citizenship-and-residence/romania&ЛОХОТРОН

# Quf 4 Uans Coz 2023/01/24 11:04 ccfoyfa
https://thech.ru/articles/zachem-nuzhen-kreditniy-reiyting.html

# Oml 8 Ogzg Ydd 2023/01/27 4:49 rnxzqap
https://24topnews.ru/business/chto-nuzhno-znat-o-refinansirovanii-ipoteki/

# Ygb 8 Mvja Lwy 2023/02/02 21:31 wfqmsnx
https://kirov.diskishini.co/rdr/?ct=aHR0cDovL3d3dy45ZGFtYW9nYW1lLm5ldC9ob21lLnBocD9tb2Q9c3BhY2UmdWlkPTQwNDQ1MjMmZG89cHJvZmlsZQ

# lfqrgfd 2023/02/11 12:11 tdacays
https://interlinkinfo.com/prednisone-20-mg/

# Skj 5 Lslv Vcp 2023/03/03 1:43 xsjqakc
https://coincovey.com/

# Smx 8 Hhsn Mwy 2023/03/03 9:45 couwobp
Многие автовладельцы сталкивались с ситуацией утраты номерного знака. В теории каждый прекрасно знает, что в этом случае нужны дубликаты номерных знаков и требуется обращаться в организацию, которой выполняется официальное изготовление номеров на автомобиль.
https://guard-car.ru/

# cuvkgyg 2023/03/17 16:41 xblefih
http://specodezh.ru/

# Xtr 9 Sbix Qfo 2023/03/20 3:58 ukrvplg
http://www.virtuosal.com/forum/profile.php?id=204666

# yjmmbxd 2023/04/07 8:50 gcylwb
https://qiita.com/karnizyishtory

# dclxwbf 2023/04/28 5:45 ngiwcq
science https://www.gsu.by

# jokoyrq 2023/04/29 5:07 vvylta
https://www.medgorodok.ru/cons/150/nevrologiya-detskaya-c-545460.html

# kmzaykg 2023/05/12 2:50 rpkeff
https://vk.com/uslugi-213701595?screen=group&w=product-213701595_9050672%2Fquery

# News Today 24 2023/05/16 3:51 Dannydaf
News Today 24 https://greennewdealnews.com/2017/10/02/the-world-is-experiencing-the-impact-of-chinese-travelers/feed/

# https://multfilmion.ru/ 2023/05/18 3:26 EdwardNeert
https://multfilmion.ru/

# https://multfilmtut.ru/ 2023/05/18 19:14 Waynejat
https://multfilmtut.ru/ Мультфильм тут

# ::::::: a.k.a films ::::::: http://akafilms.com/ 2023/05/24 4:36 AndrewErona
::::::: a.k.a films ::::::: http://akafilms.com/

# Multfilm http://computac.com/mobile/ 2023/05/26 0:05 AndrewErona
Multfilm http://computac.com/mobile/

# Услуга трезвый водитель 2023/06/15 1:08 Willienoize
Трезвый водитель Москва ? https://sober-driver77.business.site/ круглосуточный вызов водителя по Москве и Московской области, низкие цены, опытные водители.

# аккумуляторы 2023/08/10 17:00 Keithinted
Наши аккумуляторы обеспечивают высокую производительность и надежность, что является ключевым фактором для бесперебойной работы вашего автомобиля в любых условиях https://digicar.com.ua/

コメントの投稿

タイトル:
名前:
Url:
コメント: