Jak wyświetlić widok listy w oknie dialogowym alertów Androida?


291

W aplikacji na Androida chcę wyświetlić niestandardowy widok listy w AlertDialog.

W jaki sposób mogę to zrobić?


Wystarczy wziąć Listę ciągów, następnie utworzyć sekwencję CharSequence [], a następnie użyć AlertDialog.Builder, aby wyświetlić elementy. Oto najprostszy przykład z migawką feelzdroid.com/2014/12/…
Naruto

Odpowiedzi:


498

Używany poniżej kodu do wyświetlania listy niestandardowej w AlertDialog

AlertDialog.Builder builderSingle = new AlertDialog.Builder(DialogActivity.this);
builderSingle.setIcon(R.drawable.ic_launcher);
builderSingle.setTitle("Select One Name:-");

final ArrayAdapter<String> arrayAdapter = new ArrayAdapter<String>(DialogActivity.this, android.R.layout.select_dialog_singlechoice);
arrayAdapter.add("Hardik");
arrayAdapter.add("Archit");
arrayAdapter.add("Jignesh");
arrayAdapter.add("Umang");
arrayAdapter.add("Gatti");

builderSingle.setNegativeButton("cancel", new DialogInterface.OnClickListener() {
            @Override
            public void onClick(DialogInterface dialog, int which) {
                dialog.dismiss();
            }
        });

builderSingle.setAdapter(arrayAdapter, new DialogInterface.OnClickListener() {
            @Override
            public void onClick(DialogInterface dialog, int which) {
                String strName = arrayAdapter.getItem(which);
                AlertDialog.Builder builderInner = new AlertDialog.Builder(DialogActivity.this);
                builderInner.setMessage(strName);
                builderInner.setTitle("Your Selected Item is");
                builderInner.setPositiveButton("Ok", new DialogInterface.OnClickListener() {
                            @Override
                            public void onClick(DialogInterface dialog,int which) {
                                dialog.dismiss();
                            }
                        });
                builderInner.show();
            }
        });
builderSingle.show();

czy jest jakaś możliwość wykrycia długich kliknięć na te elementy? szukam godzin na rozwiązanie menu wyskakującego, które działa na wszystkich poziomach interfejsu API
wutzebaer

7
@Shvet podobno show () tworzy i pokazuje okno dialogowe, podczas gdy create () tylko je tworzy.
htafoya,

Jak mogę korzystać z tego zestawu, ale zamiast na stałe zapisywać listę, muszę uzyskać dane z analizy, które użytkownik już ma.
Stanley Santoso,

@stanleysantoso utwórz własny adapter, wypełnij go danymi, a następnie ustaw jako adapter dla alertdialog: dialogBuilder.setAdapter (MyCustomAdapter); To powinno zadziałać
CantThinkOfAnything

1
Jaki jest układ select_dialog_single_choice?
ForceFieldsForDoors

254

Zgodnie z dokumentacją istnieją trzy rodzaje list, których można używać z AlertDialog:

  1. Tradycyjna lista jednokrotnego wyboru
  2. Stała lista jednego wyboru (przyciski opcji)
  3. Stała lista wielokrotnego wyboru (pola wyboru)

Podam przykład każdego z nich poniżej.

Tradycyjna lista jednokrotnego wyboru

Sposobem na utworzenie tradycyjnej listy pojedynczego wyboru jest użycie setItems.

wprowadź opis zdjęcia tutaj

Wersja Java

// setup the alert builder
AlertDialog.Builder builder = new AlertDialog.Builder(context);
builder.setTitle("Choose an animal");

// add a list
String[] animals = {"horse", "cow", "camel", "sheep", "goat"};
builder.setItems(animals, new DialogInterface.OnClickListener() {
    @Override
    public void onClick(DialogInterface dialog, int which) {
        switch (which) {
            case 0: // horse
            case 1: // cow
            case 2: // camel
            case 3: // sheep
            case 4: // goat
        }
    }
});

// create and show the alert dialog
AlertDialog dialog = builder.create();
dialog.show();

Nie ma potrzeby używania przycisku OK, ponieważ jak tylko użytkownik kliknie element listy, kontrolka jest zwracana do OnClickListener.

Wersja Kotlin

// setup the alert builder
val builder = AlertDialog.Builder(context)
builder.setTitle("Choose an animal")

// add a list
val animals = arrayOf("horse", "cow", "camel", "sheep", "goat")
builder.setItems(animals) { dialog, which ->
    when (which) {
        0 -> { /* horse */ }
        1 -> { /* cow   */ }
        2 -> { /* camel */ }
        3 -> { /* sheep */ }
        4 -> { /* goat  */ }
    }
}

// create and show the alert dialog
val dialog = builder.create()
dialog.show()

Lista przycisków opcji

wprowadź opis zdjęcia tutaj

Zaletą listy przycisków opcji w porównaniu z listą tradycyjną jest to, że użytkownik może zobaczyć aktualne ustawienie. Sposobem na utworzenie listy przycisków opcji jest użycie setSingleChoiceItems.

Wersja Java

// setup the alert builder
AlertDialog.Builder builder = new AlertDialog.Builder(context);
builder.setTitle("Choose an animal");

// add a radio button list
String[] animals = {"horse", "cow", "camel", "sheep", "goat"};
int checkedItem = 1; // cow
builder.setSingleChoiceItems(animals, checkedItem, new DialogInterface.OnClickListener() {
    @Override
    public void onClick(DialogInterface dialog, int which) {
        // user checked an item
    }
});

// add OK and Cancel buttons
builder.setPositiveButton("OK", new DialogInterface.OnClickListener() {
    @Override
    public void onClick(DialogInterface dialog, int which) {
        // user clicked OK
    }
});
builder.setNegativeButton("Cancel", null);

// create and show the alert dialog
AlertDialog dialog = builder.create();
dialog.show();

Tutaj zakodowałem wybrany element, ale można go śledzić za pomocą zmiennej członka klasy w prawdziwym projekcie.

Wersja Kotlin

// setup the alert builder
val builder = AlertDialog.Builder(context)
builder.setTitle("Choose an animal")

// add a radio button list
val animals = arrayOf("horse", "cow", "camel", "sheep", "goat")
val checkedItem = 1 // cow
builder.setSingleChoiceItems(animals, checkedItem) { dialog, which ->
    // user checked an item
}


// add OK and Cancel buttons
builder.setPositiveButton("OK") { dialog, which ->
    // user clicked OK
}
builder.setNegativeButton("Cancel", null)

// create and show the alert dialog
val dialog = builder.create()
dialog.show()

Lista pól wyboru

wprowadź opis zdjęcia tutaj

Sposobem na utworzenie listy pól wyboru jest użycie setMultiChoiceItems.

Wersja Java

// setup the alert builder
AlertDialog.Builder builder = new AlertDialog.Builder(context);
builder.setTitle("Choose some animals");

// add a checkbox list
String[] animals = {"horse", "cow", "camel", "sheep", "goat"};
boolean[] checkedItems = {true, false, false, true, false};
builder.setMultiChoiceItems(animals, checkedItems, new DialogInterface.OnMultiChoiceClickListener() {
    @Override
    public void onClick(DialogInterface dialog, int which, boolean isChecked) {
        // user checked or unchecked a box
    }
});

// add OK and Cancel buttons
builder.setPositiveButton("OK", new DialogInterface.OnClickListener() {
    @Override
    public void onClick(DialogInterface dialog, int which) {
        // user clicked OK
    }
});
builder.setNegativeButton("Cancel", null);

// create and show the alert dialog
AlertDialog dialog = builder.create();
dialog.show();

Tutaj na stałe zapisałem, które elementy na liście zostały już sprawdzone. Bardziej prawdopodobne jest, że będziesz chciał je śledzić w ArrayList<Integer>. Zobacz przykład dokumentacji, aby uzyskać więcej informacji. Możesz również ustawić zaznaczone elementy na, nulljeśli zawsze chcesz, aby wszystko zaczęło się odznaczone.

Wersja Kotlin

// setup the alert builder
val builder = AlertDialog.Builder(context)
builder.setTitle("Choose some animals")

// add a checkbox list
val animals = arrayOf("horse", "cow", "camel", "sheep", "goat")
val checkedItems = booleanArrayOf(true, false, false, true, false)
builder.setMultiChoiceItems(animals, checkedItems) { dialog, which, isChecked ->
    // user checked or unchecked a box
}

// add OK and Cancel buttons
builder.setPositiveButton("OK") { dialog, which ->
    // user clicked OK
}
builder.setNegativeButton("Cancel", null)

// create and show the alert dialog
val dialog = builder.create()
dialog.show()

Notatki

  • Dla contextpowyższego kodu nie używaj, getApplicationContext()bo dostaniesz IllegalStateException( dlaczego tutaj ). Zamiast tego uzyskaj odwołanie do kontekstu działania, na przykład with this.
  • Można również wypełnić elementów listy z bazy danych lub za pomocą innego źródła setAdapterlub setCursorlub przechodząc w sposób Cursorlub ListAdapterw setSingleChoiceItemslub setMultiChoiceItems.
  • Jeśli lista jest dłuższa niż zmieści się na ekranie, okno dialogowe automatycznie ją przewinie. Jeśli masz naprawdę długą listę, domyślam się, że prawdopodobnie powinieneś stworzyć niestandardowe okno dialogowe z RecyclerView .
  • Aby przetestować wszystkie powyższe przykłady, po prostu miałem prosty projekt z jednym przyciskiem, niż pokazałem okno dialogowe po kliknięciu:

    import android.support.v7.app.AppCompatActivity;
    
    public class MainActivity extends AppCompatActivity {
    
        Context context;
    
        @Override
        protected void onCreate(Bundle savedInstanceState) {
            super.onCreate(savedInstanceState);
            setContentView(R.layout.activity_main);
            context = this;
        }
    
        public void showAlertDialogButtonClicked(View view) {
    
            // example code to create alert dialog lists goes here
        }
    }

Związane z


2
To wspaniale, teraz dodaj ikony;)
AaA

1
@AaA, myślę, że musisz utworzyć niestandardowe okno dialogowe z ostrzeżeniem o układzie, które używa do RecyclerViewtego celu układu.
Suragch,

co oznacza „która” w oknie dialogowym metody kliknięcia?
odszedł phishing

@Gonephishing, zgodnie z dokumentacją , jest to „przycisk, który został kliknięty (np. BUTTON_POSITIVE) lub pozycja klikniętego elementu”.
Suragch

1
Jeśli chcesz zaimplementować prostą listę (1) z niestandardowym adapterem, użyj Builder.setAdapter(ListAdapter, DialogInterface.OnClickListener): whichw listener onClickbędzie równa klikniętej pozycji elementu. Builder.setOnItemSelectedListenernie będzie miało wpływu.
Miha_x64,

122

Możesz użyć niestandardowego okna dialogowego.

Niestandardowy układ okna dialogowego. list.xml

<?xml version="1.0" encoding="utf-8"?>
<LinearLayout
    xmlns:android="http://schemas.android.com/apk/res/android" 
    android:layout_width="wrap_content"
    android:layout_height="wrap_content">
    <ListView
        android:id="@+id/lv"
        android:layout_width="wrap_content"
        android:layout_height="fill_parent"/>
</LinearLayout>

W twojej działalności

Dialog dialog = new Dialog(Activity.this);
       dialog.setContentView(R.layout.list)

ListView lv = (ListView ) dialog.findViewById(R.id.lv);
dialog.setCancelable(true);
dialog.setTitle("ListView");
dialog.show();

Edytować:

Korzystanie z alertdialog

String names[] ={"A","B","C","D"};
AlertDialog.Builder alertDialog = new AlertDialog.Builder(MainActivity.this);
LayoutInflater inflater = getLayoutInflater();
View convertView = (View) inflater.inflate(R.layout.custom, null);
alertDialog.setView(convertView);
alertDialog.setTitle("List");
ListView lv = (ListView) convertView.findViewById(R.id.lv);
ArrayAdapter<String> adapter = new ArrayAdapter<String>(this,android.R.layout.simple_list_item_1,names);
lv.setAdapter(adapter);
alertDialog.show();

custom.xml

<?xml version="1.0" encoding="utf-8"?>
<ListView xmlns:android="http://schemas.android.com/apk/res/android"
    android:id="@+id/listView1"
    android:layout_width="fill_parent"
    android:layout_height="fill_parent" >

</ListView>

Kłapnięcie

wprowadź opis zdjęcia tutaj


1
@Juan - devtopia.coop edytowałeś mój post po głosowaniu tylko po to, aby głosować. Czy możesz skomentować, co jest nie tak
Raghunandan

Nic z obecną wersją, poprzednia brakowało wszystkich elementów adaptera i dlatego właśnie wyświetlała pustą ListView, chętnie usuwam teraz mój negatywny głos. Głosowałem na niepełną odpowiedź, a nie na tę edycję sprzed 3 godzin.
Juan Cortés

@Raghunandan, użyłem twojego kodu, ale dostałem wyjątek na lv.setAdapter (adapter); linia, możesz mi pomóc?
Ahmad Vatani

@Ahmad co to jest excpetion?
Raghunandan

1
@NeilGaliaskarov tak, można przewijać. Widok listy będzie przewijany
Raghunandan

44
final CharSequence[] items = {"A", "B", "C"};

AlertDialog.Builder builder = new AlertDialog.Builder(this);
builder.setTitle("Make your selection");
builder.setItems(items, new DialogInterface.OnClickListener() {
    public void onClick(DialogInterface dialog, int item) {
        // Do something with the selection
        mDoneButton.setText(items[item]);
    }
});
AlertDialog alert = builder.create();
alert.show();

1
Co to jest m.DoneButton?
ForceFieldsForDoors

2
@ArhatBaid Ale setItems nie działa, gdy wstawiam komunikat do setMessage. Szukałem w Google, ale odpowiedzią było ustawienie wiadomości w setTitle. Ale problem jest ustawiony. Tytuł dopuszcza tylko kilka znaków. Czy istnieje sposób użycia setMessage i setItems w oknie dialogowym alertu?
David

@David do tego trzeba przejść do niestandardowego okna dialogowego.
Arhat Baid

1
To rozwiązanie jest bardzo fajne, ponieważ możesz także wybrać ListAdaptersetSingleChoiceItems
opcję

Idealny zgodnie z oczekiwaniami ... obsługuje setki elementów przy minimalnym kodzie. :)
jeet.chanchawat

10

Użyj import android.app.AlertDialog;importu „ ”, a następnie napiszesz

    String[] items = {"...","...."};             
    AlertDialog.Builder build = new AlertDialog.Builder(context);
    build.setItems(items, new DialogInterface.OnClickListener() {
        @Override
        public void onClick(DialogInterface dialog, int which) {
            //do stuff....
        }
    }).create().show();

potrzebujesz bc przy tworzeniu, budujesz AlertDialog, który wtedy to pokazujesz. nie budowniczy. (c) Facebamm
Facebamm

@Facebamm to nieprawda. show()robi oba. Calling this method is functionally identical to: AlertDialog dialog = builder.create(); dialog.show();czyli bezpośrednio z show()dokumentacja metody za
ᴛʜᴇᴘᴀᴛᴇʟ

Zgadza się, ale czasami dostaję widoczne błędy interfejsów użytkownika. (c) Facebamm
Facebamm,

Nie, to nie prawda. show () jest identyczny z create (). show (); / ** * Tworzy {@link AlertDialog} z argumentami dostarczonymi do tego * konstruktora i natychmiast wyświetla okno dialogowe. * <p> * Wywołanie tej metody jest funkcjonalnie identyczne z: * <pre> * AlertDialog dialog = builder.create (); * dialog.show (); * </pre> * / public AlertDialog show () {final AlertDialog dialog = create (); dialog.show (); okno dialogowe powrotu; }
Emanuel S

ok, przez jakiś czas testowałem i mówię sry, to prawda. (c) Facebamm
Facebamm

4

To jest zbyt proste

final CharSequence[] items = {"Take Photo", "Choose from Library", "Cancel"};

AlertDialog.Builder builder = new AlertDialog.Builder(MyProfile.this);

builder.setTitle("Add Photo!");
builder.setItems(items, new DialogInterface.OnClickListener() {
    @Override
    public void onClick(DialogInterface dialog, int item) {
        if (items[item].equals("Take Photo")) {
            getCapturesProfilePicFromCamera();
        } else if (items[item].equals("Choose from Library")) {
            getProfilePicFromGallery();
        } else if (items[item].equals("Cancel")) {
            dialog.dismiss();
        }
    }
});
builder.show();


1

W Kotlinie:

fun showListDialog(context: Context){
    // setup alert builder
    val builder = AlertDialog.Builder(context)
    builder.setTitle("Choose an Item")

    // add list items
    val listItems = arrayOf("Item 0","Item 1","Item 2")
    builder.setItems(listItems) { dialog, which ->
        when (which) {
            0 ->{
                Toast.makeText(context,"You Clicked Item 0",Toast.LENGTH_LONG).show()
                dialog.dismiss()
            }
            1->{
                Toast.makeText(context,"You Clicked Item 1",Toast.LENGTH_LONG).show()
                dialog.dismiss()
            }
            2->{
                Toast.makeText(context,"You Clicked Item 2",Toast.LENGTH_LONG).show()
                dialog.dismiss()
            }
        }
    }

    // create & show alert dialog
    val dialog = builder.create()
    dialog.show()
}

1
Dodaj opis do swojej odpowiedzi.
Mathews Sunny,

1
Jaki opis?
Varsha Prabhakar

1

W ten sposób można wyświetlić okno dialogowe układu niestandardowego z niestandardowym elementem listy, które można dostosować zgodnie z wymaganiami.

wprowadź opis zdjęcia tutaj

KROK - 1 Utwórz układ DialogBox, tzn .: -

R.layout.assignment_dialog_list_view

<?xml version="1.0" encoding="utf-8"?>
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
    android:layout_width="match_parent"
    android:layout_height="match_parent"
    android:background="@drawable/rectangle_round_corner_assignment_alert"
    android:orientation="vertical">
    <TextView
        android:id="@+id/tv_popup_title"
        android:layout_width="match_parent"
        android:layout_height="wrap_content"
        android:layout_marginBottom="8dp"
        android:singleLine="true"
        android:paddingStart="4dp"
        android:text="View as:"
        android:textColor="#4f4f4f" />

    <ListView
        android:id="@+id/lv_assignment_users"
        android:layout_width="match_parent"
        android:layout_height="0dp"
        android:layout_weight="1" />
</LinearLayout>

KROK - 2 Utwórz niestandardowy układ pozycji listy zgodnie z logiką biznesową

R.layout.item_assignment_dialog_list_layout

<?xml version="1.0" encoding="utf-8"?>
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
    xmlns:tools="http://schemas.android.com/tools"
    android:layout_width="match_parent"
    android:layout_height="wrap_content"
    android:gravity="center"
    android:padding="4dp"
    android:orientation="horizontal">
    <ImageView
        android:id="@+id/iv_user_profile_image"
        android:visibility="visible"
        android:layout_width="42dp"
        android:layout_height="42dp" />
    <TextView
        android:id="@+id/tv_user_name"
        android:layout_width="match_parent"
        android:layout_height="wrap_content"
        android:paddingTop="8dp"
        android:layout_marginStart="8dp"
        android:paddingBottom="8dp"
        android:textColor="#666666"
        android:textSize="18sp"
        tools:text="ABCD XYZ" />
</LinearLayout>

KROK - 3 Utwórz klasę modelu danych według własnego wyboru

public class AssignmentUserModel {

private String userId;
private String userName;
private String userRole;
private Bitmap userProfileBitmap;

public AssignmentUserModel(String userId, String userName, String userRole, Bitmap userProfileBitmap) {
    this.userId = userId;
    this.userName = userName;
    this.userRole = userRole;
    this.userProfileBitmap = userProfileBitmap;
}


public String getUserId() {
    return userId;
}

public void setUserId(String userId) {
    this.userId = userId;
}

public String getUserName() {
    return userName;
}

public void setUserName(String userName) {
    this.userName = userName;
}

public String getUserRole() {
    return userRole;
}

public void setUserRole(String userRole) {
    this.userRole = userRole;
}

public Bitmap getUserProfileBitmap() {
    return userProfileBitmap;
}

public void setUserProfileBitmap(Bitmap userProfileBitmap) {
    this.userProfileBitmap = userProfileBitmap;
}

}

KROK - 4 Utwórz niestandardowy adapter

public class UserListAdapter extends ArrayAdapter<AssignmentUserModel> {
private final Context context;
private final List<AssignmentUserModel> userList;

public UserListAdapter(@NonNull Context context, int resource, @NonNull List<AssignmentUserModel> objects) {
    super(context, resource, objects);
    userList = objects;
    this.context = context;
 }

@SuppressLint("ViewHolder")
@NonNull
@Override
public View getView(int position, @Nullable View convertView, @NonNull ViewGroup parent) {
    LayoutInflater inflater = (LayoutInflater) context
            .getSystemService(Context.LAYOUT_INFLATER_SERVICE);
    View rowView = inflater.inflate(R.layout.item_assignment_dialog_list_layout, parent, false);
    ImageView profilePic = rowView.findViewById(R.id.iv_user_profile_image);
    TextView userName = rowView.findViewById(R.id.tv_user_name);
    AssignmentUserModel user = userList.get(position);

    userName.setText(user.getUserName());

    Bitmap bitmap = user.getUserProfileBitmap();

    profilePic.setImageDrawable(bitmap);

    return rowView;
}

}

KROK - 5 Utwórz tę funkcję i podaj ArrayList powyższego modelu danych w tej metodzie

// Pass list of your model as arraylist
private void showCustomAlertDialogBoxForUserList(ArrayList<AssignmentUserModel> allUsersList) {
        final Dialog dialog = new Dialog(mActivity);
        dialog.setContentView(R.layout.assignment_dialog_list_view);
        if (dialog.getWindow() != null) {
            dialog.getWindow().setBackgroundDrawable(new ColorDrawable(Color.TRANSPARENT)); // this is optional
        }
        ListView listView = dialog.findViewById(R.id.lv_assignment_users);
        TextView tv = dialog.findViewById(R.id.tv_popup_title);
        ArrayAdapter arrayAdapter = new UserListAdapter(context, R.layout.item_assignment_dialog_list_layout, allUsersList);
        listView.setAdapter(arrayAdapter);
        listView.setOnItemClickListener((adapterView, view, which, l) -> {
            Log.d(TAG, "showAssignmentsList: " + allUsersList.get(which).getUserId());
           // TODO : Listen to click callbacks at the position
        });
        dialog.show();
    }

Krok - 6 Podanie tła okrągłego rogu do okna dialogowego

@ drawable / rectangle_round_corner_assignment_alert

    <?xml version="1.0" encoding="UTF-8"?>
<shape xmlns:android="http://schemas.android.com/apk/res/android">
    <solid android:color="#ffffffff" />
    <corners android:radius="16dp" />
    <padding
        android:bottom="16dp"
        android:left="16dp"
        android:right="16dp"
        android:top="16dp" />
</shape>

0

Czy nie jest łatwiej stworzyć metodę, która ma być wywoływana po utworzeniu jednostki EditText w AlertDialog, do ogólnego użytku?

public static void EditTextListPicker(final Activity activity, final EditText EditTextItem, final String SelectTitle, final String[] SelectList) {
    EditTextItem.setOnLongClickListener(new View.OnLongClickListener() {
        @Override
        public boolean onLongClick(View v) {
            AlertDialog.Builder builder = new AlertDialog.Builder(activity);
            builder.setTitle(SelectTitle);
            builder.setItems(SelectList, new DialogInterface.OnClickListener() {
                public void onClick(DialogInterface dialogInterface, int item) {
                    EditTextItem.setText(SelectList[item]);
                }
            });
            builder.create().show();
            return false;
        }
    });
}

0
private void AlertDialogue(final List<Animals> animals) {
 final AlertDialog.Builder alertDialog = new AlertDialog.Builder(AdminActivity.this);
 alertDialog.setTitle("Filter by tag");

 final String[] animalsArray = new String[animals.size()];

 for (int i = 0; i < tags.size(); i++) {
  animalsArray[i] = tags.get(i).getanimal();

 }

 final int checkedItem = 0;
 alertDialog.setSingleChoiceItems(animalsArray, checkedItem, new DialogInterface.OnClickListener() {
  @Override
  public void onClick(DialogInterface dialog, int which) {

   Log.e(TAG, "onClick: " + animalsArray[which]);

  }
 });


 AlertDialog alert = alertDialog.create();
 alert.setCanceledOnTouchOutside(false);
 alert.show();

}

Chociaż ten kod może odpowiedzieć na pytanie, zapewnienie dodatkowego kontekstu dotyczącego tego, jak i / lub dlaczego rozwiązuje problem, poprawiłoby długoterminową wartość odpowiedzi.
Piotr Labunski
Korzystając z naszej strony potwierdzasz, że przeczytałeś(-aś) i rozumiesz nasze zasady używania plików cookie i zasady ochrony prywatności.
Licensed under cc by-sa 3.0 with attribution required.