かずきのBlog

C#やJavaやRubyとメモ書き

目次

Blog 利用状況

ニュース

わんくまBlogが不安定になったため、前に書いてたはてなダイアリーにメインを移動します。
かずきのBlog@Hatena
技術的なネタは、こちらにも、はてなへのリンクという形で掲載しますが、雑多ネタははてなダイアリーだけに掲載することが多いと思います。
コメント
プログラマ的自己紹介
お気に入りのツール/IDE
プロフィール
経歴
広告
アクセサリ

書庫

日記カテゴリ

[WPF][C#]CheckedListBoxを作ろう

ということで、CheckedListBoxを作ってみようと思う。
基本的に、ListBoxの中身の1つの要素の実態のListBoxItemってやつのTemplateをCheckBoxに差し替えるだけで見た目は完成する。

ということで作っていこう。

普通にListBoxを作成

いつもならPersonクラスを作って…とかになるんだけど、今回はめんどくさいのでSystem.StringをそのままListBoxの要素として指定するようにした。

<Window x:Class="WpfCheckedListBox.Window1"
    xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
    xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
    xmlns:System="clr-namespace:System;assembly=mscorlib"
    Title="Window1" Height="300" Width="300">
    <StackPanel>
        <ListBox Name="listBox">
            <System:String>田中 太郎</System:String>
            <System:String>田中 次郎</System:String>
            <System:String>田中 三郎</System:String>
            <System:String>田中 四郎</System:String>
            <System:String>田中 五郎</System:String>
        </ListBox>
        <Button Content="Dump" Click="Button_Click" />
    </StackPanel>
</Window>

ボタンのクリックイベントには、現在選択中の要素の値をメッセージボックスに表示する処理を書いておいた。

using System;
using System.Text;
using System.Windows;

namespace WpfCheckedListBox
{
    public partial class Window1 : Window
    {
        public Window1()
        {
            InitializeComponent();
        }

        private void Button_Click(object sender, RoutedEventArgs e)
        {
            // 選択中の要素をつなげてメッセージボックスに表示
            var sb = new StringBuilder();
            foreach (var item in listBox.SelectedItems)
            {
                sb.AppendLine((String) item);
            }
            MessageBox.Show(sb.ToString());
        }
    }
}

これを実行すると、おそらく予想通りの結果になる。
image 田中 三郎を選択した状態でボタンを押すと…
image 田中 三郎が表示される。

現状複数選択は出来ないが、ListBoxのSelectionModeをMultipleにしておくと、複数選択にも対応できる。CheckedListBoxの動き的には、複数選択できるほうがしっくりくると思うので、Multipleに設定しておこうと思う。

<ListBox Name="listBox" SelectionMode="Multiple">

image 複数選択も可能。
image ボタンを押したときの動作もばっちり。

CheckBox化してみよう

見た目をCheckBoxに差し替えてみようと思う。ListBoxに、ItemContainerStyleというプロパティがあるので、そこにStyleを設定するとListBoxItemにStyleを指定できる。StyleからTemplateをCheckBoxに変えるようにカキカキ。

<Window x:Class="WpfCheckedListBox.Window1"
    xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
    xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
    xmlns:System="clr-namespace:System;assembly=mscorlib"
    Title="Window1" Height="300" Width="300">
    <StackPanel>
        <ListBox Name="listBox" SelectionMode="Multiple">
            <!-- ContainerStyle -->
            <ListBox.ItemContainerStyle>
                <Style TargetType="{x:Type ListBoxItem}">
                    <Setter Property="Template">
                        <Setter.Value>
                            <ControlTemplate TargetType="{x:Type ListBoxItem}">
                                <!-- CheckBoxに見た目を差し替えてContentをバインドする -->
                                <CheckBox Content="{TemplateBinding Content}"/>
                            </ControlTemplate>
                        </Setter.Value>
                    </Setter>
                </Style>
            </ListBox.ItemContainerStyle>
            <System:String>田中 太郎</System:String>
            <System:String>田中 次郎</System:String>
            <System:String>田中 三郎</System:String>
            <System:String>田中 四郎</System:String>
            <System:String>田中 五郎</System:String>
        </ListBox>
        <Button Content="Dump" Click="Button_Click" />
    </StackPanel>
</Window>

これで実行すると、見た目はばっちり動作はしょんぼりになる。
image 見た目は出来てそうだけど…
image ListBoxの選択状態とCheckBoxのチェックが全然連動できてない。

次は、この問題を解決してみようと思う。

ListBoxの選択状態とCheckBoxのチェックの同期

ListBoxItemの選択状態は、添付プロパティのSelector.IsSelectedで管理されている。ListBoxItem自体にはIsSelectedといったプロパティは定義されてないといった有様だ。
直感的ではないが、まぁ仕方ないのだろう。分離分離。

ということで、Selector.IsSelectedとCheckBoxのIsCheckedプロパティが同期すればよさそうだ。二つのプロパティの値を同期とるってことは…バインドすればOKです。ということでやってみた。

<CheckBox Content="{TemplateBinding Content}"
          IsChecked="{Binding RelativeSource={RelativeSource TemplatedParent}, Path=(Selector.IsSelected)}"/>

IsCheckedは、添付プロパティのSelector.IsSelectedとバインドするため、プロパティ名だけを指定するTemplateBindingではなくて、きちんとBindingでRelativeSourceをTemplatedParentにして使った。Pathは、括弧で囲ってSelector.IsSelectedで1つのプロパティをあらわしていることを明示しないと動かない。

早速実行してみよう。
image 動きは勿論大丈夫。
image 選択状態もばっちりいけてる。

最後にStyleに切り出し

最後に、再利用可能なようにStyleに切り出しておく。Application.Resourcesあたりに登録して使うといいだろう。

<Style x:Key="CheckedListBoxStyle" TargetType="{x:Type ListBox}">
    <Setter Property="SelectionMode" Value="Multiple" />
    <Setter Property="ItemContainerStyle">
        <Setter.Value>
            <Style TargetType="{x:Type ListBoxItem}">
                <Setter Property="Template">
                    <Setter.Value>
                        <ControlTemplate TargetType="{x:Type ListBoxItem}">
                            <!-- CheckBoxに見た目を差し替えてContentをバインドする -->
                            <CheckBox Content="{TemplateBinding Content}"
                                  IsChecked="{Binding RelativeSource={RelativeSource TemplatedParent}, Path=(Selector.IsSelected)}"/>
                        </ControlTemplate>
                    </Setter.Value>
                </Setter>
            </Style>
        </Setter.Value>
    </Setter>
</Style>

使う側はStaticResourceでStyleプロパティに設定するだけでCheckedListBoxとして使えるようになる。

<ListBox Name="listBox" Style="{StaticResource CheckedListBoxStyle}">
    ....省略...
</ListBox>

めでたしめでたし。

投稿日時 : 2008年8月27日 0:07

Feedback

# re: [WPF][C#]CheckedListBoxを作ろう 2008/08/27 8:46 かずき

ろくに調べずに書いてしまったorz
ListBoxItemには、普通にIsSelectedというプロパティがありました。なので、ControlTemplateのCheckBoxは…
<CheckBox Content="{TemplateBinding Content}"
IsChecked="{TemplateBinding IsSelected)}"/>でいいかも。
確認できる状況になったら確認しますorz

# re: [WPF][C#]CheckedListBoxを作ろう 2008/08/27 11:19 Hirotow

文字列を直接ListBoxのアイテムにするのはある理由から推奨されていません。
つまりアイテムがユニークでない場合に選択がおかしなことになります。

# re: [WPF][C#]CheckedListBoxを作ろう 2008/08/27 20:40 かずき

>Hirotowさん
めんどくさかったので、Stringにしてました~
確かに、知らない人が見てそのまま使うとはまりそうですね…
補足しておきます。

# [WPF][C#]CheckedListBoxを作ろう その2 2008/08/27 20:54 かずきのBlog

[WPF][C#]CheckedListBoxを作ろう その2

# Get Unlimited full movies directly on your computer TV or mobile 2012/06/19 4:29 Edgeffibuddit

Get Unlimited full movies directly on your computer TV or mobile - http://unlimited-full-movies.com
If you want to watch premium movies from a variety of genres on your computer with NO monthly payments, NO extra hardware, and absolutely NO restrictions, then FullMovies is your best choice...
What are the benefits of Full unlimited Movies?
? 100% legal - not a p2p service
? unlimited access for a one time fee - never again pay for each movie!
? all-in-one membership - receive full access to massive movie database
? user-friendly hassle free quick downloads
? no additional hardware required - download and watch!
Get instant access now and start watching unlimited full movies here:
http://unlimited-full-movies.com

# burberry scarf 2012/10/26 3:27 http://www.burberryoutletscarfsale.com/accessories

I like this post, enjoyed this one appreciate it for posting .
burberry scarf http://www.burberryoutletscarfsale.com/accessories/burberry-scarf.html

# wallet 2012/10/26 3:27 http://www.burberryoutletscarfsale.com/accessories

Appreciate it for helping out, wonderful info .
wallet http://www.burberryoutletscarfsale.com/accessories/burberry-wallets-2012.html

# Burberry Tie 2012/10/26 3:27 http://www.burberryoutletscarfsale.com/accessories

I got what you mean , thanks for posting .Woh I am glad to find this website through google. "Spare no expense to make everything as economical as possible." by Samuel Goldwyn.
Burberry Tie http://www.burberryoutletscarfsale.com/accessories/burberry-ties.html

# cheap louis vuitton purses 2012/10/28 0:31 http://www.louisvuittonoutletbags2013.com/

Around the globe you most likely are body, nonetheless to people you most likely are the whole world.
cheap louis vuitton purses http://www.louisvuittonoutletbags2013.com/

# louis vuitton diaper bag 2012/10/28 0:37 http://www.louisvuittonoutletdiaperbag.com/

To the world you're likely to be someone, unfortunately one consumer you're likely to be the world.
louis vuitton diaper bag http://www.louisvuittonoutletdiaperbag.com/

# Adidas Forum Mid 2012/10/30 17:16 http://www.adidasoutle.com/adidas-shoes-adidas-for

I was looking through some of your blog posts on this internet site and I think this site is really informative ! Keep on posting .
Adidas Forum Mid http://www.adidasoutle.com/adidas-shoes-adidas-forum-mid-c-1_6.html

# Women's Canada Goose Jackets 2012/10/30 17:16 http://www.supercoatsale.com/womens-canada-goose-j

Merely wanna input that you have a very decent website , I like the layout it really stands out.
Women's Canada Goose Jackets http://www.supercoatsale.com/womens-canada-goose-jackets-c-12.html

# Nike Free 3.0 V4 Damen 2012/10/30 18:51 http://www.nikefree3runschuhe.com/

Cherish, accord, admire, fail to join users as much as a frequent hatred regarding a thing.
Nike Free 3.0 V4 Damen http://www.nikefree3runschuhe.com/

# burberry scarf 2012/10/31 15:01 http://www.burberrysalehandbags.com/burberry-scarf

I truly enjoy reading through on this web site, it has got good blog posts. "Beware lest in your anxiety to avoid war you obtain a master." by Demosthenes.
burberry scarf http://www.burberrysalehandbags.com/burberry-scarf.html

# mens shirts 2012/10/31 15:01 http://www.burberrysalehandbags.com/burberry-men-s

Hi my friend! I wish to say that this article is amazing, great written and include approximately all vital infos. I would like to peer extra posts like this.
mens shirts http://www.burberrysalehandbags.com/burberry-men-shirts.html

# cheap burberry bags 2012/10/31 15:01 http://www.burberrysalehandbags.com/burberry-tote-

Merely wanna comment that you have a very decent site, I love the style and design it actually stands out.
cheap burberry bags http://www.burberrysalehandbags.com/burberry-tote-bags.html

# burberry wallets 2012/10/31 15:01 http://www.burberrysalehandbags.com/burberry-walle

Simply wanna remark on few general things, The website style and design is perfect, the subject matter is rattling great. "The reason there are two senators for each state is so that one can be the designated driver." by Jay Leno.
burberry wallets http://www.burberrysalehandbags.com/burberry-wallets-2012.html

# cheap tie 2012/10/31 15:01 http://www.burberrysalehandbags.com/burberry-ties.

I like this post, enjoyed this one regards for posting. "The universe is not hostile, nor yet is it unfriendly. It is simply indifferent." by John Andrew Holmes.
cheap tie http://www.burberrysalehandbags.com/burberry-ties.html

# wallet 2012/11/01 4:01 http://www.burberryoutletlocations.com/burberry-wa

What i do not realize is in fact how you are no longer actually much more well-liked than you may be now. You're so intelligent. You already know therefore considerably in terms of this matter, produced me personally consider it from a lot of various angles. Its like women and men aren't interested until it's something to do with Lady gaga! Your own stuffs excellent. At all times take care of it up!
wallet http://www.burberryoutletlocations.com/burberry-wallets-2012.html

# mens shirts 2012/11/01 4:01 http://www.burberryoutletlocations.com/burberry-me

I haven't checked in here for a while because I thought it was getting boring, but the last few posts are good quality so I guess I'll add you back to my daily bloglist. You deserve it friend :)
mens shirts http://www.burberryoutletlocations.com/burberry-men-shirts.html

# burberry sale 2012/11/02 23:06 http://www.burberryoutletonlineshopping.com/

I have been browsing online greater than 3 hours these days, but I by no means found any attention-grabbing article like yours. It's beautiful worth enough for me. In my view, if all website owners and bloggers made good content material as you did, the web shall be much more useful than ever before. "When the heart speaks, the mind finds it indecent to object." by Milan Kundera.
burberry sale http://www.burberryoutletonlineshopping.com/

# Burberry Watches 2012/11/03 1:37 http://www.burberrysalehandbags.com/burberry-watch

I really appreciate this post. I have been looking all over for this! Thank goodness I found it on Bing. You've made my day! Thx again!
Burberry Watches http://www.burberrysalehandbags.com/burberry-watches.html

# LEMABUjQme 2014/08/07 9:26 http://crorkz.com/

QCUzQP I appreciate you sharing this blog. Much obliged.

# lSywWahyAUVSSXhV 2014/09/09 20:13 http://www.arrasproperties.com/

This site is really a stroll-by means of for all of the data you needed about this and didn't know who to ask. Glimpse right here, and also you'll undoubtedly uncover it.

# mxge60136 2016/07/04 10:03 RobertHap

xwuc24884
obqk33959

http://www.thirstbrooklyn.com/p-laid-8788.html
http://www.thirstbrooklyn.com/p-aid-6583.html
http://www.thirstbrooklyn.com/p-aid-9096.html
http://www.thirstbrooklyn.com/p-aid-3167.html
http://www.thirstbrooklyn.com/p-laid-16844.html
http://www.thirstbrooklyn.com/p-laid-5428.html
http://www.thirstbrooklyn.com/p-aid-8750.html
http://www.thirstbrooklyn.com/p-laid-14036.html
http://www.thirstbrooklyn.com/p-aid-5688.html
http://www.thirstbrooklyn.com/p-aid-1537.html
http://www.thirstbrooklyn.com/p-aid-9064.html
http://www.thirstbrooklyn.com/p-aid-12226.html
http://www.thirstbrooklyn.com/p-laid-7434.html
http://www.thirstbrooklyn.com/p-aid-16891.html
http://www.thirstbrooklyn.com/p-laid-12230.html

# myatony 2016/07/13 4:10 AVkatmgx

leukopoietic
http://www.ukonlinepaydayloans.top/p-aid-94013.html
http://www.ukonlinepaydayloans.top/p-aid-191688.html
http://www.ukonlinepaydayloans.top/p-laid-205596.html

# eiml78580 2016/07/13 5:33 RobertHap

62301
http://www.createnfljersey.top/p-aid-5196.html
http://www.createnfljersey.top/p-laid-31788.html
http://www.createnfljersey.top/p-aid-58819.html
http://www.createnfljersey.top/p-aid-63344.html
http://www.createnfljersey.top/p-laid-90444.html
http://www.createnfljersey.top/p-laid-103401.html
http://www.createnfljersey.top/p-laid-137247.html
http://www.createnfljersey.top/p-aid-159913.html
http://www.createnfljersey.top/p-laid-161649.html
http://www.createnfljersey.top/p-aid-183982.html
http://www.createnfljersey.top/p-aid-205650.html
http://www.createnfljersey.top/p-laid-235733.html
http://www.createnfljersey.top/p-laid-245031.html
http://www.createnfljersey.top/p-aid-266758.html
http://www.createnfljersey.top/p-aid-301624.html

# subradiative 2016/07/14 15:54 TWhaeqkv

flunkeydom
http://www.toolsbestbuy.top/p-laid-1387.html
http://www.toolsbestbuy.top/p-laid-1408.html
http://www.toolsbestbuy.top/p-laid-5813.html

# subgelatinous 2016/07/15 10:55 RPemzeha

chromophilic
http://www.toolsbestbuy.top/p-laid-3733.html
http://www.toolsbestbuy.top/p-laid-9414.html
http://www.toolsbestbuy.top/p-laid-3272.html

# http://www.toolsyourhands.top/ 2016/07/25 15:44 MAopcziz

uncollectibles
http://www.menbehoove.top/p-laid-3831.html

# wztw19898q 2008 nfl wildcard standings
2017/07/14 21:02 GlennTix

nfl referees names https://www.gradeajerseys.net wholesale nfl jerseys from china

# Хочешь секса с этими с парнями? Я горячая штучка! 2018/07/24 20:51 Хочешь секса с этими с парнями? Я горячая штучка!

Хочешь секса с этими с парнями?
Я горячаяштучка!

# Выбирайте тех, кто ценит своих клиентов, выбирайте — МигКредит! 2018/09/15 20:01 Выбирайте тех, кто ценит своих клиентов, выбирайт

Выбирайте тех, кто ценит своих клиентов,
выбирайте ? МигКредит!

# KypfZjcloq 2018/12/20 2:01 https://www.suba.me/

PUljHV Thanks so much for the article.Much thanks again. Great.

# Hi there to all, how is everything, I think every one is getting more from this site, and your views are pleasant designed for new viewers. 2019/05/03 20:14 Hi there to all, how is everything, I think every

Hi there to all, how is everything, I think every one
is getting more from this site, and your views are pleasant
designed for new viewers.

# What a information of un-ambiguity and preserveness of precious experience about unexpected feelings. 2019/05/14 16:20 What a information of un-ambiguity and preservenes

What a information of un-ambiguity and preserveness of
precious experience about unexpected feelings.

# What i do not understood is actually how you are no longer really much more smartly-appreciated than you may be now. You are so intelligent. You realize therefore significantly in terms of this matter, made me in my view believe it from a lot of numero 2019/06/23 16:10 What i do not understood is actually how you are

What i do not understood is actually how you are no longer really much more smartly-appreciated than you may be now.
You are so intelligent. You realize therefore significantly
in terms of this matter, made me in my view believe it from a
lot of numerous angles. Its like women and men don't seem to be involved unless it's one thing to accomplish with Lady gaga!
Your personal stuffs great. Always care for it up!

# It's a shame you don't have a donate button! I'd certainly donate to this outstanding blog! I guess for now i'll settle for book-marking and adding your RSS feed to my Google account. I look forward to new updates and will share this site with my Facebo 2019/07/30 17:53 It's a shame you don't have a donate button! I'd c

It's a shame you don't have a donate button! I'd certainly donate to this outstanding blog!
I guess for now i'll settle for book-marking and adding your RSS feed to my Google account.
I look forward to new updates and will share this site with my
Facebook group. Talk soon!

# Hello, I enjoy reading all of your article. I wanted to write a little comment to support you. 2019/08/14 2:02 Hello, I enjoy reading all of your article. I want

Hello, I enjoy reading all of your article. I wanted to write a little comment to support you.

# Hello, I enjoy reading all of your article. I wanted to write a little comment to support you. 2019/08/14 2:03 Hello, I enjoy reading all of your article. I want

Hello, I enjoy reading all of your article. I wanted to write a little comment to support you.

# Hello, I enjoy reading all of your article. I wanted to write a little comment to support you. 2019/08/14 2:04 Hello, I enjoy reading all of your article. I want

Hello, I enjoy reading all of your article. I wanted to write a little comment to support you.

# Hello, I enjoy reading all of your article. I wanted to write a little comment to support you. 2019/08/14 2:05 Hello, I enjoy reading all of your article. I want

Hello, I enjoy reading all of your article. I wanted to write a little comment to support you.

# re: [WPF][C#]CheckedListBox???? 2021/07/10 15:41 hydroxycloro

is chloroquine over the counter https://chloroquineorigin.com/# does hydroxychloroquine cause heart problems

# Guide for Roblox 1.0 on Windows Pc 2021/08/03 12:32 DonaldNam

Guide for Roblox on Windows Pc
Download on Windows PC
https://filehug.com/Roblox_1.0.zip
https://filerap.com/Roblox_1.0.zip
https://fileshe.com/Roblox_1.0.zip

[img]https://lh3.googleusercontent.com/BAJxnDe7OtaAM45yn6wyPvIMjst8Kg8Nl1_2TOOwA84gH9G4JhAKUGHsDoW8hbzzRUa0=h342[/img]

About this app
On this page you can download Guide for Roblox and install on Windows PC. Guide for Roblox is free Books & Reference app, developed by bonghaiAu. Latest version of Guide for Roblox is 1.0, was released on 2017-11-14 (updated on 2019-07-06). Estimated number of the downloads is more than 100. Overall rating of Guide for Roblox is 4,3. Generally most of the top apps on Android Store have rating of 4+. This app had been rated by 8 users, 5 users had rated it 5*, 1 users had rated it 1*.

Roblox is an Android game where multiple players cooperate and play together in web based games. The site has an accumulation of games went for 8-18 year olds however players of an...
read more
How to install Guide for Roblox on Windows?
Instruction on how to install Guide for Roblox on Windows 7/8/10 Pc & Laptop

In this post, I am going to show you how to install Guide for Roblox on Windows PC by using Android App Player such as BlueStacks, Nox, KOPlayer, ...

Below you will find a detailed step-by-step guide, but I want to give you a fast overview of how it works. All you need is an emulator that will emulate an Android device on your Windows PC and then you can install applications and use it - you see you're playing it on Android, but this runs not on a smartphone or tablet, it runs on a PC.

If this doesn't work on your PC, or you cannot install, comment here and we will help you!

Install using BlueStacks
Install using NoxPlayer
Step By Step Guide To Install Guide for Roblox using BlueStacks
Download and Install BlueStacks at: https://www.bluestacks.com. The installation procedure is quite simple. After successful installation, open the Bluestacks emulator. It may take some time to load the Bluestacks app initially. Once it is opened, you should be able to see the Home screen of Bluestacks.
Google Play Store comes pre-installed in Bluestacks. On the home screen, find Google Play Store and click on the icon to open it. You may need to sign in to access the Play Store.
Look for "Guide for Roblox" in the search bar. Click to install "Guide for Roblox" from the search results.
If you don't see this app from the search results, you need to download APK/XAPK installer file from this page, save it to an easy-to-find location. Once the APK/XAPK file is downloaded, double-click to open it. You can also drag and drop the APK/XAPK file onto the BlueStacks home screen to open it.
Once installed, click "Guide for Roblox" icon on the home screen to start using, it'll work like a charm :D
[Notes] about Bluetooth: At the moment, support for Bluetooth is not available on BlueStacks. Hence, apps that require control of Bluetooth may not work on BlueStacks.

How to install Guide for Roblox on Windows PC using NoxPlayer
Download & Install NoxPlayer at: https://www.bignox.com. The installation is easy to carry out.
After NoxPlayer is installed, open it and you can see the search bar on the home screen. Look for "Guide for Roblox" and click to install from the search results.
You can also download the APK/XAPK installer file from this page, then drag and drop it onto the NoxPlayer home screen. The installation process will take place quickly. After successful installation, you can find "Guide for Roblox" on the home screen of NoxPlayer.

# Double Bitcoin in 24 Hours System 2021/08/25 3:05 AllenEmics

Double Bitcoin in 24 Hours System is a Legit Bitcoin Doubler System to double your investment after 24 hours. Double Bitcoin in 24 Hours System is fully automated system, once your investment confirms via blockchain, our system start work and provides you double payout automatically after 24 hours.
[img]https://picfat.com/images/2021/08/17/double-btc.png[/img]
Visit

[b]https://earnx2btc.com
[/b]

Thanks

# We provide the fastest bitcoin doubler! 2021/08/29 20:26 Coin2xsoigo

We provide the fastest bitcoin doubler. Our system is fully automated it's only need 24 hours to double your bitcoins.
All you need to do is just send your bitcoins, and wait 24 hours to receive the doubled bitcoins to your address!

GUARANTEED! https://coin2x.org
[img]https://picfat.com/images/2021/08/18/coin2x.png[/img]

Click Here

https://coin2x.org

Thanks

# chswmztuxiqx 2021/12/01 12:59 dwedaymfua

https://chloroquineus.com/ chloroquine pills

# Свежие новости 2022/02/14 4:20 Adamiaw

Где Вы ищите свежие новости?
Лично я читаю и доверяю газете https://www.ukr.net/.
Это единственный источник свежих и независимых новостей.
Рекомендую и Вам

# doxycycline online https://doxycyline1st.com/
doxycycline 100mg price 2022/02/26 9:12 Jusidkid

doxycycline online https://doxycyline1st.com/
doxycycline 100mg price

# purchase clomid online https://clomidonline.icu/ 2022/07/08 13:07 Clomidj

purchase clomid online https://clomidonline.icu/

# Dostinex https://allpharm.store/ 2022/07/21 21:35 AllPharm

Dostinex https://allpharm.store/

# 50 mg prednisone from canada https://deltasone.icu/
prednisone 5 mg tablet rx 2022/08/22 9:15 Prednisone

50 mg prednisone from canada https://deltasone.icu/
prednisone 5 mg tablet rx

# ed medications https://ed-pills.xyz/
ed treatments 2022/09/15 18:46 EdPills

ed medications https://ed-pills.xyz/
ed treatments

# ed pills otc https://ed-pills.xyz/
best erectile dysfunction pills 2022/09/16 19:12 EdPills

ed pills otc https://ed-pills.xyz/
best erectile dysfunction pills

# ed treatment review https://ed-pills.xyz/
cheap erectile dysfunction pills 2022/09/17 19:27 EdPills

ed treatment review https://ed-pills.xyz/
cheap erectile dysfunction pills

# doxycycline without a prescription https://buydoxycycline.icu/ 2022/10/08 11:39 Doxycycline

doxycycline without a prescription https://buydoxycycline.icu/

#  https://clomidforsale.site/ 2022/11/13 14:02 ForSale

https://clomidforsale.site/

# prednisone tabs 20 mg https://prednisonepills.site/
prednisone canada prices 2022/11/30 0:32 Prednisone

prednisone tabs 20 mg https://prednisonepills.site/
prednisone canada prices

# Drug information. Get warning information here.
https://edonlinefast.com
What side effects can this medication cause? Get information now. 2023/02/17 7:10 EdPills

Drug information. Get warning information here.
https://edonlinefast.com
What side effects can this medication cause? Get information now.

# Best and news about drug. Get warning information here.
https://canadianfast.com/
Everything what you want to know about pills. earch our drug database. 2023/02/19 7:43 CanadaBest

Best and news about drug. Get warning information here.
https://canadianfast.com/
Everything what you want to know about pills. earch our drug database.

# Read information now. Actual trends of drug.
https://canadianfast.com/
Get warning information here. Read information now. 2023/02/20 5:40 CanadaBest

Read information now. Actual trends of drug.
https://canadianfast.com/
Get warning information here. Read information now.

# cvs prescription prices without insurance - https://cheapdr.top/# 2023/04/03 2:13 Dikolipo

cvs prescription prices without insurance - https://cheapdr.top/#

# 10 mg prednisone - https://prednisonesale.pro/# 2023/04/22 4:37 Prednisone

10 mg prednisone - https://prednisonesale.pro/#

# mens ed pills: https://edpills.pro/# 2023/05/15 15:19 EdPillsPro

mens ed pills: https://edpills.pro/#

# 2.5 mg prednisone daily https://prednisonepills.pro/# - prednisone brand name india 2023/06/04 21:22 Prednisone

2.5 mg prednisone daily https://prednisonepills.pro/# - prednisone brand name india

# best ed drug https://edpill.pro/# - best pill for ed 2023/06/27 14:47 EdPills

best ed drug https://edpill.pro/# - best pill for ed

# ï»¿paxlovid https://paxlovid.pro/# - buy paxlovid online 2023/07/02 17:17 Paxlovid

paxlovid https://paxlovid.pro/# - buy paxlovid online

# paxlovid covid https://paxlovid.life/# paxlovid covid 2023/07/25 20:33 Paxlovid

paxlovid covid https://paxlovid.life/# paxlovid covid

# natural ed medications https://edpills.ink/# - mens ed pills 2023/07/27 1:06 EdPills

natural ed medications https://edpills.ink/# - mens ed pills

# doxylin https://doxycycline.forum/ buy cheap doxycycline 2023/11/25 13:26 Doxycycline

doxylin https://doxycycline.forum/ buy cheap doxycycline

# Wonderful blog! Do you have any hints for aspiring writers? I'm planning to start my own website soon but I'm a little lost on everything. Would you recommend starting with a free platform like Wordpress or go for a paid option? There are so many choice 2024/04/02 15:14 Wonderful blog! Do you have any hints for aspiring

Wonderful blog! Do you have any hints for aspiring writers?

I'm planning to start my own website soon but I'm a little lost on everything.
Would you recommend starting with a free platform like Wordpress or go for
a paid option? There are so many choices out there that I'm completely overwhelmed ..
Any recommendations? Kudos!

# Fantastic blog! Do you have any recommendations for aspiring writers? I'm hoping to start my own site soon but I'm a little lost on everything. Would you advise starting with a free platform like Wordpress or go for a paid option? There are so many opt 2024/04/03 6:46 Fantastic blog! Do you have any recommendations fo

Fantastic blog! Do you have any recommendations for aspiring writers?

I'm hoping to start my own site soon but I'm a little lost on everything.

Would you advise starting with a free platform like Wordpress or go for a paid
option? There are so many options out there that I'm totally confused
.. Any suggestions? Thanks!

# It's great that you are getting ideas from this paragraph as well as from our dialogue made here. 2024/04/11 10:50 It's great that you are getting ideas from this pa

It's great that you are getting ideas from this paragraph as well as from our dialogue made here.

タイトル
名前
Url
コメント