")
if templ_7745c5c3_Err != nil {
return templ_7745c5c3_Err
}
var templ_7745c5c3_Var9 string
templ_7745c5c3_Var9, templ_7745c5c3_Err = templ.JoinStringErrs(vmodel.Entry.Anecdote)
if templ_7745c5c3_Err != nil {
- return templ.Error{Err: templ_7745c5c3_Err, FileName: `internal/http/handler/webui/quiz/component/result_page.templ`, Line: 41, Col: 29}
+ return templ.Error{Err: templ_7745c5c3_Err, FileName: `internal/http/handler/webui/quiz/component/result_page.templ`, Line: 42, Col: 29}
}
_, templ_7745c5c3_Err = templ_7745c5c3_Buffer.WriteString(templ.EscapeString(templ_7745c5c3_Var9))
if templ_7745c5c3_Err != nil {
diff --git a/internal/http/handler/webui/quiz/handler.go b/internal/http/handler/webui/quiz/handler.go
index cac2780..9fc013f 100644
--- a/internal/http/handler/webui/quiz/handler.go
+++ b/internal/http/handler/webui/quiz/handler.go
@@ -13,6 +13,7 @@ type Handler struct {
store *store.Store
playInterval time.Duration
playPeriod timex.PeriodType
+ playDelay time.Duration
}
// ServeHTTP implements http.Handler.
@@ -20,12 +21,13 @@ func (h *Handler) ServeHTTP(w http.ResponseWriter, r *http.Request) {
h.mux.ServeHTTP(w, r)
}
-func NewHandler(store *store.Store, playInterval time.Duration, playPeriod timex.PeriodType) *Handler {
+func NewHandler(store *store.Store, playInterval time.Duration, playPeriod timex.PeriodType, playDelay time.Duration) *Handler {
h := &Handler{
mux: http.NewServeMux(),
store: store,
playInterval: playInterval,
playPeriod: playPeriod,
+ playDelay: playDelay,
}
h.mux.HandleFunc("GET /", h.getQuizPage)
diff --git a/internal/http/handler/webui/quiz/quiz_page.go b/internal/http/handler/webui/quiz/quiz_page.go
index 38f12bd..ac7ae47 100644
--- a/internal/http/handler/webui/quiz/quiz_page.go
+++ b/internal/http/handler/webui/quiz/quiz_page.go
@@ -28,7 +28,9 @@ func (h *Handler) getQuizPage(w http.ResponseWriter, r *http.Request) {
}
func (h *Handler) fillQuizPageVModel(r *http.Request) (*component.QuizPageVModel, error) {
- vmodel := &component.QuizPageVModel{}
+ vmodel := &component.QuizPageVModel{
+ PlayDelay: h.playDelay,
+ }
err := common.FillViewModel(
r.Context(), vmodel, r,
@@ -148,6 +150,8 @@ func (h *Handler) handleSelectEntryForm(w http.ResponseWriter, r *http.Request)
}
func (h *Handler) handleAnswerForm(w http.ResponseWriter, r *http.Request) {
+ ctx := r.Context()
+
player, err := h.getRequestPlayer(r)
if err != nil {
h.handleError(w, r, errors.WithStack(err))
@@ -193,7 +197,33 @@ func (h *Handler) handleAnswerForm(w http.ResponseWriter, r *http.Request) {
return
}
- ctx := r.Context()
+ now := time.Now().UTC()
+
+ if player.SelectedAt.UTC().Add(h.playDelay + time.Duration(float64(h.playDelay)*0.10)).Before(now) {
+ err = h.store.Tx(ctx, func(db *gorm.DB) error {
+ result := db.Model(&player).Updates(map[string]any{
+ "selected_answer": selectedAnswerIndex,
+ "played_at": time.Now().UTC(),
+ }).Where("played_at = ?", player.PlayedAt)
+
+ if result.Error != nil {
+ return errors.WithStack(err)
+ }
+
+ if result.RowsAffected != 1 {
+ return errors.New("unexpected number of updated player")
+ }
+
+ return nil
+ })
+ if err != nil {
+ h.handleError(w, r, errors.WithStack(err))
+ return
+ }
+
+ h.handleError(w, r, common.NewError("delay expired", "Vous avez malheureusement trop tardé à répondre ! Réessayez au prochain tour !", http.StatusBadRequest))
+ return
+ }
turn, err := h.store.GetQuizTurn(ctx, h.playInterval, h.playPeriod)
if err != nil {
diff --git a/internal/http/url/mutation.go b/internal/http/url/mutation.go
index ce162cb..689dc7c 100644
--- a/internal/http/url/mutation.go
+++ b/internal/http/url/mutation.go
@@ -98,6 +98,12 @@ func WithPath(paths ...string) MutationFunc {
}
}
+func WithFragment(fragment string) MutationFunc {
+ return func(u *url.URL) {
+ u.Fragment = fragment
+ }
+}
+
func applyURLMutations(u *url.URL, funcs []MutationFunc) {
for _, fn := range funcs {
fn(u)
diff --git a/internal/setup/quiz_handler.go b/internal/setup/quiz_handler.go
index 524de97..2e2a511 100644
--- a/internal/setup/quiz_handler.go
+++ b/internal/setup/quiz_handler.go
@@ -35,7 +35,7 @@ func NewQuizHandlerFromConfig(ctx context.Context, conf *config.Config) (*quiz.H
return nil, errors.WithStack(err)
}
- return quiz.NewHandler(store, conf.Quiz.PlayInterval, conf.Quiz.PlayPeriod), nil
+ return quiz.NewHandler(store, conf.Quiz.PlayInterval, conf.Quiz.PlayPeriod, conf.Quiz.PlayDelay), nil
}
func loadEmbeddedQuizz(ctx context.Context, st *store.Store) error {
diff --git a/internal/store/player.go b/internal/store/player.go
index 409b6cf..007b746 100644
--- a/internal/store/player.go
+++ b/internal/store/player.go
@@ -48,7 +48,7 @@ func (s *Store) UpsertPlayer(ctx context.Context, name string, userEmail string,
func (s *Store) GetPlayerRank(ctx context.Context, playerID uint) (int, error) {
var rank int
err := s.Tx(ctx, func(db *gorm.DB) error {
- err := db.Model(&Player{}).Select("rank() over (order by score desc) player_rank").First(&rank).Error
+ err := db.Model(&Player{}).Select("player_ranks.rank").Table("( ? ) as player_ranks", db.Model(&Player{}).Select("id", "rank() over (order by score desc) rank", "deleted_at")).Where("player_ranks.id = ?", playerID).First(&rank).Error
if err != nil {
return errors.WithStack(err)
}
diff --git a/misc/docker/Dockerfile b/misc/docker/Dockerfile
index a959134..536c5df 100644
--- a/misc/docker/Dockerfile
+++ b/misc/docker/Dockerfile
@@ -1,4 +1,4 @@
-FROM golang:1.23 AS build
+FROM golang:1.24 AS build
RUN apt-get update \
&& apt-get install -y make git
diff --git a/misc/quiz/openquizzdb/cinema.json b/misc/quiz/openquizzdb/cinema.json
new file mode 100644
index 0000000..ed73aee
--- /dev/null
+++ b/misc/quiz/openquizzdb/cinema.json
@@ -0,0 +1,410 @@
+{
+ "fournisseur": "OpenQuizzDB - Fournisseur de contenu libre (https://www.openquizzdb.org)",
+ "licence": "CC BY-SA",
+ "rédacteur": "Philippe Bresoux",
+ "difficulté": "2 / 5",
+ "version": 1,
+ "mise-à-jour": "2024-11-14",
+ "catégorie-nom-slogan": {
+ "fr": {
+ "catégorie": "Cinéma",
+ "nom": "Secrets du cinéma",
+ "slogan": "Anecdotes et culture générale"
+ },
+ "en": {
+ "catégorie": "Cinema",
+ "nom": "Secrets of cinema",
+ "slogan": "Anecdotes and general knowledge"
+ },
+ "es": {
+ "catégorie": "Cine",
+ "nom": "Secretos del cine",
+ "slogan": "Anécdotas y cultura general"
+ },
+ "it": {
+ "catégorie": "Cinema",
+ "nom": "I segreti del cinema",
+ "slogan": "Aneddoti e cultura generale"
+ },
+ "de": {
+ "catégorie": "Kino",
+ "nom": "Geheimnisse des Kinos",
+ "slogan": "Anekdoten und allgemeine Kultur"
+ },
+ "nl": {
+ "catégorie": "Bioscoop",
+ "nom": "Geheimen van cinema",
+ "slogan": "Anekdotes en algemene cultuur"
+ }
+ },
+ "quizz": {
+ "fr": {
+ "débutant": [
+ {
+ "id": 1,
+ "question": "Combien Marilyn Monroe a-t-elle eu de maris en regard à son immense notoriété ?",
+ "propositions": [
+ "Quatre",
+ "Trois",
+ "Cinq",
+ "Deux"
+ ],
+ "réponse": "Trois",
+ "anecdote": "En dépit de son immense notoriété, la vie privée de Marilyn Monroe sera un échec et sa carrière la laisse insatisfaite."
+ },
+ {
+ "id": 2,
+ "question": "De quelle grande ville de Californie Hollywood est-elle l'une des banlieues ?",
+ "propositions": [
+ "Los Angeles",
+ "San Francisco",
+ "Santa Barbara",
+ "San Diego"
+ ],
+ "réponse": "Los Angeles",
+ "anecdote": "Ville cosmopolite, Los Angeles demeure l'un des points d'entrée d'immigrants les plus importants aux États-Unis."
+ },
+ {
+ "id": 3,
+ "question": "Dans quel film de John Huston le chien d'une orpheline sauve-t-il un milliardaire ?",
+ "propositions": [
+ "Le Malin",
+ "Le Piège",
+ "Annie",
+ "Phobia"
+ ],
+ "réponse": "Annie",
+ "anecdote": "Titulaire de sept Tony Awards et forte de 2 377 représentations, la comédie musicale « Annie » se devait d'être adaptée au cinéma."
+ },
+ {
+ "id": 4,
+ "question": "Par quel animal la Metro-Goldwyn-Mayer s'annonce-t-elle au début de ses films ?",
+ "propositions": [
+ "Tigre blanc",
+ "Chien bondissant",
+ "Lion rugissant",
+ "Loup hurlant"
+ ],
+ "réponse": "Lion rugissant",
+ "anecdote": "En septembre 2009, le studio était au bord de la faillite avec un besoin de vingt millions de dollars."
+ },
+ {
+ "id": 5,
+ "question": "Au cinéma, par quel nom désigne-t-on un acteur de complément qui ne parle pas ?",
+ "propositions": [
+ "Un figurant",
+ "Un technicien",
+ "Un cadreur",
+ "Un doubleur"
+ ],
+ "réponse": "Un figurant",
+ "anecdote": "De nombreuses anecdotes circulent sur des gags survenus sur scène à cause du manque de répétition de la figuration."
+ },
+ {
+ "id": 6,
+ "question": "Au cinéma, quel acteur et directeur de théâtre français est surnommé « Bébel » ?",
+ "propositions": [
+ "Michel Bouquet",
+ "Richard Bohringer",
+ "Claude Brasseur",
+ "Jean-Paul Belmondo"
+ ],
+ "réponse": "Jean-Paul Belmondo",
+ "anecdote": "Le 9 février 2015, Jean-Paul Belmondo a annoncé sur RTL sa retraite définitive du cinéma et du théâtre."
+ },
+ {
+ "id": 7,
+ "question": "Au cinéma, comment qualifie-t-on un flou donnant une ambiance poétique ?",
+ "propositions": [
+ "Concentrique",
+ "Dynamique",
+ "Artistique",
+ "Mécanique"
+ ],
+ "réponse": "Artistique",
+ "anecdote": "Par extension, on parle de flou artistique, dans un sens très souvent péjoratif, pour qualifier une opération visant à brouiller la lisibilité."
+ },
+ {
+ "id": 8,
+ "question": "Comment appelle-t-on les robots autonomes dans « La guerre des étoiles » ?",
+ "propositions": [
+ "Les hubos",
+ "Les droïdes",
+ "Les gynoïdes",
+ "Les cogs"
+ ],
+ "réponse": "Les droïdes",
+ "anecdote": "Aux États-Unis, le 7 septembre 1985, le dessin animé « Droïdes » a été diffusé sur la chaîne ABC."
+ },
+ {
+ "id": 9,
+ "question": "Quel genre utilise le suspense pour provoquer une excitation ou une appréhension ?",
+ "propositions": [
+ "Aventure",
+ "Drame",
+ "Thriller",
+ "Western"
+ ],
+ "réponse": "Thriller",
+ "anecdote": "Au cinéma, le réalisateur Alfred Hitchcock est considéré comme le maître du suspense et du thriller."
+ },
+ {
+ "id": 10,
+ "question": "Comment appelle-t-on la recherche des lieux destinés au tournage d'un film ?",
+ "propositions": [
+ "Le casting",
+ "Le repérage",
+ "Le montage",
+ "Le storyboard"
+ ],
+ "réponse": "Le repérage",
+ "anecdote": "Cette recherche peut être effectuée par le réalisateur, par ses assistants, ou par des membres de l'équipe de production."
+ }
+ ],
+ "confirmé": [
+ {
+ "id": 11,
+ "question": "De quelle comédienne française Françoise Dorléac était-elle la soeur ?",
+ "propositions": [
+ "Isabelle Huppert",
+ "Catherine Deneuve",
+ "Isabelle Adjani",
+ "Juliette Binoche"
+ ],
+ "réponse": "Catherine Deneuve",
+ "anecdote": "Françoise Dorléac est morte brûlée vive dans un incendie de voiture sur une bretelle de Villeneuve-Loubet."
+ },
+ {
+ "id": 12,
+ "question": "Quelle est la couleur des yeux d'Anthony Delon, fils d'Alain et de Nathalie Delon ?",
+ "propositions": [
+ "Noire",
+ "Bleue",
+ "Verte",
+ "Brune"
+ ],
+ "réponse": "Verte",
+ "anecdote": "Anthony Delon a reconnu avoir eu une fille naturelle, Alyson Le Borges, avec une danseuse du Crazy Horse, Marie-Hélène."
+ },
+ {
+ "id": 13,
+ "question": "Dans quel film voit-on Dustin Hoffman vieillir jusqu'à devenir plus que centenaire ?",
+ "propositions": [
+ "Le Récidiviste",
+ "Papillon",
+ "Little Big Man",
+ "Lenny"
+ ],
+ "réponse": "Little Big Man",
+ "anecdote": "Dan George fut sélectionné aux Oscars en 1971 ainsi qu'aux Golden Globes, dans la catégorie du meilleur second rôle masculin."
+ },
+ {
+ "id": 14,
+ "question": "Lors de quel festival international de cinéma remet-on un ours d'or ?",
+ "propositions": [
+ "Cannes",
+ "Montréal",
+ "Berlin",
+ "Venise"
+ ],
+ "réponse": "Berlin",
+ "anecdote": "Avec ceux de Cannes en mai et de Venise en septembre, il est l'un des trois principaux festivals de cinéma internationaux."
+ },
+ {
+ "id": 15,
+ "question": "Quel fut le premier métier de Stan Laurel ayant formé ensuite un célèbre duo comique ?",
+ "propositions": [
+ "Avocat",
+ "Banquier",
+ "Clown",
+ "Dentiste"
+ ],
+ "réponse": "Clown",
+ "anecdote": "Il reçoit en 1961 un Oscar d'honneur pour s'être frayé un chemin créateur dans le domaine de la comédie au cinéma."
+ },
+ {
+ "id": 16,
+ "question": "Quel est le prénom de Sophie Marceau dans « La Boum » de Claude Pinoteau ?",
+ "propositions": [
+ "Victoria",
+ "Vanessa",
+ "Victoire",
+ "Valentine"
+ ],
+ "réponse": "Victoire",
+ "anecdote": "Le rôle de François Beretton, interprété par Claude Brasseur, a été à l'origine proposé à Francis Perrin qui a refusé."
+ },
+ {
+ "id": 17,
+ "question": "Dans quel film de Lelouch Charles Denner et Jacques Villeret portent-ils le même prénom ?",
+ "propositions": [
+ "À nous deux",
+ "Robert et Robert",
+ "Attention bandits !",
+ "Viva la vie"
+ ],
+ "réponse": "Robert et Robert",
+ "anecdote": "En 1979, Jacques Villeret a reçu pour ce film le César du meilleur acteur dans un second rôle."
+ },
+ {
+ "id": 18,
+ "question": "Dans quel film l'acteur Jeff Bridges est-il transporté dans une micro-civilisation ?",
+ "propositions": [
+ "Blown Away",
+ "Starman",
+ "Tron",
+ "Tucker"
+ ],
+ "réponse": "Tron",
+ "anecdote": "« Tron » est le premier à utiliser l'imagerie informatique de manière intensive pour concevoir un monde virtuel."
+ },
+ {
+ "id": 19,
+ "question": "Quelle créature est l'héroïne du film « Splash » de Ron Howard ?",
+ "propositions": [
+ "Une sirène",
+ "Une méduse",
+ "Une pieuvre",
+ "Une tortue"
+ ],
+ "réponse": "Une sirène",
+ "anecdote": "« Splash » a mis au goût du jour le prénom Madison aux États-Unis, passant de la 216e place en 1990 à la 3e place en 2000."
+ },
+ {
+ "id": 20,
+ "question": "Quelle orpheline de roman suisse est passée au cinéma puis au dessin animé télévisé ?",
+ "propositions": [
+ "Suzy",
+ "Corinne",
+ "Tina",
+ "Heidi"
+ ],
+ "réponse": "Heidi",
+ "anecdote": "Le roman « Heidi » fait partie des plus célèbres récits de la littérature d'enfance et de jeunesse."
+ }
+ ],
+ "expert": [
+ {
+ "id": 21,
+ "question": "De quel pays Omar Sharif, mort au Caire en 2015 à l'âge de 83 ans, était-il originaire ?",
+ "propositions": [
+ "Tunisie",
+ "Maroc",
+ "Égypte",
+ "Lybie"
+ ],
+ "réponse": "Égypte",
+ "anecdote": "Omar Sharif était un des joueurs de bridge les plus célèbres du monde et a d'ailleurs écrit un livre sur le sujet."
+ },
+ {
+ "id": 22,
+ "question": "Quelle ravissante actrice italienne se rasa les cheveux dans « La fille de Trieste » ?",
+ "propositions": [
+ "Monica Bellucci",
+ "Claudia Cardinale",
+ "Ornella Muti",
+ "Gina Lollobrigida"
+ ],
+ "réponse": "Ornella Muti",
+ "anecdote": "Par sa fille Naike Rivelli, Ornella Muti est grand-mère d'un petit garçon né en 1996, et prénommé Akash."
+ },
+ {
+ "id": 23,
+ "question": "Combien y a-t-il de films de Charlot, souvent assimilé lui-même à Charlie Chaplin ?",
+ "propositions": [
+ "60",
+ "100",
+ "120",
+ "80"
+ ],
+ "réponse": "60",
+ "anecdote": "Charlot est apparu pour la première fois dans la comédie « Charlot est content de lui », court-métrage d'Henry Lehrman en 1914."
+ },
+ {
+ "id": 24,
+ "question": "Quelle comédienne américaine a créé une nouvelle forme de gymnastique ?",
+ "propositions": [
+ "Sally Field",
+ "Faye Dunaway",
+ "Diane Keaton",
+ "Jane Fonda"
+ ],
+ "réponse": "Jane Fonda",
+ "anecdote": "Bien que parlant parfaitement français, Jane Fonda a été doublée à plusieurs reprises en France."
+ },
+ {
+ "id": 25,
+ "question": "Quel est le sous-titre du film d'épouvante américain « Amityville » ?",
+ "propositions": [
+ "Il est de retour",
+ "La ville interdite",
+ "La maison du diable",
+ "Cité hantée"
+ ],
+ "réponse": "La maison du diable",
+ "anecdote": "La musique du film est composée par Lalo Schifrin et interprétée par Orchestre philharmonique tchèque."
+ },
+ {
+ "id": 26,
+ "question": "A quel âge Sandrine Bonnaire a-t-elle tourné son premier film ?",
+ "propositions": [
+ "11 ans",
+ "13 ans",
+ "15 ans",
+ "17 ans"
+ ],
+ "réponse": "17 ans",
+ "anecdote": "Sandrine Bonnaire est marraine de l'association Ciné-ma différence et vice-présidente du Festival du Film de Cabourg."
+ },
+ {
+ "id": 27,
+ "question": "Combien de personnes votent pour l'attribution des Oscars du cinéma américain ?",
+ "propositions": [
+ "4 000",
+ "1 000",
+ "2 000",
+ "3 000"
+ ],
+ "réponse": "4 000",
+ "anecdote": "Les « Academy Awards » sont les plus anciennes récompenses dans le domaine des médias et du spectacle."
+ },
+ {
+ "id": 28,
+ "question": "Quel pays le film humoristique « Les Dieux sont tombés sur la tête » fit-il connaître ?",
+ "propositions": [
+ "Rwanda",
+ "Gabon",
+ "Botswana",
+ "Zambie"
+ ],
+ "réponse": "Botswana",
+ "anecdote": "Le film a connu un succès considérable dans le monde et en France, rendant le réalisateur et son interprète célèbres."
+ },
+ {
+ "id": 29,
+ "question": "Grâce à quel jeu David empêche-t-il une guerre nucléaire dans le film « Wargames » ?",
+ "propositions": [
+ "Tic-tac-toe",
+ "Hex",
+ "Morpion",
+ "Mastermind"
+ ],
+ "réponse": "Morpion",
+ "anecdote": "« Wargames » est le tout premier à faire référence à un pare-feu informatique (firewall)."
+ },
+ {
+ "id": 30,
+ "question": "Combien de temps le tournage du film « E.T. » de Steven Spielberg a-t-il duré ?",
+ "propositions": [
+ "Un an",
+ "Six mois",
+ "Deux ans",
+ "Trois ans"
+ ],
+ "réponse": "Six mois",
+ "anecdote": "En France, le film a été diffusé pour la première fois à la télévision le 12 avril 19912 sur Canal+."
+ }
+ ]
+ }
+ }
+}
\ No newline at end of file
diff --git a/misc/quiz/openquizzdb/comedie-francaise.json b/misc/quiz/openquizzdb/comedie-francaise.json
new file mode 100644
index 0000000..f8ff9ed
--- /dev/null
+++ b/misc/quiz/openquizzdb/comedie-francaise.json
@@ -0,0 +1,2250 @@
+{
+ "fournisseur": "OpenQuizzDB - Fournisseur de contenu libre (https://www.openquizzdb.org)",
+ "licence": "CC BY-SA",
+ "rédacteur": "Philippe Bresoux",
+ "difficulté": "2 / 5",
+ "version": 1,
+ "mise-à-jour": "2024-03-30",
+ "catégorie-nom-slogan": {
+ "fr": {
+ "catégorie": "Cinéma",
+ "nom": "Comédies françaises",
+ "slogan": "Elles nous ont faire rire au fil des années"
+ },
+ "en": {
+ "catégorie": "Cinema",
+ "nom": "French comedies",
+ "slogan": "They have made us laugh over the years"
+ },
+ "es": {
+ "catégorie": "Cine",
+ "nom": "Comedias francesas",
+ "slogan": "Nos han hecho reír a lo largo de los años"
+ },
+ "it": {
+ "catégorie": "Cinema",
+ "nom": "Commedie francesi",
+ "slogan": "Ci hanno fatto ridere negli anni"
+ },
+ "de": {
+ "catégorie": "Kino",
+ "nom": "Französische Komödien",
+ "slogan": "Sie haben uns im Laufe der Jahre zum Lachen gebracht"
+ },
+ "nl": {
+ "catégorie": "Bioscoop",
+ "nom": "Franse komedies",
+ "slogan": "Ze hebben ons door de jaren heen aan het lachen gemaakt"
+ }
+ },
+ "quizz": {
+ "fr": {
+ "débutant": [
+ {
+ "id": 1,
+ "question": "Quel acteur se tient aux côtés de Christian Clavier dans le film « Les anges gardiens » ?",
+ "propositions": [
+ "Pierre Richard",
+ "Gérard Jugnot",
+ "Gérard Depardieu",
+ "Jean Reno"
+ ],
+ "réponse": "Gérard Depardieu",
+ "anecdote": "Tout au long du film, on peut remarquer un nombre très important de marques de produits, visibles ou citées."
+ },
+ {
+ "id": 2,
+ "question": "De quelle somme doivent hériter les frères de la comédie française « Les 3 frères » ?",
+ "propositions": [
+ "100 francs",
+ "100 patates",
+ "100 briques",
+ "100 euros"
+ ],
+ "réponse": "100 patates",
+ "anecdote": "À la fin du film, le cuisinier de l'orphelinat les appelle les Rois mages, qui est le nom du film qu'ils tourneront six ans plus tard."
+ },
+ {
+ "id": 3,
+ "question": "Qui est surnommé ma biche par Louis de Funès dans la plupart de ses films ?",
+ "propositions": [
+ "Sa soeur",
+ "Sa femme",
+ "Sa fille",
+ "Sa mère"
+ ],
+ "réponse": "Sa femme",
+ "anecdote": "En 1984, une variété de rose sera créée par la société horticole Meilland en l'honneur de l'acteur, la rose Louis de Funès."
+ },
+ {
+ "id": 4,
+ "question": "Qui est incarné par Jamel Debbouze dans « Astérix et Obélix : Mission Cléopâtre » ?",
+ "propositions": [
+ "Numérobis",
+ "Malococsis",
+ "Cartapus",
+ "Amonbofils"
+ ],
+ "réponse": "Numérobis",
+ "anecdote": "Pierre Tchernia, narrateur des dessins animés de la franchise, est aussi narrateur dans le film et tient le rôle d'un général romain."
+ },
+ {
+ "id": 5,
+ "question": "Quelle est la profession de Christian Clavier dans la comédie « Les Anges Gardiens » ?",
+ "propositions": [
+ "Patron de cabaret",
+ "Prêtre",
+ "Proxénète",
+ "Postier"
+ ],
+ "réponse": "Prêtre",
+ "anecdote": "Dans « Les Anges Gardiens », il y a de nombreuses similitudes avec « Les Visiteurs », dont l'opposition entre Tarain et son ange."
+ },
+ {
+ "id": 6,
+ "question": "Dans quoi Bourvil et de Funès s'échappent-ils à la fin de « La Grande Vadrouille » ?",
+ "propositions": [
+ "Voiture",
+ "Planeur",
+ "Bateau",
+ "Train"
+ ],
+ "réponse": "Planeur",
+ "anecdote": "En Allemagne, le film fut la première comédie présentée à l'écran consacrée à la Seconde Guerre mondiale."
+ },
+ {
+ "id": 7,
+ "question": "Quel acteur reste le partenaire indissociable de Louis de Funès dans « Le Corniaud » ?",
+ "propositions": [
+ "Michel Galabru",
+ "Yves Montand",
+ "Bourvil",
+ "Fernandel"
+ ],
+ "réponse": "Bourvil",
+ "anecdote": "La 2CV était équipée de 250 boulons électriques afin qu'elle se disloque au moment voulu dans la dernière scène tournée du film."
+ },
+ {
+ "id": 8,
+ "question": "De quel célèbre curé indiscipliné Fernandel a-t-il revêtu la soutane ?",
+ "propositions": [
+ "Don Camillo",
+ "Don Diego de la Vega",
+ "Don Patillo",
+ "Don Corleone"
+ ],
+ "réponse": "Don Camillo",
+ "anecdote": "Don Camillo est un personnage de fiction créé en 1948 par l'humoriste, journaliste et dessinateur Giovannino Guareschi."
+ },
+ {
+ "id": 9,
+ "question": "Dans quel film Jean Dujardin a-t-il les cheveux longs et une planche à voile jaune ?",
+ "propositions": [
+ "Brice de Nice",
+ "99 francs",
+ "OSS 117",
+ "Cash"
+ ],
+ "réponse": "Brice de Nice",
+ "anecdote": "Apparu pour la première fois aux yeux du grand public dans un sketch télévisé, le personnage de Brice a spontanément plu."
+ },
+ {
+ "id": 10,
+ "question": "Quel est le nom de famille de Pierre Richard dans le film « La chèvre » de Francis Veber ?",
+ "propositions": [
+ "Pignon",
+ "Tricatel",
+ "Perrin",
+ "Duchemin"
+ ],
+ "réponse": "Perrin",
+ "anecdote": "Les rôles devaient à l'origine être tenus par Ventura et Villeret, mais le premier ne souhaitait pas tourner avec le second."
+ }
+ ],
+ "confirmé": [
+ {
+ "id": 11,
+ "question": "Lequel de ces acteurs ne retrouve-t-on pas dans « Le gendarme se marie » ?",
+ "propositions": [
+ "Michel Galabru",
+ "Jean Lefebvre",
+ "Christian Marin",
+ "Maurice Rich"
+ ],
+ "réponse": "Maurice Rich",
+ "anecdote": "Le tournage fut marqué par une longue grève déclenchée par les événements de Mai 68 et par la mort d'un cascadeur du film."
+ },
+ {
+ "id": 12,
+ "question": "Qui incarne Jean-Claude Van Damme dans la comédie « JCVD » ?",
+ "propositions": [
+ "Son frère",
+ "Lui-même",
+ "Son père",
+ "Son fils"
+ ],
+ "réponse": "Lui-même",
+ "anecdote": "Les critiques louent le surprenant contre-emploi de Jean-Claude Van Damme qui y dévoile des réelles qualités d'acteur."
+ },
+ {
+ "id": 13,
+ "question": "Quel est le surnom d'un inspecteur incarné par Coluche dans un de ses films ?",
+ "propositions": [
+ "La Bavure",
+ "La Banqueroute",
+ "La Bêtise",
+ "La Bévue"
+ ],
+ "réponse": "La Bavure",
+ "anecdote": "Pendant la réalisation du film, une novélisation en bande-dessinée a été conçue par les artistes Cabu et Didier Convard."
+ },
+ {
+ "id": 14,
+ "question": "Quel diplôme tentent de décrocher les élèves du film « Les Sous-doués » ?",
+ "propositions": [
+ "Master",
+ "Brevet",
+ "BEP",
+ "Baccalauréat"
+ ],
+ "réponse": "Baccalauréat",
+ "anecdote": "Après la sortie des « Sous-doués en vacances » en 1982, le film a été du coup rebaptisé « Les Sous-doués passent le bac »."
+ },
+ {
+ "id": 15,
+ "question": "Quel est le nom de la famille modeste de « La vie est un long fleuve tranquille » ?",
+ "propositions": [
+ "Groseille",
+ "Mûre",
+ "Fraise",
+ "Cerise"
+ ],
+ "réponse": "Groseille",
+ "anecdote": "Le film a été tourné pendant l'été 1987 dans plusieurs localités du Nord : Roubaix, Lille, Tourcoing et Villeneuve-d'Ascq."
+ },
+ {
+ "id": 16,
+ "question": "Lequel de ces acteurs ne fait pas partie de la troupe du Splendid ?",
+ "propositions": [
+ "Thierry Lhermitte",
+ "Martin Lamotte",
+ "Michel Galabru",
+ "Christian Clavier"
+ ],
+ "réponse": "Michel Galabru",
+ "anecdote": "Certains films réunissent plusieurs acteurs du Splendid mais ne sont toutefois pas crédités comme films du Splendid."
+ },
+ {
+ "id": 17,
+ "question": "En quel héros se déguise Martin Lamotte dans la comédie « Papy fait de la résistance » ?",
+ "propositions": [
+ "Super-DeGaulle",
+ "Super-Batailleur",
+ "Super-Résistant",
+ "Super-Français"
+ ],
+ "réponse": "Super-Résistant",
+ "anecdote": "Le film, devenu culte, réunit les acteurs de la nouvelle génération des années 1970-80 et les acteurs de l'ancienne génération."
+ },
+ {
+ "id": 18,
+ "question": "Dans quel quartier de Paris se déroulent les scènes principales de « La Vérité si je mens » ?",
+ "propositions": [
+ "Le Sentier",
+ "Le Chemin",
+ "Le Marais",
+ "Le Passage"
+ ],
+ "réponse": "Le Sentier",
+ "anecdote": "À l'origine, le scénario du film devait être issu du livre écrit par Michel Munz, « Rock Casher », roman sur les Séfarades du Sentier."
+ },
+ {
+ "id": 19,
+ "question": "Quel personnage est devenu coiffeur hype à Los Angeles dans « Les Bronzés 3 » ?",
+ "propositions": [
+ "Popeye",
+ "Jean-Claude",
+ "Bernard",
+ "Jérôme"
+ ],
+ "réponse": "Jean-Claude",
+ "anecdote": "La troupe du Splendid devait à l'origine se retrouver autour du film « Astérix en Hispanie », projet proposé puis plus tard abandonné."
+ },
+ {
+ "id": 20,
+ "question": "Quel acteur interprète Bakari Driss Bassari dans le film « Intouchables » ?",
+ "propositions": [
+ "Thomas Slivéres",
+ "Omar Sy",
+ "Christian Ameri",
+ "François Cluzet"
+ ],
+ "réponse": "Omar Sy",
+ "anecdote": "L'histoire est inspirée de la vie de Philippe Pozzo di Borgo, tétraplégique, et de sa relation avec Abdel Yasmin Sellou."
+ }
+ ],
+ "expert": [
+ {
+ "id": 21,
+ "question": "Quel quatuor de chanteurs comiques a régné sur la comédie française des années 1970 ?",
+ "propositions": [
+ "Les Frères Jacques",
+ "Les Marrants",
+ "Les Charlots",
+ "Les Rigolos"
+ ],
+ "réponse": "Les Charlots",
+ "anecdote": "Gérard Filippelli et Jean Sarrus ont joué dans l'intégralité des films des Charlots, Gérard Rinaldi dans tous sauf dans le dernier."
+ },
+ {
+ "id": 22,
+ "question": "Qui est Pouic-Pouic dans la comédie française du même nom ?",
+ "propositions": [
+ "Louis de Funès",
+ "Un chat",
+ "Un coq",
+ "Jacqueline Maillan"
+ ],
+ "réponse": "Un coq",
+ "anecdote": "Le film fut réalisé d'après la pièce de théâtre « Sans cérémonie » de Jacques Vilfrid et Jean Girault, créée en 1952."
+ },
+ {
+ "id": 23,
+ "question": "Quel personnage est joué par Lino Ventura dans « Les Tontons flingueurs » ?",
+ "propositions": [
+ "Fernand",
+ "Raoul",
+ "Francis",
+ "Gustave"
+ ],
+ "réponse": "Fernand",
+ "anecdote": "Les répliques et les tirades de ce film, volontairement décalées, sont pour beaucoup dans son immense succès populaire."
+ },
+ {
+ "id": 24,
+ "question": "Comment se nomme la célèbre attachée de presse de « La Cité de la peur » ?",
+ "propositions": [
+ "Odile Deray",
+ "Martine Alaplage",
+ "Edith Fané",
+ "Elodie Pété"
+ ],
+ "réponse": "Odile Deray",
+ "anecdote": "Le nom Odile Deray fait référence à Gilles de Rais, un ancien tueur en série français, en rapport avec le thème du film."
+ },
+ {
+ "id": 25,
+ "question": "Quel acteur interprète Yvan dans le film « La vérité si je mens » ?",
+ "propositions": [
+ "Richard Anconina",
+ "Vincent Elbaz",
+ "José Garcia",
+ "Bruno Solo"
+ ],
+ "réponse": "Bruno Solo",
+ "anecdote": "Quand Gilbert Melki a un problème avec sa télévision, on peut apercevoir un petit extrait de « Raï », de Thomas Gilou."
+ },
+ {
+ "id": 26,
+ "question": "Quel âge a Tanguy dans le film réalisé en 2001 par Étienne Chatiliez ?",
+ "propositions": [
+ "28 ans",
+ "32 ans",
+ "26 ans",
+ "30 ans"
+ ],
+ "réponse": "28 ans",
+ "anecdote": "Le prénom Tanguy est utilisé dans le langage populaire pour désigner un jeune adulte qui se complaît à vivre chez ses parents."
+ },
+ {
+ "id": 27,
+ "question": "Combien de comédies Pierre Richard et Gérard Depardieu ont-ils joué ensemble ?",
+ "propositions": [
+ "Quatre",
+ "Trois",
+ "Six",
+ "Cinq"
+ ],
+ "réponse": "Trois",
+ "anecdote": "C'est ainsi que Pierre Richard interprétera François Perrin dans « La Chèvre » et François Pignon dans « Les Compères » et « Les Fugitifs »."
+ },
+ {
+ "id": 28,
+ "question": "Quel est le nom de famille de Didier, Pascal et Bernard, les « Trois Frères » ?",
+ "propositions": [
+ "Karamazov",
+ "Latour",
+ "Ledonjon",
+ "Bogdanov"
+ ],
+ "réponse": "Latour",
+ "anecdote": "Au début du film, la personne que reçoit Pascal Latour en entretien d'embauche n'est autre que Théo Légitimus, le père de Pascal."
+ },
+ {
+ "id": 29,
+ "question": "Qui incarne la femme de Thierry Lhermitte dans le film « Le Dîner de cons » ?",
+ "propositions": [
+ "C. Frot",
+ "A. Jaoui",
+ "A. Vandernoot",
+ "J. Balasko"
+ ],
+ "réponse": "A. Vandernoot",
+ "anecdote": "Alexandra Vandernoot est surtout connue internationalement pour son rôle de la fiancée de Duncan MacLeod, dans la série « Highlander »."
+ },
+ {
+ "id": 30,
+ "question": "Quel acteur incarne le père biologique du bébé dans « Trois hommes et un couffin » ?",
+ "propositions": [
+ "André Dussollier",
+ "Roland Giraud",
+ "Jean-Pierre Bacri",
+ "Michel Boujenah"
+ ],
+ "réponse": "André Dussollier",
+ "anecdote": "« Trois hommes et un couffin » est devenu le plus grand succès de l'année 1985 au cinéma, avec plus de dix millions d'entrées."
+ }
+ ]
+ },
+ "en": {
+ "débutant": [
+ {
+ "id": 1,
+ "question": "Which actor stands alongside Christian Clavier in the film « Les anges gardiens » ?",
+ "propositions": [
+ "Pierre Richard",
+ "Gérard Jugnot",
+ "Gérard Depardieu",
+ "Jean Reno"
+ ],
+ "réponse": "Gérard Depardieu",
+ "anecdote": "Throughout the film, we can notice a very large number of brands of products, visible or cited."
+ },
+ {
+ "id": 2,
+ "question": "How much should the brothers of the French comedy « Les 3 frères » inherit ?",
+ "propositions": [
+ "100 bricks",
+ "100 francs",
+ "100 potatoes",
+ "100 euros"
+ ],
+ "réponse": "100 potatoes",
+ "anecdote": "At the end of the film, the orphanage's cook calls them the Three Kings, which is the name of the film they will shoot six years later."
+ },
+ {
+ "id": 3,
+ "question": "Who is nicknamed my doe by Louis de Funès in most of his films ?",
+ "propositions": [
+ "His mother",
+ "His daughter",
+ "His sister",
+ "His wife"
+ ],
+ "réponse": "His wife",
+ "anecdote": "In 1984, a variety of roses will be created by the horticultural company Meilland in honor of the actor, the rose Louis de Funès."
+ },
+ {
+ "id": 4,
+ "question": "Which character is embodied by Jamel Debbouze in « Astérix et Obélix : Mission Cléopâtre » ?",
+ "propositions": [
+ "Amonbofils",
+ "Numerobis",
+ "Malococsis",
+ "Cartapus"
+ ],
+ "réponse": "Numerobis",
+ "anecdote": "Pierre Tchernia, narrator of the franchise cartoons, is also a narrator in the film and plays the role of a Roman general."
+ },
+ {
+ "id": 5,
+ "question": "What is Christian Clavier's profession in the comedy « Les Anges Gardiens » ?",
+ "propositions": [
+ "Priest",
+ "Postman",
+ "Pimp",
+ "Cabaret pattern"
+ ],
+ "réponse": "Priest",
+ "anecdote": "In « Les Anges Gardiens », there are many similarities with « Les Visiteurs », including the opposition between Tarain and his angel."
+ },
+ {
+ "id": 6,
+ "question": "In which contraption Bourvil and de Funès escape at the end of the film « La Grande Vadrouille » ?",
+ "propositions": [
+ "Glider",
+ "Train",
+ "Car",
+ "Boat"
+ ],
+ "réponse": "Glider",
+ "anecdote": "The film was a success in Germany where it was the first comedy presented on the screen devoted to the Second World War."
+ },
+ {
+ "id": 7,
+ "question": "Which actor remains the inseparable partner of Louis de Funès in « Le Corniaud » ?",
+ "propositions": [
+ "Yves Montand",
+ "Fernandel",
+ "Michel Galabru",
+ "Bourvil"
+ ],
+ "réponse": "Bourvil",
+ "anecdote": "The 2CV was fitted with 250 electric bolts so that it dislocated when the last scene in the film turned."
+ },
+ {
+ "id": 8,
+ "question": "What famous undisciplined priest did Fernandel wear the cassock in ?",
+ "propositions": [
+ "Don Corleone",
+ "Don Diego de la Vega",
+ "Don Patillo",
+ "Don Camillo"
+ ],
+ "réponse": "Don Camillo",
+ "anecdote": "Don Camillo is a fictional character created in 1948 by the humorist, journalist and designer Giovannino Guareschi."
+ },
+ {
+ "id": 9,
+ "question": "In which film does Jean Dujardin have long hair and a yellow sailboard ?",
+ "propositions": [
+ "Brice de Nice",
+ "Cash",
+ "99 francs",
+ "OSS 117"
+ ],
+ "réponse": "Brice de Nice",
+ "anecdote": "Appearing for the first time in the eyes of the general public in a television sketch, the character of Brice spontaneously pleased."
+ },
+ {
+ "id": 10,
+ "question": "What is the family name of Pierre Richard in the film « La chèvre » by Francis Veber ?",
+ "propositions": [
+ "Pinion",
+ "Duchemin",
+ "Tricatel",
+ "Perrin"
+ ],
+ "réponse": "Perrin",
+ "anecdote": "The roles were originally to be held by Ventura and Villeret, but the former did not wish to tour with the latter."
+ }
+ ],
+ "confirmé": [
+ {
+ "id": 11,
+ "question": "Which of these actors is not found in « Le gendarme se marie » ?",
+ "propositions": [
+ "Maurice Rich",
+ "Michel Galabru",
+ "Christian Marin",
+ "Jean Lefebvre"
+ ],
+ "réponse": "Maurice Rich",
+ "anecdote": "The shooting was marked by a long strike triggered by the events of May 68 and by the death of a stuntman from the film."
+ },
+ {
+ "id": 12,
+ "question": "Who plays Jean-Claude Van Damme in the comedy « JCVD » ?",
+ "propositions": [
+ "Her son",
+ "His brother",
+ "His father",
+ "Himself"
+ ],
+ "réponse": "Himself",
+ "anecdote": "Critics praise Jean-Claude Van Damme's surprising counter-employment, which reveals real acting qualities."
+ },
+ {
+ "id": 13,
+ "question": "What is the nickname of an inspector embodied by Coluche in one of his films ?",
+ "propositions": [
+ "The Burr",
+ "Foolishness",
+ "Bankruptcy",
+ "La Bévue"
+ ],
+ "réponse": "The Burr",
+ "anecdote": "During the making of the film, a novelization in comics was conceived by the artists Cabu and Didier Convard."
+ },
+ {
+ "id": 14,
+ "question": "What diploma are trying to win the pupils from the film « Les Sous-doués » ?",
+ "propositions": [
+ "Master",
+ "Patent",
+ "Bachelor",
+ "BEP"
+ ],
+ "réponse": "Bachelor",
+ "anecdote": "After the release of the « Sous-doués en vacances » in 1982, the film was suddenly renamed « Les Sous-doués passent le bac »."
+ },
+ {
+ "id": 15,
+ "question": "What is the name of the modest family of « Life is a long quiet river » ?",
+ "propositions": [
+ "Mother",
+ "Strawberry",
+ "Gooseberry",
+ "Cherry"
+ ],
+ "réponse": "Gooseberry",
+ "anecdote": "The film was shot in the summer of 1987 in several localities in the North : Roubaix, Lille, Tourcoing and Villeneuve-d'Ascq."
+ },
+ {
+ "id": 16,
+ "question": "Which of these actors is not part of the Splendid troop ?",
+ "propositions": [
+ "Thierry Lhermitte",
+ "Michel Galabru",
+ "Christian Clavier",
+ "Martin Lamotte"
+ ],
+ "réponse": "Michel Galabru",
+ "anecdote": "Some films bring together several Splendid actors but are not, however, credited as Splendid films."
+ },
+ {
+ "id": 17,
+ "question": "What hero is Martin Lamotte in in the comedy « Grandpa is resistance » ?",
+ "propositions": [
+ "Super-Resistant",
+ "Super-Battler",
+ "Super-French",
+ "Super-DeGaulle"
+ ],
+ "réponse": "Super-Resistant",
+ "anecdote": "The film, which has become cult, brings together the actors of the new generation of the years 1970-80 and the actors of the old generation."
+ },
+ {
+ "id": 18,
+ "question": "In which district of Paris are the main scenes of « La Vérité si je mens » ?",
+ "propositions": [
+ "The Marais",
+ "The Passage",
+ "The Trail",
+ "The Way"
+ ],
+ "réponse": "The Trail",
+ "anecdote": "Originally, the script for the film was to come from Michel Munz's book, « Rock Casher », a novel about the Sephardic Path."
+ },
+ {
+ "id": 19,
+ "question": "Which character became a hyped hairstylist in Los Angeles in « Les Bronzés 3 » ?",
+ "propositions": [
+ "Bernard",
+ "Jean-Claude",
+ "Jérôme",
+ "Popeye"
+ ],
+ "réponse": "Jean-Claude",
+ "anecdote": "The Splendid troupe was originally to meet around the film « Astérix en Hispanie », proposed project then later abandoned."
+ },
+ {
+ "id": 20,
+ "question": "Which actor interprets Bakari Driss Bassari in the film « Intouchables » ?",
+ "propositions": [
+ "Christian Ameri",
+ "Omar Sy",
+ "Thomas Slivéres",
+ "François Cluzet"
+ ],
+ "réponse": "Omar Sy",
+ "anecdote": "The story is inspired by the life of Philippe Pozzo di Borgo, quadriplegic, and his relationship with Abdel Yasmin Sellou."
+ }
+ ],
+ "expert": [
+ {
+ "id": 21,
+ "question": "What quartet of comic singers reigned over the French comedy of the 1970s ?",
+ "propositions": [
+ "The Marrants",
+ "The Brothers Jacques",
+ "The Funny",
+ "The Charlots"
+ ],
+ "réponse": "The Charlots",
+ "anecdote": "Gérard Filippelli and Jean Sarrus have played in all of the Charlots films, Gérard Rinaldi in all except the last."
+ },
+ {
+ "id": 22,
+ "question": "Who is Pouic-Pouic in the French comedy of the same name ?",
+ "propositions": [
+ "A rooster",
+ "A cat",
+ "Louis de Funès",
+ "Jacqueline Maillan"
+ ],
+ "réponse": "A rooster",
+ "anecdote": "The film was produced according to the play « Sans cérémonie » by Jacques Vilfrid and Jean Girault, created in 1952."
+ },
+ {
+ "id": 23,
+ "question": "Which character is played by Lino Ventura in « Les Tontons flingueurs » ?",
+ "propositions": [
+ "Fernand",
+ "Gustave",
+ "Francis",
+ "Raoul"
+ ],
+ "réponse": "Fernand",
+ "anecdote": "The replicas and tirades of this film, deliberately offset, have a lot to do with its immense popular success."
+ },
+ {
+ "id": 24,
+ "question": "What is the name of the famous press secretary of « La Cité de la peur » ?",
+ "propositions": [
+ "Martine Alaplage",
+ "Elodie Pété",
+ "Edith Fané",
+ "Odile Deray"
+ ],
+ "réponse": "Odile Deray",
+ "anecdote": "The name Odile Deray refers to Gilles de Rais, a former French serial killer, related to the theme of the film."
+ },
+ {
+ "id": 25,
+ "question": "Which actor interprets Yvan in the film « The truth if I lie » ?",
+ "propositions": [
+ "Richard Anconina",
+ "Vincent Elbaz",
+ "José Garcia",
+ "Bruno Solo"
+ ],
+ "réponse": "Bruno Solo",
+ "anecdote": "When Gilbert Melki has a problem with his television, we can see a small extract from « Raï », by Thomas Gilou."
+ },
+ {
+ "id": 26,
+ "question": "How old was Tanguy in the film made in 2001 by Etienne Chatiliez ?",
+ "propositions": [
+ "30 years old",
+ "28 years old",
+ "32 years old",
+ "26 years old"
+ ],
+ "réponse": "28 years old",
+ "anecdote": "The surname Tanguy is used in popular parlance to designate a young adult who enjoys living with his parents."
+ },
+ {
+ "id": 27,
+ "question": "How many Pierre Richard and Gérard Depardieu comedies have they played together ?",
+ "propositions": [
+ "Five",
+ "Three",
+ "Four",
+ "Six"
+ ],
+ "réponse": "Three",
+ "anecdote": "This is how Pierre Richard will interpret François Perrin in « La Chèvre » and François Pignon in « Les Compères » and « Les Fugitifs »."
+ },
+ {
+ "id": 28,
+ "question": "What is the last name of Didier, Pascal and Bernard, the « Trois Frères » ?",
+ "propositions": [
+ "Bogdanov",
+ "Latour",
+ "Ledonjon",
+ "Karamazov"
+ ],
+ "réponse": "Latour",
+ "anecdote": "At the start of the film, the person whom Pascal Latour receives during the job interview is none other than Théo Légitimus, Pascal's father."
+ },
+ {
+ "id": 29,
+ "question": "Who embodies the neurotic mistress of Thierry Lhermitte in « Le Dîner de cons » ?",
+ "propositions": [
+ "Josiane Balasko",
+ "Agnès Jaoui",
+ "Catherine Frot",
+ "Alexandra Vandernoot"
+ ],
+ "réponse": "Alexandra Vandernoot",
+ "anecdote": "Alexandra Vandernoot is best known internationally for her role as the fiancée of Duncan MacLeod, in the series « Highlander »."
+ },
+ {
+ "id": 30,
+ "question": "Which actor embodies the biological father of the baby in « Three men and a bassinet » ?",
+ "propositions": [
+ "Roland Giraud",
+ "Jean-Pierre Bacri",
+ "André Dussollier",
+ "Michel Boujenah"
+ ],
+ "réponse": "André Dussollier",
+ "anecdote": "« Three men and a bassinet » has become the greatest success of the year 1985 in the cinema, with more than ten million admissions."
+ }
+ ]
+ },
+ "de": {
+ "débutant": [
+ {
+ "id": 1,
+ "question": "Welcher Schauspieler steht neben Christian Clavier im Film « Les anges gardiens » ?",
+ "propositions": [
+ "Gérard Depardieu",
+ "Pierre Richard",
+ "Gérard Jugnot",
+ "Jean Reno"
+ ],
+ "réponse": "Gérard Depardieu",
+ "anecdote": "Während des gesamten Films können wir eine sehr große Anzahl von Produktmarken feststellen, die sichtbar oder zitiert sind."
+ },
+ {
+ "id": 2,
+ "question": "Wie viel sollten die Brüder der französischen Komödie « Les 3 frères » erben ?",
+ "propositions": [
+ "100 Kartoffeln",
+ "100 euro",
+ "100 Steine",
+ "100 Franken"
+ ],
+ "réponse": "100 Kartoffeln",
+ "anecdote": "Am Ende des Films nennt der Koch des Waisenhauses sie die Drei Könige. So heißt der Film, den sie sechs Jahre später drehen werden."
+ },
+ {
+ "id": 3,
+ "question": "Wer wird in den meisten seiner Filme von Louis de Funès mein Reh genannt ?",
+ "propositions": [
+ "Seine Tochter",
+ "Seine Frau",
+ "Seine Mutter",
+ "Seine Schwester"
+ ],
+ "réponse": "Seine Frau",
+ "anecdote": "1984 wird das Gartenbauunternehmen Meilland zu Ehren des Schauspielers, der Rose Louis de Funès, eine Vielzahl von Rosen kreieren."
+ },
+ {
+ "id": 4,
+ "question": "Welchen Charakter verkörpert Jamel Debbouze in « Astérix et Obélix : Mission Cléopâtre » ?",
+ "propositions": [
+ "Numerobis",
+ "Cartapus",
+ "Malococsis",
+ "Amonbofils"
+ ],
+ "réponse": "Numerobis",
+ "anecdote": "Pierre Tchernia, Erzähler der Franchise-Cartoons, ist auch Erzähler im Film und spielt die Rolle eines römischen Generals."
+ },
+ {
+ "id": 5,
+ "question": "Was ist Christian Claviers Beruf in der Komödie « Les Anges Gardiens » ?",
+ "propositions": [
+ "Kabarettmuster",
+ "Zuhälter",
+ "Priester",
+ "Postbote"
+ ],
+ "réponse": "Priester",
+ "anecdote": "In « Les Anges Gardiens » gibt es viele Ähnlichkeiten mit « Les Visiteurs », einschließlich der Opposition zwischen Tarain und seinem Engel."
+ },
+ {
+ "id": 6,
+ "question": "In welcher Erfindung entkommen Bourvil und de Funès am Ende des Films « La Grande Vadrouille » ?",
+ "propositions": [
+ "Auto",
+ "Boot",
+ "Zug",
+ "Segelflugzeug"
+ ],
+ "réponse": "Segelflugzeug",
+ "anecdote": "Der Film war ein Erfolg in Deutschland, wo es die erste Komödie war, die auf der Leinwand für den Zweiten Weltkrieg gezeigt wurde."
+ },
+ {
+ "id": 7,
+ "question": "Welcher Schauspieler bleibt der untrennbare Partner von Louis de Funès in « Le Corniaud » ?",
+ "propositions": [
+ "Fernandel",
+ "Michel Galabru",
+ "Yves Montand",
+ "Bourvil"
+ ],
+ "réponse": "Bourvil",
+ "anecdote": "Das 2CV wurde mit 250 elektrischen Schrauben ausgestattet, so dass es sich beim Drehen der letzten Szene im Film verlagerte."
+ },
+ {
+ "id": 8,
+ "question": "In welchem berühmten undisziplinierten Priester trug Fernandel die Soutane ?",
+ "propositions": [
+ "Don Diego de la Vega",
+ "Don Camillo",
+ "Don Patillo",
+ "Don Corleone"
+ ],
+ "réponse": "Don Camillo",
+ "anecdote": "Don Camillo ist eine fiktive Figur, die 1948 vom Humoristen, Journalisten und Designer Giovannino Guareschi geschaffen wurde."
+ },
+ {
+ "id": 9,
+ "question": "In welchem Film hat Jean Dujardin lange Haare und ein gelbes Segelbrett ?",
+ "propositions": [
+ "OSS 117",
+ "99 francs",
+ "Brice de Nice",
+ "Cash"
+ ],
+ "réponse": "Brice de Nice",
+ "anecdote": "Zum ersten Mal in einer Fernsehskizze in den Augen der Öffentlichkeit zu sehen, freute sich der Charakter von Brice spontan."
+ },
+ {
+ "id": 10,
+ "question": "Wie lautet der Familienname von Pierre Richard im Film « La chèvre » von Francis Veber ?",
+ "propositions": [
+ "Perrin",
+ "Tricatel",
+ "Ritzel",
+ "Duchemin"
+ ],
+ "réponse": "Perrin",
+ "anecdote": "Die Rollen sollten ursprünglich von Ventura und Villeret besetzt werden, aber der erstere wollte nicht mit dem letzteren touren."
+ }
+ ],
+ "confirmé": [
+ {
+ "id": 11,
+ "question": "Welcher dieser Schauspieler ist in « Le gendarme se marie » ?",
+ "propositions": [
+ "Maurice Rich",
+ "Christian Marin",
+ "Jean Lefebvre",
+ "Michel Galabru"
+ ],
+ "réponse": "Maurice Rich",
+ "anecdote": "Die Dreharbeiten waren gekennzeichnet durch einen langen Streik, der durch die Ereignisse vom 68. Mai und den Tod eines Stuntman aus dem Film ausgelöst wurde."
+ },
+ {
+ "id": 12,
+ "question": "Wer spielt Jean-Claude Van Damme in der Komödie « JCVD » ?",
+ "propositions": [
+ "Selbst",
+ "Ihr Sohn",
+ "Sein Bruder",
+ "Sein Vater"
+ ],
+ "réponse": "Selbst",
+ "anecdote": "Kritiker loben Jean-Claude Van Dammes überraschende Gegenbeschäftigung, die echte schauspielerische Qualitäten offenbart."
+ },
+ {
+ "id": 13,
+ "question": "Wie lautet der Spitzname eines Inspektors, den Coluche in einem seiner Filme verkörpert ?",
+ "propositions": [
+ "La Bévue",
+ "Insolvenz",
+ "Der Grat",
+ "Dummheit"
+ ],
+ "réponse": "Der Grat",
+ "anecdote": "Während der Dreharbeiten wurde von den Künstlern Cabu und Didier Convard eine Comic-Novelle entworfen."
+ },
+ {
+ "id": 14,
+ "question": "Welches Diplom versucht, die Schüler aus dem Film « The Sous-doués » zu gewinnen ?",
+ "propositions": [
+ "Bachelor",
+ "BEP",
+ "Meister",
+ "Patent"
+ ],
+ "réponse": "Bachelor",
+ "anecdote": "Nach der Veröffentlichung des « Sous-doués en vacances » im Jahr 1982 wurde der Film plötzlich in « Les Sous-doués passent le bac » umbenannt."
+ },
+ {
+ "id": 15,
+ "question": "Wie heißt die bescheidene Familie von « Das Leben ist ein langer ruhiger Fluss » ?",
+ "propositions": [
+ "Stachelbeere",
+ "Erdbeere",
+ "Mutter",
+ "Kirsche"
+ ],
+ "réponse": "Stachelbeere",
+ "anecdote": "Der Film wurde im Sommer 1987 an verschiedenen Orten im Norden gedreht : Roubaix, Lille, Tourcoing und Villeneuve-d'Ascq."
+ },
+ {
+ "id": 16,
+ "question": "Welcher dieser Schauspieler gehört nicht zur Splendid-Truppe ?",
+ "propositions": [
+ "Martin Lamotte",
+ "Michel Galabru",
+ "Christian Clavier",
+ "Thierry Lhermitte"
+ ],
+ "réponse": "Michel Galabru",
+ "anecdote": "Einige Filme bringen mehrere Splendid-Schauspieler zusammen, werden jedoch nicht als Splendid-Filme anerkannt."
+ },
+ {
+ "id": 17,
+ "question": "In welchem \u200b\u200bHelden ist Martin Lamotte in der Komödie « Opa ist Widerstand » ?",
+ "propositions": [
+ "Superbeständig",
+ "Super-DeGaulle",
+ "Super-Französisch",
+ "Super-Battler"
+ ],
+ "réponse": "Superbeständig",
+ "anecdote": "Der zum Kult gewordene Film bringt die Schauspieler der neuen Generation der Jahre 1970-80 und die Schauspieler der alten Generation zusammen."
+ },
+ {
+ "id": 18,
+ "question": "In welchem Stadtteil von Paris befinden sich die Hauptszenen von « La Vérité si je mens » ?",
+ "propositions": [
+ "Das Marais",
+ "Der Weg",
+ "Die Passage",
+ "Der Weg"
+ ],
+ "réponse": "Der Weg",
+ "anecdote": "Ursprünglich sollte das Drehbuch für den Film aus Michel Munz 'Buch « Rock Casher » stammen, einem Roman über den sephardischen Pfad."
+ },
+ {
+ "id": 19,
+ "question": "Welcher Charakter wurde in « Les Bronzés 3 » ein gehypter Friseur in Los Angeles ?",
+ "propositions": [
+ "Bernard",
+ "Jean-Claude",
+ "Popeye",
+ "Jérôme"
+ ],
+ "réponse": "Jean-Claude",
+ "anecdote": "Die Splendid-Truppe sollte sich ursprünglich um den Film « Astérix en Hispanie » treffen, ein vorgeschlagenes Projekt, das später aufgegeben wurde."
+ },
+ {
+ "id": 20,
+ "question": "Welcher Schauspieler interpretiert Bakari Driss Bassari im Film « Untouchables » ?",
+ "propositions": [
+ "Thomas Slivéres",
+ "Christian Ameri",
+ "Omar Sy",
+ "François Cluzet"
+ ],
+ "réponse": "Omar Sy",
+ "anecdote": "Die Geschichte ist inspiriert vom Leben des Tetraplegikers Philippe Pozzo di Borgo und seiner Beziehung zu Abdel Yasmin Sellou."
+ }
+ ],
+ "expert": [
+ {
+ "id": 21,
+ "question": "Welches Quartett von Comic-Sängern regierte über die französische Komödie der 1970er Jahre ?",
+ "propositions": [
+ "Die Charlots",
+ "Der lustige",
+ "Die Brüder Jacques",
+ "Die Ehen"
+ ],
+ "réponse": "Die Charlots",
+ "anecdote": "Gérard Filippelli und Jean Sarrus haben in allen Charlots-Filmen mitgespielt, Gérard Rinaldi in allen außer dem letzten."
+ },
+ {
+ "id": 22,
+ "question": "Wer ist Pouic-Pouic in der gleichnamigen französischen Komödie ?",
+ "propositions": [
+ "Eine Katze",
+ "Louis de Funès",
+ "Jacqueline Maillan",
+ "Ein Hahn"
+ ],
+ "réponse": "Ein Hahn",
+ "anecdote": "Der Film wurde nach dem 1952 entstandenen Stück « Sans céméronie » von Jacques Vilfrid und Jean Girault produziert."
+ },
+ {
+ "id": 23,
+ "question": "Welchen Charakter spielt Lino Ventura in « Les Tontons Flingueurs » ?",
+ "propositions": [
+ "Raoul",
+ "Francis",
+ "Gustave",
+ "Fernand"
+ ],
+ "réponse": "Fernand",
+ "anecdote": "Die bewusst versetzten Nachbildungen und Tiraden dieses Films haben viel mit seinem immensen Erfolg in der Bevölkerung zu tun."
+ },
+ {
+ "id": 24,
+ "question": "Wie heißt der berühmte Pressesprecher von « La Cité de la peur » ?",
+ "propositions": [
+ "Martine Alaplage",
+ "Odile Deray",
+ "Edith Fané",
+ "Elodie Pété"
+ ],
+ "réponse": "Odile Deray",
+ "anecdote": "Der Name Odile Deray bezieht sich auf Gilles de Rais, einen ehemaligen französischen Serienmörder, der mit dem Thema des Films verwandt ist."
+ },
+ {
+ "id": 25,
+ "question": "Welcher Schauspieler interpretiert Yvan im Film « Die Wahrheit, wenn ich lüge » ?",
+ "propositions": [
+ "Richard Anconina",
+ "Vincent Elbaz",
+ "Bruno Solo",
+ "José Garcia"
+ ],
+ "réponse": "Bruno Solo",
+ "anecdote": "Wenn Gilbert Melki ein Problem mit seinem Fernseher hat, können Sie einen kleinen Auszug aus « Raï » von Thomas Gilou sehen."
+ },
+ {
+ "id": 26,
+ "question": "Wie alt war Tanguy in dem 2001 von Etienne Chatiliez gedrehten Film ?",
+ "propositions": [
+ "28 Jahre alt",
+ "32 Jahre alt",
+ "26 Jahre alt",
+ "30 Jahre alt"
+ ],
+ "réponse": "28 Jahre alt",
+ "anecdote": "Der Familienname Tanguy wird im Volksmund verwendet, um einen jungen Erwachsenen zu bezeichnen, der gerne bei seinen Eltern lebt."
+ },
+ {
+ "id": 27,
+ "question": "Wie viele Komödien von Pierre Richard und Gérard Depardieu haben sie zusammen gespielt ?",
+ "propositions": [
+ "Fünf",
+ "Sechs",
+ "Drei",
+ "Vier"
+ ],
+ "réponse": "Drei",
+ "anecdote": "So wird Pierre Richard François Perrin in « La Chèvre » und François Pignon in « Les Compères » und « Les Fugitifs » spielen."
+ },
+ {
+ "id": 28,
+ "question": "Wie lautet der Nachname von Didier, Pascal und Bernard, den « Trois Frères » ?",
+ "propositions": [
+ "Bogdanov",
+ "Latour",
+ "Ledonjon",
+ "Karamasow"
+ ],
+ "réponse": "Latour",
+ "anecdote": "Zu Beginn des Films ist die Person, die Pascal Latour während des Vorstellungsgesprächs erhält, kein anderer als Théo Légitimus, Pascals Vater."
+ },
+ {
+ "id": 29,
+ "question": "Wer verkörpert die neurotische Geliebte von Thierry Lhermitte in « Le Dîner de cons » ?",
+ "propositions": [
+ "Catherine Frot",
+ "Alexandra Vandernoot",
+ "Josiane Balasko",
+ "Agnès Jaoui"
+ ],
+ "réponse": "Alexandra Vandernoot",
+ "anecdote": "Alexandra Vandernoot ist international am bekanntesten für ihre Rolle als Verlobte von Duncan MacLeod in der Serie « Highlander »."
+ },
+ {
+ "id": 30,
+ "question": "Welcher Schauspieler verkörpert den leiblichen Vater des Babys in « Drei Männern und ein Stubenwagen » ?",
+ "propositions": [
+ "André Dussollier",
+ "Michel Boujenah",
+ "Roland Giraud",
+ "Jean-Pierre Bacri"
+ ],
+ "réponse": "André Dussollier",
+ "anecdote": "« Drei Männer und ein Stubenwagen » sind mit mehr als zehn Millionen Zuschauern der größte Erfolg des Jahres 1985 im Kino."
+ }
+ ]
+ },
+ "es": {
+ "débutant": [
+ {
+ "id": 1,
+ "question": "¿Qué actor se encuentra junto a Christian Clavier en la película « Les anges gardiens » ?",
+ "propositions": [
+ "Gérard Depardieu",
+ "Jean Reno",
+ "Gérard Jugnot",
+ "Pierre Richard"
+ ],
+ "réponse": "Gérard Depardieu",
+ "anecdote": "A lo largo de la película, podemos observar una gran cantidad de marcas de productos, visibles o citadas."
+ },
+ {
+ "id": 2,
+ "question": "¿Cuánto deberían heredar los hermanos de la comedia francesa « Les 3 frères » ?",
+ "propositions": [
+ "100 francos",
+ "100 ladrillos",
+ "100 euros",
+ "100 papas"
+ ],
+ "réponse": "100 papas",
+ "anecdote": "Al final de la película, el cocinero huérfano los llama los Tres Reyes, que es el nombre de la película que filmarán seis años después."
+ },
+ {
+ "id": 3,
+ "question": "¿Quién es apodado mi ciervo por Louis de Funès en la mayoría de sus películas ?",
+ "propositions": [
+ "Su hermana",
+ "Su hija",
+ "Su esposa",
+ "Su madre"
+ ],
+ "réponse": "Su esposa",
+ "anecdote": "En 1984, la empresa hortícola Meilland creará una variedad de rosas en honor al actor, la rosa Louis de Funès."
+ },
+ {
+ "id": 4,
+ "question": "¿Qué personaje encarna Jamel Debbouze en « Astérix et Obélix : Mission Cléopâtre » ?",
+ "propositions": [
+ "Malococsis",
+ "Numerobis",
+ "Amonbofils",
+ "Cartapus"
+ ],
+ "réponse": "Numerobis",
+ "anecdote": "Pierre Tchernia, narrador de los dibujos animados de la franquicia, también es narrador en la película y desempeña el papel de un general romano."
+ },
+ {
+ "id": 5,
+ "question": "¿Cuál es la profesión de Christian Clavier en la comedia « Les Anges Gardiens » ?",
+ "propositions": [
+ "Patrón de cabaret",
+ "Sacerdote",
+ "Cartero",
+ "Chulo"
+ ],
+ "réponse": "Sacerdote",
+ "anecdote": "En « Les Anges Gardiens », hay muchas similitudes con « Les Visiteurs », incluida la oposición entre Tarain y su ángel."
+ },
+ {
+ "id": 6,
+ "question": "¿En qué artilugio se escapan Bourvil y de Funès al final de la película « La Grande Vadrouille » ?",
+ "propositions": [
+ "Coche",
+ "Barco",
+ "Tren",
+ "Planeador"
+ ],
+ "réponse": "Planeador",
+ "anecdote": "La película fue un éxito en Alemania, donde fue la primera comedia presentada en la pantalla dedicada a la Segunda Guerra Mundial."
+ },
+ {
+ "id": 7,
+ "question": "¿Qué actor sigue siendo el compañero inseparable de Louis de Funès en « Le Corniaud » ?",
+ "propositions": [
+ "Yves Montand",
+ "Bourvil",
+ "Fernandel",
+ "Michel Galabru"
+ ],
+ "réponse": "Bourvil",
+ "anecdote": "El 2CV estaba equipado con 250 pernos eléctricos para que se dislocara cuando la última escena de la película girara."
+ },
+ {
+ "id": 8,
+ "question": "¿En qué famoso sacerdote indisciplinado usó Fernandel la sotana ?",
+ "propositions": [
+ "Don patillo",
+ "Don Diego de la Vega",
+ "Don Corleone",
+ "Don Camillo"
+ ],
+ "réponse": "Don Camillo",
+ "anecdote": "Don Camillo es un personaje ficticio creado en 1948 por el humorista, periodista y diseñador Giovannino Guareschi."
+ },
+ {
+ "id": 9,
+ "question": "¿En qué película tiene Jean Dujardin el pelo largo y una tabla de vela amarilla ?",
+ "propositions": [
+ "Brice de Nice",
+ "99 francs",
+ "OSS 117",
+ "Cash"
+ ],
+ "réponse": "Brice de Nice",
+ "anecdote": "Apareciendo por primera vez a los ojos del público en general en un boceto televisivo, el personaje de Brice se complació espontáneamente."
+ },
+ {
+ "id": 10,
+ "question": "¿Cuál es el apellido de Pierre Richard en la película « La chèvre » de Francis Veber ?",
+ "propositions": [
+ "Perrin",
+ "Duchemin",
+ "Piñón",
+ "Tricatel"
+ ],
+ "réponse": "Perrin",
+ "anecdote": "Los papeles originalmente debían ser realizados por Ventura y Villeret, pero el primero no deseaba hacer una gira con el segundo."
+ }
+ ],
+ "confirmé": [
+ {
+ "id": 11,
+ "question": "¿Cuál de estos actores no se encuentra en « Le gendarme se marie » ?",
+ "propositions": [
+ "Christian Marin",
+ "Michel Galabru",
+ "Jean Lefebvre",
+ "Maurice Rich"
+ ],
+ "réponse": "Maurice Rich",
+ "anecdote": "El tiroteo estuvo marcado por una larga huelga provocada por los acontecimientos del 68 de mayo y por la muerte de un doble de la película."
+ },
+ {
+ "id": 12,
+ "question": "¿Quién interpreta a Jean-Claude Van Damme en la comedia « JCVD » ?",
+ "propositions": [
+ "Su hermano",
+ "Su padre",
+ "El mismo",
+ "Su hijo"
+ ],
+ "réponse": "El mismo",
+ "anecdote": "Los críticos elogian el sorprendente contra empleo de Jean-Claude Van Damme, que revela cualidades reales de actuación."
+ },
+ {
+ "id": 13,
+ "question": "¿Cuál es el apodo de un inspector encarnado por Coluche en una de sus películas ?",
+ "propositions": [
+ "La Bévue",
+ "Las rebabas",
+ "La tonteria",
+ "Quiebra"
+ ],
+ "réponse": "Las rebabas",
+ "anecdote": "Durante la realización de la película, los artistas Cabu y Didier Convard concibieron una novelización en cómics."
+ },
+ {
+ "id": 14,
+ "question": "¿Qué diploma están tratando de ganar los alumnos de la película « Les Sous-doués » ?",
+ "propositions": [
+ "BEP",
+ "Patente",
+ "Maestro",
+ "Licenciatura"
+ ],
+ "réponse": "Licenciatura",
+ "anecdote": "Después del lanzamiento de « Sous-doués en vacances » en 1982, la película pasó a llamarse repentinamente « Les Sous-doués passent le bac »."
+ },
+ {
+ "id": 15,
+ "question": "¿Cuál es el nombre de la modesta familia de « La vida es un río largo y tranquilo » ?",
+ "propositions": [
+ "Madre",
+ "Fresa",
+ "Grosella espinosa",
+ "Cereza"
+ ],
+ "réponse": "Grosella espinosa",
+ "anecdote": "La película se rodó en el verano de 1987 en varias localidades del norte : Roubaix, Lille, Tourcoing y Villeneuve-d'Ascq."
+ },
+ {
+ "id": 16,
+ "question": "¿Cuál de estos actores no es parte de la tropa Splendid ?",
+ "propositions": [
+ "Michel Galabru",
+ "Thierry Lhermitte",
+ "Christian Clavier",
+ "Martin Lamotte"
+ ],
+ "réponse": "Michel Galabru",
+ "anecdote": "Algunas películas reúnen a varios actores de Splendid pero, sin embargo, no se les acredita como películas de Splendid."
+ },
+ {
+ "id": 17,
+ "question": "¿En qué héroe está Martin Lamotte en la comedia « El abuelo es resistencia » ?",
+ "propositions": [
+ "Super-DeGaulle",
+ "Super-Battler",
+ "Súper francés",
+ "Súper resistente"
+ ],
+ "réponse": "Súper resistente",
+ "anecdote": "La película, que se ha convertido en culto, reúne a los actores de la nueva generación de los años 1970-80 y los actores de la vieja generación."
+ },
+ {
+ "id": 18,
+ "question": "¿En qué distrito de París se encuentran las escenas principales de « La Vérité si je mens » ?",
+ "propositions": [
+ "El pasaje",
+ "El rastro",
+ "El camino",
+ "El marais"
+ ],
+ "réponse": "El rastro",
+ "anecdote": "Originalmente, el guión de la película debía provenir del libro de Michel Munz, « Rock Casher », una novela sobre el Camino Sefardí."
+ },
+ {
+ "id": 19,
+ "question": "¿Qué personaje se convirtió en un estilista publicitado en Los Ángeles en « Les Bronzés 3 » ?",
+ "propositions": [
+ "Popeye",
+ "Bernard",
+ "Jérôme",
+ "Jean-Claude"
+ ],
+ "réponse": "Jean-Claude",
+ "anecdote": "Originalmente, la compañía Splendid se iba a encontrar alrededor de la película « Astérix en Hispanie », proyecto propuesto y luego abandonado."
+ },
+ {
+ "id": 20,
+ "question": "¿Qué actor interpreta a Bakari Driss Bassari en la película « Intouchables » ?",
+ "propositions": [
+ "François Cluzet",
+ "Omar Sy",
+ "Thomas Slivéres",
+ "Christian Ameri"
+ ],
+ "réponse": "Omar Sy",
+ "anecdote": "La historia está inspirada en la vida de Philippe Pozzo di Borgo, tetrapléjico, y su relación con Abdel Yasmin Sellou."
+ }
+ ],
+ "expert": [
+ {
+ "id": 21,
+ "question": "¿Qué cuarteto de cantantes cómicos reinó sobre la comedia francesa de la década de 1970 ?",
+ "propositions": [
+ "El divertido",
+ "Los marrantes",
+ "Los charlots",
+ "Los hermanos Jacques"
+ ],
+ "réponse": "Los charlots",
+ "anecdote": "Gérard Filippelli y Jean Sarrus han jugado en todas las películas de Charlots, Gérard Rinaldi en todas, excepto en la última."
+ },
+ {
+ "id": 22,
+ "question": "¿Quién es Pouic-Pouic en la comedia francesa del mismo nombre ?",
+ "propositions": [
+ "Un gallo",
+ "Un gato",
+ "Jacqueline Maillan",
+ "Louis de Funès"
+ ],
+ "réponse": "Un gallo",
+ "anecdote": "La película fue producida según la obra « Sans cérémonie » de Jacques Vilfrid y Jean Girault, creada en 1952."
+ },
+ {
+ "id": 23,
+ "question": "¿Qué personaje interpreta Lino Ventura en « Les Tontons flingueurs » ?",
+ "propositions": [
+ "Francis",
+ "Fernand",
+ "Gustave",
+ "Raoul"
+ ],
+ "réponse": "Fernand",
+ "anecdote": "Las réplicas y diatribas de esta película, deliberadamente compensadas, tienen mucho que ver con su inmenso éxito popular."
+ },
+ {
+ "id": 24,
+ "question": "¿Cómo se llama el famoso secretario de prensa de « La Cité de la peur » ?",
+ "propositions": [
+ "Martine Alaplage",
+ "Edith Fané",
+ "Odile Deray",
+ "Elodie Pété"
+ ],
+ "réponse": "Odile Deray",
+ "anecdote": "El nombre Odile Deray se refiere a Gilles de Rais, un ex asesino en serie francés, relacionado con el tema de la película."
+ },
+ {
+ "id": 25,
+ "question": "¿Qué actor interpreta a Yvan en la película « La verdad si miento » ?",
+ "propositions": [
+ "José Garcia",
+ "Richard Anconina",
+ "Bruno Solo",
+ "Vincent Elbaz"
+ ],
+ "réponse": "Bruno Solo",
+ "anecdote": "Cuando Gilbert Melki tiene un problema con su televisor, podemos ver un pequeño extracto de « Raï », de Thomas Gilou."
+ },
+ {
+ "id": 26,
+ "question": "¿Cuántos años tenía Tanguy en la película realizada en 2001 por Etienne Chatiliez ?",
+ "propositions": [
+ "28 años de edad",
+ "32 años de edad",
+ "30 años de edad",
+ "26 años de edad"
+ ],
+ "réponse": "28 años de edad",
+ "anecdote": "El apellido Tanguy se usa en el lenguaje popular para designar a un adulto joven que disfruta viviendo con sus padres."
+ },
+ {
+ "id": 27,
+ "question": "¿Cuántas comedias de Pierre Richard y Gérard Depardieu han jugado juntas ?",
+ "propositions": [
+ "Tres",
+ "Seis",
+ "Cinco",
+ "Cuatro"
+ ],
+ "réponse": "Tres",
+ "anecdote": "Así interpretará Pierre Richard a François Perrin en « La Chèvre » y François Pignon en « Les Compères » y « Les Fugitifs »."
+ },
+ {
+ "id": 28,
+ "question": "¿Cuál es el apellido de Didier, Pascal y Bernard, los « Trois Frères » ?",
+ "propositions": [
+ "Karamazov",
+ "Ledonjon",
+ "Latour",
+ "Bogdanov"
+ ],
+ "réponse": "Latour",
+ "anecdote": "Al comienzo de la película, la persona que recibe Pascal Latour durante la entrevista de trabajo no es otro que Théo Légitimus, el padre de Pascal."
+ },
+ {
+ "id": 29,
+ "question": "¿Quién encarna a la amante neurótica de Thierry Lhermitte en « Le Dîner de cons » ?",
+ "propositions": [
+ "Josiane Balasko",
+ "Catherine Frot",
+ "Agnès Jaoui",
+ "Alexandra Vandernoot"
+ ],
+ "réponse": "Alexandra Vandernoot",
+ "anecdote": "Alexandra Vandernoot es mejor conocida internacionalmente por su papel de prometida de Duncan MacLeod, en la serie « Highlander »."
+ },
+ {
+ "id": 30,
+ "question": "¿Qué actor encarna al padre biológico del bebé en « Tres hombres y una cuna » ?",
+ "propositions": [
+ "Roland Giraud",
+ "Jean-Pierre Bacri",
+ "André Dussollier",
+ "Michel Boujenah"
+ ],
+ "réponse": "André Dussollier",
+ "anecdote": "« Tres hombres y una cuna » se ha convertido en el mayor éxito del año 1985 en el cine, con más de diez millones de ingresos."
+ }
+ ]
+ },
+ "it": {
+ "débutant": [
+ {
+ "id": 1,
+ "question": "Quale attore affianca Christian Clavier nel film « Les anges gardiens » ?",
+ "propositions": [
+ "Pierre Richard",
+ "Gérard Depardieu",
+ "Gérard Jugnot",
+ "Jean Reno"
+ ],
+ "réponse": "Gérard Depardieu",
+ "anecdote": "Durante tutto il film, possiamo notare un numero molto elevato di marchi di prodotti, visibili o citati."
+ },
+ {
+ "id": 2,
+ "question": "Quanto dovrebbero ereditare i fratelli della commedia francese « Les 3 frères » ?",
+ "propositions": [
+ "100 franchi",
+ "100 euro",
+ "100 patate",
+ "100 mattoni"
+ ],
+ "réponse": "100 patate",
+ "anecdote": "Alla fine del film, il cuoco dell'orfanotrofio li chiama Tre Re, che è il nome del film che gireranno sei anni dopo."
+ },
+ {
+ "id": 3,
+ "question": "Chi è soprannominato la mia daina da Louis de Funès nella maggior parte dei suoi film ?",
+ "propositions": [
+ "Sua figlia",
+ "Sua madre",
+ "Sua moglie",
+ "Sua sorella"
+ ],
+ "réponse": "Sua moglie",
+ "anecdote": "Nel 1984, una varietà di rose verrà creata dalla società orticola Meilland in onore dell'attore, la rosa Louis de Funès."
+ },
+ {
+ "id": 4,
+ "question": "Quale personaggio è interpretato da Jamel Debbouze in « Astérix et Obélix : Mission Cléopâtre » ?",
+ "propositions": [
+ "Malococsis",
+ "Numerobis",
+ "Amonbofils",
+ "Cartapus"
+ ],
+ "réponse": "Numerobis",
+ "anecdote": "Pierre Tchernia, narratore dei cartoni in franchising, è anche un narratore nel film e interpreta il ruolo di un generale romano."
+ },
+ {
+ "id": 5,
+ "question": "Qual è la professione di Christian Clavier nella commedia « Les Anges Gardiens » ?",
+ "propositions": [
+ "Sacerdote",
+ "Postino",
+ "Lenone",
+ "Schema di cabaret"
+ ],
+ "réponse": "Sacerdote",
+ "anecdote": "In « Les Anges Gardiens », ci sono molte somiglianze con « Les Visiteurs », inclusa l'opposizione tra Tarain e il suo angelo."
+ },
+ {
+ "id": 6,
+ "question": "In quale aggeggio Bourvil e de Funès fuggono alla fine del film « La Grande Vadrouille » ?",
+ "propositions": [
+ "Aliante",
+ "Auto",
+ "Barca",
+ "Train"
+ ],
+ "réponse": "Aliante",
+ "anecdote": "Il film è stato un successo in Germania, dove è stata la prima commedia presentata sullo schermo dedicata alla seconda guerra mondiale."
+ },
+ {
+ "id": 7,
+ "question": "Quale attore rimane il partner inseparabile di Louis de Funès in « Le Corniaud » ?",
+ "propositions": [
+ "Bourvil",
+ "Michel Galabru",
+ "Fernandel",
+ "Yves Montand"
+ ],
+ "réponse": "Bourvil",
+ "anecdote": "Il 2CV era dotato di 250 bulloni elettrici in modo che si dislocasse quando girò l'ultima scena del film."
+ },
+ {
+ "id": 8,
+ "question": "In quale famoso prete indisciplinato Fernandel indossava la tonaca ?",
+ "propositions": [
+ "Don Diego de la Vega",
+ "Don Patillo",
+ "Don Corleone",
+ "Don Camillo"
+ ],
+ "réponse": "Don Camillo",
+ "anecdote": "Don Camillo è un personaggio immaginario creato nel 1948 dall'umorista, giornalista e designer Giovannino Guareschi."
+ },
+ {
+ "id": 9,
+ "question": "In quale film Jean Dujardin ha i capelli lunghi e una tavola da vela gialla ?",
+ "propositions": [
+ "99 francs",
+ "Brice de Nice",
+ "OSS 117",
+ "Cash"
+ ],
+ "réponse": "Brice de Nice",
+ "anecdote": "Apparendo per la prima volta agli occhi del grande pubblico in uno schizzo televisivo, il personaggio di Brice si è spontaneamente compiaciuto."
+ },
+ {
+ "id": 10,
+ "question": "Qual è il cognome di Pierre Richard nel film « La chèvre » di Francis Veber ?",
+ "propositions": [
+ "Perrin",
+ "Pignone",
+ "Duchemin",
+ "Tricatel"
+ ],
+ "réponse": "Perrin",
+ "anecdote": "Inizialmente i ruoli dovevano essere interpretati da Ventura e Villeret, ma i primi non volevano andare in tournée con i secondi."
+ }
+ ],
+ "confirmé": [
+ {
+ "id": 11,
+ "question": "Quale di questi attori non si trova in « Le gendarme se marie » ?",
+ "propositions": [
+ "Michel Galabru",
+ "Jean Lefebvre",
+ "Christian Marin",
+ "Maurice Rich"
+ ],
+ "réponse": "Maurice Rich",
+ "anecdote": "Le riprese sono state contrassegnate da un lungo sciopero innescato dagli eventi del 68 maggio e dalla morte di uno stuntman del film."
+ },
+ {
+ "id": 12,
+ "question": "Chi interpreta Jean-Claude Van Damme nella commedia « JCVD » ?",
+ "propositions": [
+ "Se stesso",
+ "Suo padre",
+ "Suo fratello",
+ "Suo figlio"
+ ],
+ "réponse": "Se stesso",
+ "anecdote": "I critici elogiano il sorprendente contro-lavoro di Jean-Claude Van Damme, che rivela qualità di recitazione reali."
+ },
+ {
+ "id": 13,
+ "question": "Qual è il soprannome di un ispettore incarnato da Coluche in uno dei suoi film ?",
+ "propositions": [
+ "La Bévue",
+ "Fallimento",
+ "Stupidità",
+ "The Burr"
+ ],
+ "réponse": "The Burr",
+ "anecdote": "Durante la realizzazione del film, gli artisti Cabu e Didier Convard hanno concepito una romanzo nel fumetto."
+ },
+ {
+ "id": 14,
+ "question": "Quale diploma stanno cercando di vincere gli alunni del film « Les Sous-doués » ?",
+ "propositions": [
+ "Laurea",
+ "BEP",
+ "Maestro",
+ "Brevetto"
+ ],
+ "réponse": "Laurea",
+ "anecdote": "Dopo l'uscita di « Sous-doués en vacances » nel 1982, il film è stato improvvisamente ribattezzato « Les Sous-doués passent le bac »."
+ },
+ {
+ "id": 15,
+ "question": "Qual è il nome della modesta famiglia di « Life is a long quiet river » ?",
+ "propositions": [
+ "Madre",
+ "Uva spina",
+ "Ciliegia",
+ "Fragola"
+ ],
+ "réponse": "Uva spina",
+ "anecdote": "Il film è stato girato nell'estate del 1987 in diverse località del Nord : Roubaix, Lille, Tourcoing e Villeneuve-d'Ascq."
+ },
+ {
+ "id": 16,
+ "question": "Quale di questi attori non fa parte della truppa Splendid ?",
+ "propositions": [
+ "Martin Lamotte",
+ "Michel Galabru",
+ "Thierry Lhermitte",
+ "Christian Clavier"
+ ],
+ "réponse": "Michel Galabru",
+ "anecdote": "Alcuni film riuniscono diversi attori Splendid ma non sono comunque accreditati come film Splendid."
+ },
+ {
+ "id": 17,
+ "question": "In quale eroe è Martin Lamotte nella commedia « Il nonno è resistenza » ?",
+ "propositions": [
+ "Super resistente",
+ "Super-Battler",
+ "Super-DeGaulle",
+ "Super-francese"
+ ],
+ "réponse": "Super resistente",
+ "anecdote": "Il film, che è diventato cult, riunisce gli attori della nuova generazione degli anni 1970-80 e gli attori della vecchia generazione."
+ },
+ {
+ "id": 18,
+ "question": "In quale quartiere di Parigi si trovano le scene principali di « La Vérité si je mens » ?",
+ "propositions": [
+ "Il passaggio",
+ "Il modo",
+ "Il Marais",
+ "Il sentiero"
+ ],
+ "réponse": "Il sentiero",
+ "anecdote": "In origine, la sceneggiatura del film doveva provenire dal libro di Michel Munz, « Rock Casher », un romanzo sul Sephardic Path."
+ },
+ {
+ "id": 19,
+ "question": "Quale personaggio è diventato un famoso parrucchiere a Los Angeles in « Les Bronzés 3 » ?",
+ "propositions": [
+ "Jérôme",
+ "Jean-Claude",
+ "Popeye",
+ "Bernard"
+ ],
+ "réponse": "Jean-Claude",
+ "anecdote": "La troupe Splendid doveva originariamente incontrarsi attorno al film « Astérix en Hispanie », progetto proposto poi abbandonato."
+ },
+ {
+ "id": 20,
+ "question": "Quale attore interpreta Bakari Driss Bassari nel film « Intouchables » ?",
+ "propositions": [
+ "Christian Ameri",
+ "François Cluzet",
+ "Thomas Slivéres",
+ "Omar Sy"
+ ],
+ "réponse": "Omar Sy",
+ "anecdote": "La storia è ispirata alla vita di Philippe Pozzo di Borgo, quadriplegico, e al suo rapporto con Abdel Yasmin Sellou."
+ }
+ ],
+ "expert": [
+ {
+ "id": 21,
+ "question": "Quale quartetto di cantanti comici regnava sulla commedia francese degli anni '70 ?",
+ "propositions": [
+ "The Marrants",
+ "I fratelli Jacques",
+ "Il divertente",
+ "The Charlots"
+ ],
+ "réponse": "The Charlots",
+ "anecdote": "Gérard Filippelli e Jean Sarrus hanno recitato in tutti i film di Charlots, Gérard Rinaldi in tutti tranne l'ultimo."
+ },
+ {
+ "id": 22,
+ "question": "Chi è Pouic-Pouic nell'omonima commedia francese ?",
+ "propositions": [
+ "Un gatto",
+ "Louis de Funès",
+ "Jacqueline Maillan",
+ "Un gallo"
+ ],
+ "réponse": "Un gallo",
+ "anecdote": "Il film è stato prodotto secondo la commedia « Sans cérémonie » di Jacques Vilfrid e Jean Girault, creato nel 1952."
+ },
+ {
+ "id": 23,
+ "question": "Quale personaggio è interpretato da Lino Ventura in « Les Tontons flingueurs » ?",
+ "propositions": [
+ "Fernand",
+ "Raoul",
+ "Francesco",
+ "Gustave"
+ ],
+ "réponse": "Fernand",
+ "anecdote": "Le repliche e le tirate di questo film, deliberatamente compensate, hanno molto a che fare con il suo immenso successo popolare."
+ },
+ {
+ "id": 24,
+ "question": "Qual è il nome del famoso segretario stampa di « La Cité de la peur » ?",
+ "propositions": [
+ "Elodie Pété",
+ "Odile Deray",
+ "Edith Fané",
+ "Martine Alaplage"
+ ],
+ "réponse": "Odile Deray",
+ "anecdote": "Il nome Odile Deray si riferisce a Gilles de Rais, un ex serial killer francese, legato al tema del film."
+ },
+ {
+ "id": 25,
+ "question": "Quale attore interpreta Yvan nel film « La verità se mento » ?",
+ "propositions": [
+ "Bruno Solo",
+ "Vincent Elbaz",
+ "José Garcia",
+ "Richard Anconina"
+ ],
+ "réponse": "Bruno Solo",
+ "anecdote": "Quando Gilbert Melki ha un problema con la sua televisione, puoi vedere un piccolo estratto da « Raï », di Thomas Gilou."
+ },
+ {
+ "id": 26,
+ "question": "Quanti anni aveva Tanguy nel film realizzato nel 2001 da Etienne Chatiliez ?",
+ "propositions": [
+ "28 anni",
+ "26 anni",
+ "30 anni",
+ "32 anni"
+ ],
+ "réponse": "28 anni",
+ "anecdote": "Il cognome Tanguy è usato nel linguaggio popolare per designare un giovane adulto che ama vivere con i suoi genitori."
+ },
+ {
+ "id": 27,
+ "question": "Quante commedie di Pierre Richard e Gérard Depardieu hanno recitato insieme ?",
+ "propositions": [
+ "Sei",
+ "Cinque",
+ "Quattro",
+ "Tre"
+ ],
+ "réponse": "Tre",
+ "anecdote": "È così che Pierre Richard interpreterà François Perrin in « La Chèvre » e François Pignon in « Les Compères » e « Les Fugitifs »."
+ },
+ {
+ "id": 28,
+ "question": "Qual è il cognome di Didier, Pascal e Bernard, il « Trois Frères » ?",
+ "propositions": [
+ "Ledonjon",
+ "Bogdanov",
+ "Karamazov",
+ "Latour"
+ ],
+ "réponse": "Latour",
+ "anecdote": "All'inizio del film, la persona che Pascal Latour riceve durante il colloquio di lavoro non è altro che Théo Légitimus, il padre di Pascal."
+ },
+ {
+ "id": 29,
+ "question": "Chi incarna l'amante nevrotica di Thierry Lhermitte in « Le Dîner de cons » ?",
+ "propositions": [
+ "Catherine Frot",
+ "Agnès Jaoui",
+ "Josiane Balasko",
+ "Alexandra Vandernoot"
+ ],
+ "réponse": "Alexandra Vandernoot",
+ "anecdote": "Alexandra Vandernoot è nota a livello internazionale per il suo ruolo di fidanzata di Duncan MacLeod, nella serie « Highlander »."
+ },
+ {
+ "id": 30,
+ "question": "Quale attore incarna il padre biologico del bambino in « Tre uomini e un culla » ?",
+ "propositions": [
+ "Roland Giraud",
+ "Jean-Pierre Bacri",
+ "Michel Boujenah",
+ "André Dussollier"
+ ],
+ "réponse": "André Dussollier",
+ "anecdote": "« Tre uomini e una culla » è diventato il più grande successo dell'anno 1985 nel cinema, con oltre dieci milioni di presenze."
+ }
+ ]
+ },
+ "nl": {
+ "débutant": [
+ {
+ "id": 1,
+ "question": "Welke acteur staat naast Christian Clavier in de film « Les anges gardiens » ?",
+ "propositions": [
+ "Gérard Depardieu",
+ "Pierre Richard",
+ "Jean Reno",
+ "Gérard Jugnot"
+ ],
+ "réponse": "Gérard Depardieu",
+ "anecdote": "Door de hele film heen kunnen we een zeer groot aantal merken van producten opmerken, zichtbaar of geciteerd."
+ },
+ {
+ "id": 2,
+ "question": "Hoeveel moeten de broers van de Franse komedie « Les 3 frères » erven ?",
+ "propositions": [
+ "100 aardappelen",
+ "100 frank",
+ "100 stenen",
+ "100 euro"
+ ],
+ "réponse": "100 aardappelen",
+ "anecdote": "Aan het einde van de film noemt de weeskok ze de Three Kings, wat de naam is van de film die ze zes jaar later zullen opnemen."
+ },
+ {
+ "id": 3,
+ "question": "Wie wordt in de meeste van zijn films mijn bijnaam gegeven door Louis de Funès ?",
+ "propositions": [
+ "Zijn dochter",
+ "Zijn zus",
+ "Zijn vrouw",
+ "Zijn moeder"
+ ],
+ "réponse": "Zijn vrouw",
+ "anecdote": "In 1984 zal door tuinbouwbedrijf Meilland een variëteit aan rozen worden gemaakt ter ere van de acteur, de roos Louis de Funès."
+ },
+ {
+ "id": 4,
+ "question": "Welk personage wordt belichaamd door Jamel Debbouze in « Astérix et Obélix : Mission Cléopâtre » ?",
+ "propositions": [
+ "Malococsis",
+ "Numerobis",
+ "Amonbofils",
+ "Cartapus"
+ ],
+ "réponse": "Numerobis",
+ "anecdote": "Pierre Tchernia, verteller van de franchisecartoons, is ook een verteller in de film en speelt de rol van een Romeinse generaal."
+ },
+ {
+ "id": 5,
+ "question": "Wat is het beroep van Christian Clavier in de komedie « Les Anges Gardiens » ?",
+ "propositions": [
+ "Postbode",
+ "Cabaret patroon",
+ "Priester",
+ "Pooier"
+ ],
+ "réponse": "Priester",
+ "anecdote": "In « Les Anges Gardiens » zijn er veel overeenkomsten met « Les Visiteurs », waaronder de oppositie tussen Tarain en zijn engel."
+ },
+ {
+ "id": 6,
+ "question": "In welk ding ontsnappen Bourvil en de Funès aan het einde van de film « La Grande Vadrouille » ?",
+ "propositions": [
+ "Auto",
+ "Trein",
+ "Zweefvliegtuig",
+ "Boot"
+ ],
+ "réponse": "Zweefvliegtuig",
+ "anecdote": "De film was een succes in Duitsland, waar het de eerste komedie was die op het scherm werd gewijd aan de Tweede Wereldoorlog."
+ },
+ {
+ "id": 7,
+ "question": "Welke acteur blijft de onafscheidelijke partner van Louis de Funès in « Le Corniaud » ?",
+ "propositions": [
+ "Fernandel",
+ "Michel Galabru",
+ "Bourvil",
+ "Yves Montand"
+ ],
+ "réponse": "Bourvil",
+ "anecdote": "De 2CV was voorzien van 250 elektrische bouten zodat hij uit de kom raakte toen de laatste scène in de film draaide."
+ },
+ {
+ "id": 8,
+ "question": "In welke beroemde ongedisciplineerde priester droeg Fernandel de soutane ?",
+ "propositions": [
+ "Don Camillo",
+ "Don Patillo",
+ "Don Corleone",
+ "Don Diego de la Vega"
+ ],
+ "réponse": "Don Camillo",
+ "anecdote": "Don Camillo is een fictief personage dat in 1948 is gemaakt door de humorist, journalist en ontwerper Giovannino Guareschi."
+ },
+ {
+ "id": 9,
+ "question": "In welke film heeft Jean Dujardin lang haar en een gele zeilplank ?",
+ "propositions": [
+ "Brice de Nice",
+ "99 francs",
+ "OSS 117",
+ "Cash"
+ ],
+ "réponse": "Brice de Nice",
+ "anecdote": "Het personage van Brice verscheen voor de eerste keer in de ogen van het grote publiek in een televisieschets spontaan."
+ },
+ {
+ "id": 10,
+ "question": "Wat is de familienaam van Pierre Richard in de film « La chèvre » van Francis Veber ?",
+ "propositions": [
+ "Perrin",
+ "Rondsel",
+ "Duchemin",
+ "Tricatel"
+ ],
+ "réponse": "Perrin",
+ "anecdote": "De rollen zouden oorspronkelijk in handen zijn van Ventura en Villeret, maar de eerste wilde niet met de laatste toeren."
+ }
+ ],
+ "confirmé": [
+ {
+ "id": 11,
+ "question": "Welke van deze acteurs komt niet voor in « Le gendarme se marie » ?",
+ "propositions": [
+ "Jean Lefebvre",
+ "Michel Galabru",
+ "Christian Marin",
+ "Maurice Rich"
+ ],
+ "réponse": "Maurice Rich",
+ "anecdote": "De schietpartij werd gekenmerkt door een lange staking veroorzaakt door de gebeurtenissen van 68 mei en door de dood van een stuntman uit de film."
+ },
+ {
+ "id": 12,
+ "question": "Wie speelt Jean-Claude Van Damme in de komedie « JCVD » ?",
+ "propositions": [
+ "Zijn broer",
+ "Zijn vader",
+ "Haar zoon",
+ "Zelf"
+ ],
+ "réponse": "Zelf",
+ "anecdote": "Critici prijzen de verrassende tegenarbeid van Jean-Claude Van Damme, die echte acteerkwaliteiten laat zien."
+ },
+ {
+ "id": 13,
+ "question": "Wat is de bijnaam van een inspecteur die Coluche belichaamt in een van zijn films ?",
+ "propositions": [
+ "The Burr",
+ "Domheid",
+ "La Bévue",
+ "Faillissement"
+ ],
+ "réponse": "The Burr",
+ "anecdote": "Tijdens het maken van de film werd een stripvernieuwing ontworpen door de kunstenaars Cabu en Didier Convard."
+ },
+ {
+ "id": 14,
+ "question": "Welk diploma proberen de leerlingen uit de film « Les Sous-doués » te winnen ?",
+ "propositions": [
+ "Meester",
+ "Octrooi",
+ "Bachelor",
+ "BEP"
+ ],
+ "réponse": "Bachelor",
+ "anecdote": "Na de release van de « Sous-doués en vacances » in 1982, werd de film plotseling omgedoopt tot « Les Sous-doués passent le bac »."
+ },
+ {
+ "id": 15,
+ "question": "Wat is de naam van de bescheiden familie van « Life is a long quiet river » ?",
+ "propositions": [
+ "Aardbei",
+ "Moeder",
+ "Kers",
+ "Kruisbes"
+ ],
+ "réponse": "Kruisbes",
+ "anecdote": "De film is in de zomer van 1987 op verschillende plaatsen in het noorden opgenomen : Roubaix, Lille, Tourcoing en Villeneuve-d'Ascq."
+ },
+ {
+ "id": 16,
+ "question": "Welke van deze acteurs maakt geen deel uit van de Splendid-troep ?",
+ "propositions": [
+ "Martin Lamotte",
+ "Christian Clavier",
+ "Thierry Lhermitte",
+ "Michel Galabru"
+ ],
+ "réponse": "Michel Galabru",
+ "anecdote": "Sommige films brengen verschillende Splendid-acteurs samen, maar worden niet genoemd als Splendid-films."
+ },
+ {
+ "id": 17,
+ "question": "In welke held speelt Martin Lamotte in de komedie « Opa is verzet » ?",
+ "propositions": [
+ "Super-Battler",
+ "Super-DeGaulle",
+ "Super-Frans",
+ "Superbestendig"
+ ],
+ "réponse": "Superbestendig",
+ "anecdote": "De film is een cultus geworden en brengt de acteurs van de nieuwe generatie van de jaren 1970-80 en de acteurs van de oude generatie samen."
+ },
+ {
+ "id": 18,
+ "question": "In welke wijk van Parijs zijn de hoofdscënes van « La Vérité si je mens » ?",
+ "propositions": [
+ "De Marais",
+ "De weg",
+ "The Trail",
+ "De passage"
+ ],
+ "réponse": "The Trail",
+ "anecdote": "Oorspronkelijk zou het script voor de film afkomstig zijn van Michel Munz 'boek « Rock Casher », een roman over het Sefardische pad."
+ },
+ {
+ "id": 19,
+ "question": "Welk personage werd in « Les Bronzés 3 » een gehypte haarstylist in Los Angeles ?",
+ "propositions": [
+ "Jérôme",
+ "Popeye",
+ "Jean-Claude",
+ "Bernard"
+ ],
+ "réponse": "Jean-Claude",
+ "anecdote": "De Splendid-groep zou oorspronkelijk samenkomen rond de film « Astérix en Hispanie », het voorgestelde project en later verlaten."
+ },
+ {
+ "id": 20,
+ "question": "Welke acteur interpreteert Bakari Driss Bassari in de film « Intouchables » ?",
+ "propositions": [
+ "Thomas Slivéres",
+ "François Cluzet",
+ "Omar Sy",
+ "Christian Ameri"
+ ],
+ "réponse": "Omar Sy",
+ "anecdote": "Het verhaal is geïnspireerd op het leven van Philippe Pozzo di Borgo, verlamd, en zijn relatie met Abdel Yasmin Sellou."
+ }
+ ],
+ "expert": [
+ {
+ "id": 21,
+ "question": "Welk kwartet van komische zangers regeerde over de Franse komedie uit de jaren zeventig ?",
+ "propositions": [
+ "De Marrants",
+ "De Charlots",
+ "De gebroeders Jacques",
+ "De grappige"
+ ],
+ "réponse": "De Charlots",
+ "anecdote": "Gérard Filippelli en Jean Sarrus hebben in alle Charlots-films gespeeld, Gérard Rinaldi in alle films behalve de laatste."
+ },
+ {
+ "id": 22,
+ "question": "Wie is Pouic-Pouic in de Franse komedie met dezelfde naam ?",
+ "propositions": [
+ "Jacqueline Maillan",
+ "Een kat",
+ "Een haan",
+ "Louis de Funès"
+ ],
+ "réponse": "Een haan",
+ "anecdote": "De film is geproduceerd volgens het toneelstuk « Sans cérémonie » van Jacques Vilfrid en Jean Girault, gemaakt in 1952."
+ },
+ {
+ "id": 23,
+ "question": "Welk personage wordt gespeeld door Lino Ventura in « Les Tontons flingueurs » ?",
+ "propositions": [
+ "Raoul",
+ "Gustave",
+ "Francis",
+ "Fernand"
+ ],
+ "réponse": "Fernand",
+ "anecdote": "De replica's en tirades van deze film, opzettelijk gecompenseerd, hebben veel te maken met het immense populaire succes."
+ },
+ {
+ "id": 24,
+ "question": "Hoe heet de beroemde perssecretaris van « La Cité de la peur » ?",
+ "propositions": [
+ "Martine Alaplage",
+ "Odile Deray",
+ "Edith Fané",
+ "Elodie Pété"
+ ],
+ "réponse": "Odile Deray",
+ "anecdote": "De naam Odile Deray verwijst naar Gilles de Rais, een voormalige Franse seriemoordenaar, gerelateerd aan het thema van de film."
+ },
+ {
+ "id": 25,
+ "question": "Welke acteur interpreteert Yvan in de film « De waarheid als ik lieg » ?",
+ "propositions": [
+ "Richard Anconina",
+ "Bruno Solo",
+ "José Garcia",
+ "Vincent Elbaz"
+ ],
+ "réponse": "Bruno Solo",
+ "anecdote": "Als Gilbert Melki een probleem heeft met zijn televisie, zie je een klein fragment uit « Raï » van Thomas Gilou."
+ },
+ {
+ "id": 26,
+ "question": "Hoe oud was Tanguy in de film die Etienne Chatiliez in 2001 maakte ?",
+ "propositions": [
+ "26 jaar",
+ "32 jaar",
+ "30 jaar oud",
+ "28 jaar"
+ ],
+ "réponse": "28 jaar",
+ "anecdote": "De achternaam Tanguy wordt in de volksmond gebruikt om een jonge volwassene aan te duiden die graag bij zijn ouders woont."
+ },
+ {
+ "id": 27,
+ "question": "Hoeveel komedies van Pierre Richard en Gérard Depardieu hebben ze samen gespeeld ?",
+ "propositions": [
+ "Zes",
+ "Vier",
+ "Drie",
+ "Vijf"
+ ],
+ "réponse": "Drie",
+ "anecdote": "Zo interpreteert Pierre Richard François Perrin in « La Chèvre » en François Pignon in « Les Compères » en « Les Fugitifs »."
+ },
+ {
+ "id": 28,
+ "question": "Wat is de achternaam van Didier, Pascal en Bernard, de « Trois Frères » ?",
+ "propositions": [
+ "Ledonjon",
+ "Karamazov",
+ "Bogdanov",
+ "Latour"
+ ],
+ "réponse": "Latour",
+ "anecdote": "Aan het begin van de film is de persoon die Pascal Latour tijdens het sollicitatiegesprek ontvangt niemand minder dan Théo Légitimus, de vader van Pascal."
+ },
+ {
+ "id": 29,
+ "question": "Wie belichaamt de neurotische minnares van Thierry Lhermitte in « Le Dîner de cons » ?",
+ "propositions": [
+ "Agnès Jaoui",
+ "Alexandra Vandernoot",
+ "Josiane Balasko",
+ "Catherine Frot"
+ ],
+ "réponse": "Alexandra Vandernoot",
+ "anecdote": "Alexandra Vandernoot is internationaal het meest bekend om haar rol als verloofde van Duncan MacLeod, in de serie « Highlander »."
+ },
+ {
+ "id": 30,
+ "question": "Welke acteur belichaamt de biologische vader van de baby in « Drie mannen en een wieg » ?",
+ "propositions": [
+ "André Dussollier",
+ "Roland Giraud",
+ "Jean-Pierre Bacri",
+ "Michel Boujenah"
+ ],
+ "réponse": "André Dussollier",
+ "anecdote": "« Drie mannen en een wieg » is het grootste succes van het jaar 1985 geworden in de bioscoop, met meer dan tien miljoen opnames."
+ }
+ ]
+ }
+ }
+}
\ No newline at end of file
diff --git a/misc/quiz/openquizzdb/culture-generale-2.json b/misc/quiz/openquizzdb/culture-generale-2.json
new file mode 100644
index 0000000..7d089e4
--- /dev/null
+++ b/misc/quiz/openquizzdb/culture-generale-2.json
@@ -0,0 +1,2250 @@
+{
+ "fournisseur": "OpenQuizzDB - Fournisseur de contenu libre (https://www.openquizzdb.org)",
+ "licence": "CC BY-SA",
+ "rédacteur": "Philippe Bresoux",
+ "difficulté": "3 / 5",
+ "version": 1,
+ "mise-à-jour": "2024-04-04",
+ "catégorie-nom-slogan": {
+ "fr": {
+ "catégorie": "Culture générale",
+ "nom": "Culture en vrac #2",
+ "slogan": "De la culture à tous les niveaux"
+ },
+ "en": {
+ "catégorie": "General knowledge",
+ "nom": "Bulk culture #2",
+ "slogan": "General culture at all levels"
+ },
+ "es": {
+ "catégorie": "Cultura general",
+ "nom": "Cultivo a granel #2",
+ "slogan": "Cultura general a todos los niveles"
+ },
+ "it": {
+ "catégorie": "Cultura generale",
+ "nom": "Cultura di massa #2",
+ "slogan": "Cultura generale a tutti i livelli"
+ },
+ "de": {
+ "catégorie": "Allgemeine Kultur",
+ "nom": "Massenkultur #2",
+ "slogan": "Allgemeine Kultur auf allen Ebenen"
+ },
+ "nl": {
+ "catégorie": "Algemene cultuur",
+ "nom": "Bulkcultuur #2",
+ "slogan": "Algemene cultuur op alle niveaus"
+ }
+ },
+ "quizz": {
+ "fr": {
+ "débutant": [
+ {
+ "id": 1,
+ "question": "Quel acteur, chanteur et humoriste aimé des français s'appelait André Raimbourg ?",
+ "propositions": [
+ "Coluche",
+ "Rufus",
+ "Bourvil",
+ "Fernandel"
+ ],
+ "réponse": "Bourvil",
+ "anecdote": "Bourvil a reçu le prix du meilleur acteur du festival de Venise pour son rôle dans le film « La Traversée de Paris » de Claude Autant-Lara."
+ },
+ {
+ "id": 2,
+ "question": "Quel fromage représente, avec la baguette et le béret, l'image traditionnelle des Français ?",
+ "propositions": [
+ "Babybel",
+ "Boursin",
+ "Fourme",
+ "Camembert"
+ ],
+ "réponse": "Camembert",
+ "anecdote": "Symbole de son aura, il existe dans le monde entier des collectionneurs de boîtes de camembert appelés tyrosémiophiles."
+ },
+ {
+ "id": 3,
+ "question": "Qui a interprété « L'Homme de la Mancha » aux côtés de Dario Moreno ?",
+ "propositions": [
+ "Jacques Brel",
+ "Pierre Rapsat",
+ "Salvatore Adamo",
+ "Christian Vidal"
+ ],
+ "réponse": "Jacques Brel",
+ "anecdote": "Fort de l'immense succès de Bruxelles, le spectacle est repris au théâtre des Champs-Élysées à Paris dès décembre 1968."
+ },
+ {
+ "id": 4,
+ "question": "Quel roman a souvent été décrit comme le plus représentatif des années folles ?",
+ "propositions": [
+ "David Copperfield",
+ "Germinal",
+ "Gatsby le Magnifique",
+ "Moby Dick"
+ ],
+ "réponse": "Gatsby le Magnifique",
+ "anecdote": "Le public n'a pas bien accueilli ce roman : sur les 75 000 ventes escomptées, 24 000 exemplaires furent vendus à sa sortie."
+ },
+ {
+ "id": 5,
+ "question": "En entomologie, quel insecte est parfois désigné comme demoiselle ?",
+ "propositions": [
+ "Libellule",
+ "Coccinelle",
+ "Moustique",
+ "Mouche"
+ ],
+ "réponse": "Libellule",
+ "anecdote": "On les distingue des libellules au sens strict, surtout par leur corps plus grêle et leurs ailes généralement repliées au repos."
+ },
+ {
+ "id": 6,
+ "question": "Dans quel océan pouvez-vous vous baigner si vous voyagez en Argentine ?",
+ "propositions": [
+ "Indien",
+ "Pacifique",
+ "Arctique",
+ "Atlantique"
+ ],
+ "réponse": "Atlantique",
+ "anecdote": "Le climat est typique de façade orientale des continents, subtropical humide dans le nord et subantarctique dans l'extrême sud du pays."
+ },
+ {
+ "id": 7,
+ "question": "La saignée a peu à peu médicalement remplacé quel hermaphrodite ?",
+ "propositions": [
+ "Sangsue",
+ "Escargot",
+ "Lombric",
+ "Cochenille"
+ ],
+ "réponse": "Sangsue",
+ "anecdote": "Certaines espèces font l'objet d'un usage médicinal mais la diversité des sangsues est encore aujourd'hui mal connue dans le monde."
+ },
+ {
+ "id": 8,
+ "question": "Comment fut aussi appelé le mercure jusqu'au début du XIXe siècle ?",
+ "propositions": [
+ "Gallium",
+ "Étain",
+ "Vif-argent",
+ "Radon"
+ ],
+ "réponse": "Vif-argent",
+ "anecdote": "Le mercure, de symbole Hg, a longtemps été utilisé dans les thermomètres et les batteries avant d'être interdit en 1999."
+ },
+ {
+ "id": 9,
+ "question": "Quel pays a perdu environ quinze pourcents de sa population entre 1939 et 1945 ?",
+ "propositions": [
+ "Luxembourg",
+ "Tchécoslovaquie",
+ "Pologne",
+ "Norvège"
+ ],
+ "réponse": "Pologne",
+ "anecdote": "L'invasion de la Pologne orientale par l'Armée rouge le 17 septembre 1939 asséna un coup fatal au plan de défense polonais."
+ },
+ {
+ "id": 10,
+ "question": "Le tigre à dents de sabre (ou smilodon) est aujourd'hui une espèce...",
+ "propositions": [
+ "Disparue",
+ "Menacée",
+ "Protégée",
+ "Légendaire"
+ ],
+ "réponse": "Disparue",
+ "anecdote": "Semblable au lion, le smilodon était caractérisé par ses longues canines supérieures émergeant devant la mâchoire inférieure."
+ }
+ ],
+ "confirmé": [
+ {
+ "id": 11,
+ "question": "Quel est le diamètre approximatif de la place Charles-de-Gaulle à Paris ?",
+ "propositions": [
+ "160 m",
+ "240 m",
+ "280 m",
+ "200 m"
+ ],
+ "réponse": "240 m",
+ "anecdote": "Encore très connue sous son ancien nom (place de l'Étoile), cette place fut officiellement rebaptisée le 13 novembre 1970."
+ },
+ {
+ "id": 12,
+ "question": "Les USA sont entrés en guerre en 1915 suite au torpillage de quel paquebot ?",
+ "propositions": [
+ "Lusitania",
+ "France",
+ "Queen Elisabeth",
+ "Titanic"
+ ],
+ "réponse": "Lusitania",
+ "anecdote": "Le RMS Lusitania fut torpillé par un sous-marin allemand U-20, le 7 mai 1915, au large de l'Irlande, avec 1 200 passagers à bord."
+ },
+ {
+ "id": 13,
+ "question": "Sur un planisphère, de quel côté se situe le mont Blanc par rapport au lac Léman ?",
+ "propositions": [
+ "Ouest",
+ "Sud",
+ "Est",
+ "Nord"
+ ],
+ "réponse": "Sud",
+ "anecdote": "Le Léman ou lac de Genève est traversé d'est en ouest par le Rhône qui constitue le principal affluent du lac."
+ },
+ {
+ "id": 14,
+ "question": "Quel célèbre peintre florentin a habité le manoir du Cloux, à Amboise ?",
+ "propositions": [
+ "Bernardo Daddi",
+ "Léonard de Vinci",
+ "Valerio Cigoli",
+ "Filippino Lippi"
+ ],
+ "réponse": "Léonard de Vinci",
+ "anecdote": "C'est François 1er qui le mettra à la disposition de Léonard de Vinci qui y vivra trois ans, jusqu'à sa mort le 2 mai 1519."
+ },
+ {
+ "id": 15,
+ "question": "Laquelle de ces tragédies n'a pas été écrite par William Shakespeare ?",
+ "propositions": [
+ "César et Rosalie",
+ "Le Roi Lear",
+ "Antoine et Cléopâtre",
+ "Roméo et Juliette"
+ ],
+ "réponse": "César et Rosalie",
+ "anecdote": "Shakespeare est réputé pour sa maîtrise des formes poétiques et sa capacité à représenter les aspects de la nature humaine."
+ },
+ {
+ "id": 16,
+ "question": "Laquelle de ces professions Beaumarchais n'a-t-il pas exercé ?",
+ "propositions": [
+ "Négrier",
+ "Musicien",
+ "Espion",
+ "Pâtissier"
+ ],
+ "réponse": "Pâtissier",
+ "anecdote": "Figure importante du siècle des Lumières, Beaumarchais est estimé comme un des annonciateurs de la Révolution française."
+ },
+ {
+ "id": 17,
+ "question": "Comment se prénomme le valet de D'Artagnan créé par Alexandre Dumas ?",
+ "propositions": [
+ "Planchet",
+ "Dantès",
+ "Sancho",
+ "Carlos"
+ ],
+ "réponse": "Planchet",
+ "anecdote": "Bien que traité occasionnellement comme un personnage comique, Planchet se montre un serviteur efficace, intelligent et très dévoué."
+ },
+ {
+ "id": 18,
+ "question": "Quelle chanteuse s'est donné « 2 minutes 35 de bonheur » en 1967 ?",
+ "propositions": [
+ "Alice Dona",
+ "Françoise Hardy",
+ "Brigitte Bardot",
+ "Sylvie Vartan"
+ ],
+ "réponse": "Sylvie Vartan",
+ "anecdote": "« 2'35 de bonheur » est le sixième album de Sylvie Vartan, sorti en LP 33 tours en 1967 et chanté aux côtés de son ami Carlos."
+ },
+ {
+ "id": 19,
+ "question": "Quel journal a longtemps été l'organe officiel du Parti Communiste Français ?",
+ "propositions": [
+ "Le Figaro",
+ "L'Opinion",
+ "L'Humanité",
+ "Libération"
+ ],
+ "réponse": "L'Humanité",
+ "anecdote": "Comme de nombreux titres de la presse écrite, le journal fondé par Jean Jaurès bénéficie de subventions de la part de l'État français."
+ },
+ {
+ "id": 20,
+ "question": "Qui Marlon Brando séduit-il dans « Le Dernier Tango à Paris » ?",
+ "propositions": [
+ "Maria Schneider",
+ "Anna Magnani",
+ "Joanne Woodward",
+ "Eva Marie Saint"
+ ],
+ "réponse": "Maria Schneider",
+ "anecdote": "Le réalisateur avait fait le rêve de rencontrer une femme dans la rue et d'avoir avec elle un rapport sexuel sans connaître son nom."
+ }
+ ],
+ "expert": [
+ {
+ "id": 21,
+ "question": "Qui incarne la première femme sur terre dans la mythologie grecque ?",
+ "propositions": [
+ "Psyché",
+ "Eurydice",
+ "Pandore",
+ "Séléné"
+ ],
+ "réponse": "Pandore",
+ "anecdote": "La boîte de Pandore contenait notamment la Vieillesse, la Maladie, la Guerre, la Famine, la Misère, la Folie, la Mort et le Vice."
+ },
+ {
+ "id": 22,
+ "question": "Dans quel pays consomme-t-on annuellement le plus de pommes de terre par habitant ?",
+ "propositions": [
+ "Allemagne",
+ "Russie",
+ "Inde",
+ "France"
+ ],
+ "réponse": "Russie",
+ "anecdote": "La pomme de terre est un aliment relativement riche en amidon et parfois considéré comme un féculent."
+ },
+ {
+ "id": 23,
+ "question": "Avec laquelle de ses épouses Clark Gable a-t-il déclaré avoir été le plus heureux ?",
+ "propositions": [
+ "Kay Williams",
+ "Josephine Dillon",
+ "Carole Lombard",
+ "Sylvia Ashley"
+ ],
+ "réponse": "Carole Lombard",
+ "anecdote": "Après son accident d'avion, Carole Lombard deviendra la première femme américaine victime de la Seconde Guerre mondiale."
+ },
+ {
+ "id": 24,
+ "question": "Quel code binaire est aussi appelé code télégraphique Alphabet International ?",
+ "propositions": [
+ "Sémaphore",
+ "Code morse",
+ "Code Chappe",
+ "Code Baudot"
+ ],
+ "réponse": "Code Baudot",
+ "anecdote": "Ce code inventé en 1877, bien que plus riche que le code Morse, ne traite pas les minuscules ni certains symboles."
+ },
+ {
+ "id": 25,
+ "question": "Dans quel pays peut-on manger du maniçoba servi avec du riz ?",
+ "propositions": [
+ "Brésil",
+ "Inde",
+ "Sénégal",
+ "Vietnam"
+ ],
+ "réponse": "Brésil",
+ "anecdote": "Ce plat festif est fait avec des feuilles de la plante Manioc qui ont été finement broyées et bouillies pendant une semaine."
+ },
+ {
+ "id": 26,
+ "question": "Quel élément possède le plus haut point de fusion de tous les métaux ?",
+ "propositions": [
+ "Nickel",
+ "Tungstène",
+ "Platine",
+ "Or"
+ ],
+ "réponse": "Tungstène",
+ "anecdote": "Le tungstène pur est un métal dur allant du gris acier au blanc étain que l'on peut couper à l'aide d'une scie à métaux."
+ },
+ {
+ "id": 27,
+ "question": "Quel romancier s'est suicidé au cyanure quai Voltaire, à Paris ?",
+ "propositions": [
+ "Butor",
+ "Malraux",
+ "Hemingway",
+ "Montherlant"
+ ],
+ "réponse": "Montherlant",
+ "anecdote": "À sa mort en 1972, Montherlant laissera un mot à Jean-Claude Barat, son légataire universel : « Je deviens aveugle. Je me tue »."
+ },
+ {
+ "id": 28,
+ "question": "Jeanne Chauvin fut la première femme en France à exercer quel métier ?",
+ "propositions": [
+ "Pharmacienne",
+ "Banquière",
+ "Ministre",
+ "Avocate"
+ ],
+ "réponse": "Avocate",
+ "anecdote": "Depuis 2017, la bibliothèque de la faculté de droit de l'université publique Paris-Descartes porte le nom de Jeanne Chauvin."
+ },
+ {
+ "id": 29,
+ "question": "Quelle rivière est aussi le plus long affluent du fleuve Mississippi ?",
+ "propositions": [
+ "Missouri",
+ "Wisconsin",
+ "Arkansas",
+ "Minnesota"
+ ],
+ "réponse": "Missouri",
+ "anecdote": "Le Missouri est surnommé Big Muddy car ses eaux charrient du limon visible à son point de confluence avec le Mississippi."
+ },
+ {
+ "id": 30,
+ "question": "Quel célèbre homme politique français est né la même année que Jean-Paul II ?",
+ "propositions": [
+ "Raymond Barre",
+ "François Mitterrand",
+ "Jacques Chirac",
+ "Georges Marchais"
+ ],
+ "réponse": "Georges Marchais",
+ "anecdote": "Le pape Jean-Paul II est généralement considéré par beaucoup comme l'un des meneurs politiques les plus influents du XXe siècle."
+ }
+ ]
+ },
+ "en": {
+ "débutant": [
+ {
+ "id": 1,
+ "question": "Which actor, singer and comedian loved by French was actually called André Raimbourg ?",
+ "propositions": [
+ "Bourvil",
+ "Fernandel",
+ "Rufus",
+ "Coluche"
+ ],
+ "réponse": "Bourvil",
+ "anecdote": "Bourvil received the award for Best Actor at the Venice Film Festival for his role in Claude Autant-Lara's film « La Traversée de Paris »."
+ },
+ {
+ "id": 2,
+ "question": "Which cheese represents, with the stick and the bêt, the traditional image of the French ?",
+ "propositions": [
+ "Babybel",
+ "Camembert",
+ "Boursin",
+ "Fourme"
+ ],
+ "réponse": "Camembert",
+ "anecdote": "Symbol of its aura, there are collectors of camembert boxes called tyrosemophiles."
+ },
+ {
+ "id": 3,
+ "question": "Who interpreted « Man of the Mancha » to the side of Dario Moreno ?",
+ "propositions": [
+ "Christian Vidal",
+ "Jacques Brel",
+ "Pierre Rapsat",
+ "Salvatore Adamo"
+ ],
+ "réponse": "Jacques Brel",
+ "anecdote": "With the immense success of Brussels, the show is repeated at the Champs-Élysées theater in Paris in December 1968."
+ },
+ {
+ "id": 4,
+ "question": "Which novel has often been described as the most representative of the crazy years ?",
+ "propositions": [
+ "Germinal",
+ "Moby Dick",
+ "David Copperfield",
+ "Gatsby the Magnificent"
+ ],
+ "réponse": "Gatsby the Magnificent",
+ "anecdote": "The public did not welcome this novel: of the 75,000 sales expected, 24,000 copies were sold when it was released."
+ },
+ {
+ "id": 5,
+ "question": "In entomology, what insect is sometimes referred to as damsel ?",
+ "propositions": [
+ "Fly",
+ "Mosquito",
+ "Ladybug",
+ "Dragonfly"
+ ],
+ "réponse": "Dragonfly",
+ "anecdote": "They are distinguished from the dragonflies in the strict sense, especially by their heavier bodies and their wings generally folded at rest."
+ },
+ {
+ "id": 6,
+ "question": "In what ocean can you swim if you travel to Argentina ?",
+ "propositions": [
+ "Arctic",
+ "Atlantic",
+ "Pacific",
+ "Indian"
+ ],
+ "réponse": "Atlantic",
+ "anecdote": "The climate is typical of the eastern facade of the continents, humid subtropical in the north and sub-Antarctic in the extreme south of the country."
+ },
+ {
+ "id": 7,
+ "question": "Bleeding has gradually medically replaced what hermaphrodite ?",
+ "propositions": [
+ "Leech",
+ "Snail",
+ "Earthworm",
+ "Cochineal"
+ ],
+ "réponse": "Leech",
+ "anecdote": "Some species are subject to medicinal use but the diversity of leeches is still poorly known today in the world."
+ },
+ {
+ "id": 8,
+ "question": "How was mercury also called until the beginning of the nineteenth century ?",
+ "propositions": [
+ "Earthenware",
+ "Gallium",
+ "Quicksilver",
+ "Radon"
+ ],
+ "réponse": "Quicksilver",
+ "anecdote": "Mercury, symbol Hg, has long been used in thermometers and batteries before being banned in 1999."
+ },
+ {
+ "id": 9,
+ "question": "Which country lost about fifteen percent of its population between 1939 and 1945 ?",
+ "propositions": [
+ "Norway",
+ "Czechoslovakia",
+ "Poland",
+ "Luxembourg"
+ ],
+ "réponse": "Poland",
+ "anecdote": "The invasion of Eastern Poland by the Red Army on September 17, 1939, dealt a fatal blow to the Polish defense plan."
+ },
+ {
+ "id": 10,
+ "question": "The saber-toothed tiger (or smilodon) is today a species...",
+ "propositions": [
+ "Protected",
+ "Extinct",
+ "Threatened",
+ "Legendary"
+ ],
+ "réponse": "Extinct",
+ "anecdote": "Like the lion, the smilodon was characterized by its long upper canines emerging in front of the lower jaw."
+ }
+ ],
+ "confirmé": [
+ {
+ "id": 11,
+ "question": "What is the approximate diameter of Place Charles-de-Gaulle in Paris ?",
+ "propositions": [
+ "160 m",
+ "200 m",
+ "240 m",
+ "280 m"
+ ],
+ "réponse": "240 m",
+ "anecdote": "Still very famous under its former name (Place de l'Etang), this place was officially renamed on November 13, 1970."
+ },
+ {
+ "id": 12,
+ "question": "The US entered the war in 1915 following the torpedoing of which ship ?",
+ "propositions": [
+ "Titanic",
+ "Lusitania",
+ "Queen Elisabteth",
+ "France"
+ ],
+ "réponse": "Lusitania",
+ "anecdote": "RMS Lusitania was torpedoed by a German U-20 submarine on May 7, 1915, off Ireland, with 1,200 passengers on board."
+ },
+ {
+ "id": 13,
+ "question": "On a world map, which side is Mont Blanc in relation to Lake Geneva ?",
+ "propositions": [
+ "South",
+ "North",
+ "East",
+ "West"
+ ],
+ "réponse": "South",
+ "anecdote": "Le Leman or Geneva Lake is crossed from east to west by the Rhine which is the main tributary of the lake."
+ },
+ {
+ "id": 14,
+ "question": "What famous Florentine painter lived in the Cloux manor, in Amboise ?",
+ "propositions": [
+ "Leonardo da Vinci",
+ "Bernardo Daddi",
+ "Filippino Lippi",
+ "Valerio Cigoli"
+ ],
+ "réponse": "Leonardo da Vinci",
+ "anecdote": "It is Francis I who will put it at the disposal of Leonardo da Vinci who will live there three years, until his death on May 2, 1519."
+ },
+ {
+ "id": 15,
+ "question": "Which of these tragedies was not written by William Shakespeare ?",
+ "propositions": [
+ "King Lear",
+ "Caesar and Rosalie",
+ "Romeo and Juliet",
+ "Antoine and Cleopatra"
+ ],
+ "réponse": "Caesar and Rosalie",
+ "anecdote": "Shakespeare is renowned for his mastery of poetic forms and his ability to represent aspects of human nature."
+ },
+ {
+ "id": 16,
+ "question": "Which of these professions Beaumarchais did not exercise ?",
+ "propositions": [
+ "Musician",
+ "Pâtier",
+ "Spy",
+ "Négrier"
+ ],
+ "réponse": "Pâtier",
+ "anecdote": "Important figure of the Enlightenment, Beaumarchais is estimated as one of the announcers of the French Revolution."
+ },
+ {
+ "id": 17,
+ "question": "What is the name of D'Artagnan's valet created by Alexandre Dumas ?",
+ "propositions": [
+ "Planchet",
+ "Carlos",
+ "Dantes",
+ "Sancho"
+ ],
+ "réponse": "Planchet",
+ "anecdote": "Although treated occasionally as a comic character, Planchet is an efficient, intelligent and very dedicated servant."
+ },
+ {
+ "id": 18,
+ "question": "Which singer gave herself « 2 minutes 35 of happiness » in 1967 ?",
+ "propositions": [
+ "Sylvie Vartan",
+ "Alice Dona",
+ "Françoise Hardy",
+ "Brigitte Bardot"
+ ],
+ "réponse": "Sylvie Vartan",
+ "anecdote": "« 2'35 of happiness » is the sixth album of Sylvie Vartan, released in LP '33 tours' in 1967 and sung alongside her friend Carlos."
+ },
+ {
+ "id": 19,
+ "question": "Which newspaper has long been the official organ of the French Communist Party ?",
+ "propositions": [
+ "Le Figaro",
+ "Humanity",
+ "Liberation",
+ "The Opinion"
+ ],
+ "réponse": "Humanity",
+ "anecdote": "Like many titles of the written press, the newspaper founded by Jean Jaurès benefits from subsidies from the French state."
+ },
+ {
+ "id": 20,
+ "question": "Who does Marlon Brando sit in « The Last Tango in Paris » ?",
+ "propositions": [
+ "Joanne Woodward",
+ "Eva Marie Saint",
+ "Maria Schneider",
+ "Anna Magnani"
+ ],
+ "réponse": "Maria Schneider",
+ "anecdote": "The director had dreamed of meeting a woman on the street and having sex with her without knowing her name."
+ }
+ ],
+ "expert": [
+ {
+ "id": 21,
+ "question": "Who embodies the first woman on earth in Greek mythology ?",
+ "propositions": [
+ "Psyched",
+ "Pandora",
+ "Eurydice",
+ "Serial"
+ ],
+ "réponse": "Pandora",
+ "anecdote": "The Pandora's box contained Old Age, Illness, War, Famine, Misery, Madness, Death and Vice."
+ },
+ {
+ "id": 22,
+ "question": "In which country do we consume the most potatoes per capita per year ?",
+ "propositions": [
+ "India",
+ "Germany",
+ "Russia",
+ "France"
+ ],
+ "réponse": "Russia",
+ "anecdote": "The potato is a relatively starchy food and sometimes considered a delicacy."
+ },
+ {
+ "id": 23,
+ "question": "With which of his wives has Clark Gable declared to have been the happiest ?",
+ "propositions": [
+ "Kay Williams",
+ "Sylvia Ashley",
+ "Carole Lombard",
+ "Josephine Dillon"
+ ],
+ "réponse": "Carole Lombard",
+ "anecdote": "After her plane crash, Carole Lombard will become the first American woman victim of the Second World War."
+ },
+ {
+ "id": 24,
+ "question": "Which binary code is also called Alphabet International's television code ?",
+ "propositions": [
+ "Code Baudot",
+ "Code Chappe",
+ "Morse Code",
+ "Sechorehore"
+ ],
+ "réponse": "Code Baudot",
+ "anecdote": "This code invented in 1877, although richer than Morse code, does not treat lowercase letters or certain symbols."
+ },
+ {
+ "id": 25,
+ "question": "In which country can you eat manioba with rice ?",
+ "propositions": [
+ "Vietnam",
+ "Brazil",
+ "India",
+ "Ségal"
+ ],
+ "réponse": "Brazil",
+ "anecdote": "This festive dish is made with leaves of the cassava plant that have been finely crushed and boiled for a week."
+ },
+ {
+ "id": 26,
+ "question": "Which element has the highest melting point of all metals ?",
+ "propositions": [
+ "Tungsten",
+ "Platinum",
+ "Gold",
+ "Nickel"
+ ],
+ "réponse": "Tungsten",
+ "anecdote": "Pure tungsten is a hard metal ranging from steel gray to tin white that can be cut with a hacksaw."
+ },
+ {
+ "id": 27,
+ "question": "What novelist committed suicide at cyanide quai Voltaire, in Paris ?",
+ "propositions": [
+ "Montherlant",
+ "Hemingway",
+ "Malraux",
+ "Butor"
+ ],
+ "réponse": "Montherlant",
+ "anecdote": "At his death in 1972, Montherlant will leave a word to Jean-Claude Barat, his universal recipient: « I become blind »."
+ },
+ {
+ "id": 28,
+ "question": "Jeanne Chauvin was the first woman in France to practice what profession ?",
+ "propositions": [
+ "Pharmacist",
+ "Lawyer",
+ "Banker",
+ "Minister"
+ ],
+ "réponse": "Lawyer",
+ "anecdote": "Since 2017, the library of the Faculty of Law of the public university Paris-Descartes is named Jeanne Chauvin."
+ },
+ {
+ "id": 29,
+ "question": "Which river is also the longest tributary of the Mississippi River ?",
+ "propositions": [
+ "Arkansas",
+ "Wisconsin",
+ "Minnesota",
+ "Missouri"
+ ],
+ "réponse": "Missouri",
+ "anecdote": "Missouri is nicknamed Big Muddy because its waters carry visible silt at its confluence with the Mississippi."
+ },
+ {
+ "id": 30,
+ "question": "What famous French politician is born the same year as John Paul II ?",
+ "propositions": [
+ "François Miterrand",
+ "Raymond Barre",
+ "Jacques Chirac",
+ "Georges Marchais"
+ ],
+ "réponse": "Georges Marchais",
+ "anecdote": "Pope John Paul II is generally considered by many to be one of the most influential political leaders of the 20th century."
+ }
+ ]
+ },
+ "de": {
+ "débutant": [
+ {
+ "id": 1,
+ "question": "Welcher von Frankreich geliebte Schauspieler, Sänger und Komiker hieß eigentlich André Raimbourg ?",
+ "propositions": [
+ "Coluche",
+ "Rufus",
+ "Bourvil",
+ "Fernandel"
+ ],
+ "réponse": "Bourvil",
+ "anecdote": "Bourvil erhielt den Preis als Bester Hauptdarsteller beim Filmfestival in Venedig für seine Rolle in Claude Autant-Laras Film « La Traversée de Paris »."
+ },
+ {
+ "id": 2,
+ "question": "Welcher Käse repräsentiert mit dem Stock und dem Bêt das traditionelle Bild der Franzosen ?",
+ "propositions": [
+ "Boursin",
+ "Babybel",
+ "Fourme",
+ "Camembert"
+ ],
+ "réponse": "Camembert",
+ "anecdote": "Als Symbol seiner Aura gibt es Sammler von Camembert-Boxen, die Tyrosemophilen genannt werden."
+ },
+ {
+ "id": 3,
+ "question": "Wer interpretierte « Man of the Mancha » auf der Seite von Dario Moreno ?",
+ "propositions": [
+ "Christian Vidal",
+ "Jacques Brel",
+ "Salvatore Adamo",
+ "Pierre Rapsat"
+ ],
+ "réponse": "Jacques Brel",
+ "anecdote": "Mit dem immensen Erfolg von Brüssel wird die Show im Dezember 1968 im Pariser Champs-Élysées-Theater wiederholt."
+ },
+ {
+ "id": 4,
+ "question": "Welcher Roman wurde oft als der repräsentativste der verrückten Jahre bezeichnet ?",
+ "propositions": [
+ "Gatsby der Herrliche",
+ "Moby Dick",
+ "Germinal",
+ "David Copperfield"
+ ],
+ "réponse": "Gatsby der Herrliche",
+ "anecdote": "Die Öffentlichkeit begrüßte diesen Roman nicht: Von den erwarteten 75.000 verkauften Exemplaren wurden 24.000 Exemplare bei Veröffentlichung verkauft."
+ },
+ {
+ "id": 5,
+ "question": "Welches Insekt wird in der Entomologie manchmal als Mädchen bezeichnet ?",
+ "propositions": [
+ "Marienkäfer",
+ "Mosquito",
+ "Fliegen",
+ "Libelle"
+ ],
+ "réponse": "Libelle",
+ "anecdote": "Sie unterscheiden sich von den Libellen im strengen Sinne, insbesondere durch ihre schwereren Körper und ihre im Allgemeinen in der Ruhe gefalteten Flügel."
+ },
+ {
+ "id": 6,
+ "question": "In welchem Meer können Sie schwimmen, wenn Sie nach Argentinien reisen ?",
+ "propositions": [
+ "Indisch",
+ "Pacific",
+ "Atlantic",
+ "Arktis"
+ ],
+ "réponse": "Atlantic",
+ "anecdote": "Das Klima ist typisch für die Ostfassade der Kontinente, im Norden feucht subtropisch und im äußersten Süden des Landes subantarktisch."
+ },
+ {
+ "id": 7,
+ "question": "Was hat den Hermaphroditen allmählich durch Blutungen ersetzt ?",
+ "propositions": [
+ "Blutegel",
+ "Schnecke",
+ "Cochineal",
+ "Regenwurm"
+ ],
+ "réponse": "Blutegel",
+ "anecdote": "Einige Arten unterliegen der medizinischen Verwendung, aber die Vielfalt der Blutegel ist bis heute auf der Welt noch wenig bekannt."
+ },
+ {
+ "id": 8,
+ "question": "Wie wurde auch Quecksilber bis zum Beginn des 19. Jahrhunderts genannt ?",
+ "propositions": [
+ "Quecksilber",
+ "Radon",
+ "Gallium",
+ "Steingut"
+ ],
+ "réponse": "Quecksilber",
+ "anecdote": "Quecksilber, Symbol Hg, wurde lange Zeit in Thermometern und Batterien verwendet, bevor es 1999 verboten wurde."
+ },
+ {
+ "id": 9,
+ "question": "Welches Land verlor zwischen 1939 und 1945 etwa fünfzehn Prozent seiner Bevölkerung ?",
+ "propositions": [
+ "Luxemburg",
+ "Norwegen",
+ "Polen",
+ "Tschechoslowakei"
+ ],
+ "réponse": "Polen",
+ "anecdote": "Die Invasion Ostpolens durch die Rote Armee am 17. September 1939 hat dem polnischen Verteidigungsplan einen tödlichen Schlag versetzt."
+ },
+ {
+ "id": 10,
+ "question": "Der Säbelzahntiger (oder Smilodon) ist heute eine Spezies...",
+ "propositions": [
+ "Bedroht",
+ "Geschützt",
+ "Legendär",
+ "Ausgestorben"
+ ],
+ "réponse": "Ausgestorben",
+ "anecdote": "Wie der Löwe zeichnete sich das Smilodon durch seine langen oberen Eckzähne aus, die vor dem Unterkiefer auftauchten."
+ }
+ ],
+ "confirmé": [
+ {
+ "id": 11,
+ "question": "Wie groß ist der Durchmesser des Place Charles-de-Gaulle in Paris ?",
+ "propositions": [
+ "280 m",
+ "240 m",
+ "200 m",
+ "160 m"
+ ],
+ "réponse": "240 m",
+ "anecdote": "Der unter seinem früheren Namen (Place de l'Étoile) bekannte Ort wurde am 13. November 1970 offiziell umbenannt."
+ },
+ {
+ "id": 12,
+ "question": "Die USA sind 1915 in den Krieg eingetreten, nachdem welches Schiff torpediert wurde.",
+ "propositions": [
+ "Titanic",
+ "Lusitania",
+ "Frankreich",
+ "Königin Elisabteth"
+ ],
+ "réponse": "Lusitania",
+ "anecdote": "RMS Lusitania wurde am 7. Mai 1915 vor Irland von einem deutschen U-20-U-Boot mit 1.200 Passagieren an Bord torpediert."
+ },
+ {
+ "id": 13,
+ "question": "Auf einer Planisphäre, welche Seite ist der Mont Blanc im Vergleich zum Lac Léman ?",
+ "propositions": [
+ "West",
+ "Osten",
+ "Norden",
+ "Süden"
+ ],
+ "réponse": "Süden",
+ "anecdote": "Le Leman oder der Genfer See wird von Ost nach West vom Rhein, dem Hauptzufluss des Sees, durchquert."
+ },
+ {
+ "id": 14,
+ "question": "Welcher berühmte Florentiner Maler lebte im Cloux-Herrenhaus in Amboise ?",
+ "propositions": [
+ "Bernardo Daddi",
+ "Valerio Cigoli",
+ "Filippino Lippi",
+ "Leonardo da Vinci"
+ ],
+ "réponse": "Leonardo da Vinci",
+ "anecdote": "Es ist Franz I., der es Leonardo da Vinci zur Verfügung stellen wird, der dort drei Jahre bis zu seinem Tod am 2. Mai 1519 leben wird."
+ },
+ {
+ "id": 15,
+ "question": "Welche dieser Tragödien wurde nicht von William Shakespeare geschrieben ?",
+ "propositions": [
+ "Romeo und Julia",
+ "Antoine und Cleopatra",
+ "Caesar und Rosalie",
+ "König Lear"
+ ],
+ "réponse": "Caesar und Rosalie",
+ "anecdote": "Shakespeare ist bekannt für seine Beherrschung poetischer Formen und seine Fähigkeit, Aspekte der menschlichen Natur darzustellen."
+ },
+ {
+ "id": 16,
+ "question": "Welchen dieser Berufe übte Beaumarchais nicht aus ?",
+ "propositions": [
+ "Pâtier",
+ "Négrier",
+ "Musiker",
+ "Spion"
+ ],
+ "réponse": "Pâtier",
+ "anecdote": "Beaumarchais, eine wichtige Figur der Aufklärung, gilt als einer der Sprecher der Französischen Revolution."
+ },
+ {
+ "id": 17,
+ "question": "Wie heißt der Diener von D'Artagnan, der von Alexandre Dumas geschaffen wurde ?",
+ "propositions": [
+ "Planchet",
+ "Carlos",
+ "Sancho",
+ "Dantes"
+ ],
+ "réponse": "Planchet",
+ "anecdote": "Obwohl gelegentlich als Comicfigur behandelt, ist Planchet ein effizienter, intelligenter und sehr engagierter Diener."
+ },
+ {
+ "id": 18,
+ "question": "Welche Sängerin gab sich im Jahre 1967 « 2 Minuten 35 Glück » ?",
+ "propositions": [
+ "Brigitte Bardot",
+ "Sylvie Vartan",
+ "Frankreich Hardy",
+ "Alice Dona"
+ ],
+ "réponse": "Sylvie Vartan",
+ "anecdote": "« 2'35 of happiness » ist das sechste Album von Sylvie Vartan, das 1967 in LP '33 tours 'veröffentlicht wurde und zusammen mit ihrem Freund Carlos gesungen wurde."
+ },
+ {
+ "id": 19,
+ "question": "Welche Zeitung ist seit langem das offizielle Organ der Kommunistischen Partei Frankreichs ?",
+ "propositions": [
+ "Die Stellungnahme",
+ "Menschheit",
+ "Le Figaro",
+ "Befreiung"
+ ],
+ "réponse": "Menschheit",
+ "anecdote": "Wie viele Titel der schriftlichen Presse profitiert auch die von Jean Jaurès gegründete Zeitung vom französischen Staat."
+ },
+ {
+ "id": 20,
+ "question": "Wen sitzt Marlon Brando in « Der letzte Tango in Paris » ?",
+ "propositions": [
+ "Anna Magnani",
+ "Joanne Woodward",
+ "Maria Schneider",
+ "Eva Marie Saint"
+ ],
+ "réponse": "Maria Schneider",
+ "anecdote": "Der Direktor hatte davon geträumt, eine Frau auf der Straße zu treffen und mit ihr Sex zu haben, ohne ihren Namen zu kennen."
+ }
+ ],
+ "expert": [
+ {
+ "id": 21,
+ "question": "Wer verkörpert die erste Frau der Welt in der griechischen Mythologie ?",
+ "propositions": [
+ "Psyched",
+ "Seriell",
+ "Eurydike",
+ "Pandora"
+ ],
+ "réponse": "Pandora",
+ "anecdote": "Die Büchse der Pandora enthielt Alter, Krankheit, Krieg, Hungersnot, Elend, Wahnsinn, Tod und Laster."
+ },
+ {
+ "id": 22,
+ "question": "In welchem Land verbrauchen wir pro Kopf die meisten Kartoffeln ?",
+ "propositions": [
+ "Russland",
+ "Deutschland",
+ "Frankreich",
+ "Indien"
+ ],
+ "réponse": "Russland",
+ "anecdote": "Die Kartoffel ist eine relativ stärkehaltige Speise und wird manchmal als Delikatesse bezeichnet."
+ },
+ {
+ "id": 23,
+ "question": "Mit welcher seiner Frauen hat Clark Gable erklärt, die glücklichste zu sein ?",
+ "propositions": [
+ "Carole Lombard",
+ "Kay Williams",
+ "Sylvia Ashley",
+ "Josephine Dillon"
+ ],
+ "réponse": "Carole Lombard",
+ "anecdote": "Nach ihrem Flugzeugabsturz wird Carole Lombard die erste Amerikanerin des Zweiten Weltkriegs."
+ },
+ {
+ "id": 24,
+ "question": "Welcher Binärcode wird auch als Fernsehcode von Alphabet International bezeichnet ?",
+ "propositions": [
+ "Code Chappe",
+ "Morsealphabet",
+ "Sechorehore",
+ "Code Baudot"
+ ],
+ "réponse": "Code Baudot",
+ "anecdote": "Dieser Code, der 1877 erfunden wurde, ist zwar reichhaltiger als der Morsecode, behandelt jedoch keine Kleinbuchstaben oder bestimmte Symbole."
+ },
+ {
+ "id": 25,
+ "question": "In welchem Land kann man Manioba mit Reis essen ?",
+ "propositions": [
+ "Indien",
+ "Brasilien",
+ "Vietnam",
+ "Ségal"
+ ],
+ "réponse": "Brasilien",
+ "anecdote": "Dieses festliche Gericht besteht aus Blättern der Maniok-Pflanze, die eine Woche lang fein zerkleinert und gekocht wurden."
+ },
+ {
+ "id": 26,
+ "question": "Welches Element hat den höchsten Schmelzpunkt aller Metalle ?",
+ "propositions": [
+ "Platin",
+ "Wolfram",
+ "Nickel",
+ "Gold"
+ ],
+ "réponse": "Wolfram",
+ "anecdote": "Reines Wolfram ist ein hartes Metall, das von Stahlgrau bis Zinnweiß reicht und mit einer Metallsäge geschnitten werden kann."
+ },
+ {
+ "id": 27,
+ "question": "Welcher Schriftsteller hat am Cyanid Quai Voltaire in Paris Selbstmord begangen ?",
+ "propositions": [
+ "Hemingway",
+ "Butor",
+ "Malraux",
+ "Montherlant"
+ ],
+ "réponse": "Montherlant",
+ "anecdote": "Nach seinem Tod im Jahr 1972 wird Montherlant Jean-Claude Barat, seinem universellen Empfänger, ein Wort hinterlassen: « Ich werde blind »."
+ },
+ {
+ "id": 28,
+ "question": "Jeanne Chauvin war die erste Frau in Frankreich, die welchen Beruf ausübte ?",
+ "propositions": [
+ "Minister",
+ "Rechtsanwalt",
+ "Apotheker",
+ "Bankier"
+ ],
+ "réponse": "Rechtsanwalt",
+ "anecdote": "Seit 2017 heißt die Bibliothek der Rechtswissenschaftlichen Fakultät der öffentlichen Universität Paris-Descartes Jeanne Chauvin."
+ },
+ {
+ "id": 29,
+ "question": "Welcher Fluss ist auch der längste Nebenfluss des Mississippi ?",
+ "propositions": [
+ "Missouri",
+ "Wisconsin",
+ "Minnesota",
+ "Arkansas"
+ ],
+ "réponse": "Missouri",
+ "anecdote": "Missouri wird Big Muddy genannt, weil das Wasser an seinem Zusammenfluss mit dem Mississippi sichtbaren Schlamm trägt."
+ },
+ {
+ "id": 30,
+ "question": "Welcher berühmte französische Politiker wird im selben Jahr wie Johannes Paul II geboren ?",
+ "propositions": [
+ "Raymond Barre",
+ "Georges Marchais",
+ "Jacques Chirac",
+ "François Miterrand"
+ ],
+ "réponse": "Georges Marchais",
+ "anecdote": "Papst Johannes Paul II. Gilt weithin als einer der einflussreichsten politischen Führer des 20. Jahrhunderts."
+ }
+ ]
+ },
+ "es": {
+ "débutant": [
+ {
+ "id": 1,
+ "question": "¿Qué actor, cantante y comediante amado por el francés en realidad se llamaba André Raimbourg ?",
+ "propositions": [
+ "Fernandel",
+ "Bourvil",
+ "Rufus",
+ "Coluche"
+ ],
+ "réponse": "Bourvil",
+ "anecdote": "Bourvil recibió el premio al Mejor Actor en el Festival de Cine de Venecia por su papel en la película « La Traversée de Paris »."
+ },
+ {
+ "id": 2,
+ "question": "¿Qué queso representa, con el palo y el bêt, la imagen tradicional de los franceses ?",
+ "propositions": [
+ "Babybel",
+ "Camembert",
+ "Boursin",
+ "Fourme"
+ ],
+ "réponse": "Camembert",
+ "anecdote": "Símbolo de su aura, hay coleccionistas de cajas de camembert llamadas tirosemófilos."
+ },
+ {
+ "id": 3,
+ "question": "¿Quién interpretó al Hombre de la Mancha al lado de Darío Moreno ?",
+ "propositions": [
+ "Pierre Rapsat",
+ "Salvatore Adamo",
+ "Jacques Brel",
+ "Christian Vidal"
+ ],
+ "réponse": "Jacques Brel",
+ "anecdote": "Con el inmenso éxito de Bruselas, el espectáculo se repite en el teatro Champs-Élysées en París en diciembre de 1968."
+ },
+ {
+ "id": 4,
+ "question": "¿Qué novela se ha descrito a menudo como la más representativa de los años locos ?",
+ "propositions": [
+ "David Copperfield",
+ "Germinal",
+ "Moby Dick",
+ "Gatsby el Magnífico"
+ ],
+ "réponse": "Gatsby el Magnífico",
+ "anecdote": "El público no dio la bienvenida a esta novela: de las 75,000 ventas esperadas, se vendieron 24,000 copias cuando fue lanzada."
+ },
+ {
+ "id": 5,
+ "question": "En entomología, ¿a qué insecto a veces se le llama damisela ?",
+ "propositions": [
+ "Libélula",
+ "Volar",
+ "Mariquita",
+ "Mosquito"
+ ],
+ "réponse": "Libélula",
+ "anecdote": "Se distinguen de las libélulas en el sentido estricto, especialmente por su cuerpo delgado y sus alas generalmente plegadas en reposo."
+ },
+ {
+ "id": 6,
+ "question": "¿En qué océano puedes nadar si viajas a Argentina ?",
+ "propositions": [
+ "Indio",
+ "Atlántico",
+ "Ártico",
+ "Pacifico"
+ ],
+ "réponse": "Atlántico",
+ "anecdote": "El clima es típico de la fachada oriental de los continentes, subtropical húmedo en el norte y subantártico en el extremo sur del país."
+ },
+ {
+ "id": 7,
+ "question": "¿El sangrado ha reemplazado gradualmente a lo hermafrodita ?",
+ "propositions": [
+ "Caracol",
+ "Cochinilla",
+ "Lombriz de tierra",
+ "Leech"
+ ],
+ "réponse": "Leech",
+ "anecdote": "Algunas especies están sujetas a uso medicinal, pero la diversidad de las sanguijuelas todavía es poco conocida en el mundo."
+ },
+ {
+ "id": 8,
+ "question": "¿Cómo se llamaba también el mercurio hasta principios del siglo XIX ?",
+ "propositions": [
+ "Galio",
+ "Radón",
+ "Loza de barro",
+ "Quicksilver"
+ ],
+ "réponse": "Quicksilver",
+ "anecdote": "El mercurio, símbolo Hg, se ha utilizado durante mucho tiempo en termómetros y baterías antes de ser prohibido en 1999."
+ },
+ {
+ "id": 9,
+ "question": "¿Qué país perdió aproximadamente el quince por ciento de su población entre 1939 y 1945 ?",
+ "propositions": [
+ "Noruega",
+ "Polonia",
+ "Luxemburgo",
+ "Checoslovaquia"
+ ],
+ "réponse": "Polonia",
+ "anecdote": "La invasión de Polonia Oriental por parte del Ejército Rojo el 17 de septiembre de 1939, asestó un golpe fatal al plan de defensa polaco."
+ },
+ {
+ "id": 10,
+ "question": "El tigre dientes de sable (o smilodon) es hoy una especie...",
+ "propositions": [
+ "Legendario",
+ "Extinguido",
+ "Amenazado",
+ "Protegido"
+ ],
+ "réponse": "Extinguido",
+ "anecdote": "Al igual que el león, el smilodon se caracterizó por sus largos caninos superiores que emergían frente a la mandíbula inferior."
+ }
+ ],
+ "confirmé": [
+ {
+ "id": 11,
+ "question": "¿Cuál es el diámetro aproximado de la plaza Charles-de-Gaulle en París ?",
+ "propositions": [
+ "280 m",
+ "160 m",
+ "200 m",
+ "240 m"
+ ],
+ "réponse": "240 m",
+ "anecdote": "Aún muy famoso bajo su nombre anterior (Place de l'Etang), este lugar fue renombrado oficialmente el 13 de noviembre de 1970."
+ },
+ {
+ "id": 12,
+ "question": "¿Estados Unidos entró en la guerra en 1915 luego del torpedeo de qué barco ?",
+ "propositions": [
+ "Reina elisabteth",
+ "Lusitania",
+ "Francia",
+ "Titanic"
+ ],
+ "réponse": "Lusitania",
+ "anecdote": "RMS Lusitania fue torpedeado por un submarino alemán Sub-20 el 7 de mayo de 1915, frente a Irlanda, con 1."
+ },
+ {
+ "id": 13,
+ "question": "En un planisferio, ¿de qué lado está el Mont Blanc en comparación con Lac Léman ?",
+ "propositions": [
+ "Sur",
+ "Norte",
+ "Este",
+ "Oeste"
+ ],
+ "réponse": "Sur",
+ "anecdote": "Le Leman o el lago Geneva se cruza de este a oeste por el Rin, que es el principal afluente del lago."
+ },
+ {
+ "id": 14,
+ "question": "¿Qué famoso pintor florentino vivió en la mansión Cloux, en Amboise ?",
+ "propositions": [
+ "Bernardo Daddi",
+ "Leonardo da Vinci",
+ "Valerio Cigoli",
+ "Filippino Lippi"
+ ],
+ "réponse": "Leonardo da Vinci",
+ "anecdote": "Es Francisco I quien lo pondrá a disposición de Léardard de Vinci, que vivirá allí durante tres años, hasta su muerte el 2 de mayo de 1519."
+ },
+ {
+ "id": 15,
+ "question": "¿Cuál de estas tragedias no fue escrita por William Shakespeare ?",
+ "propositions": [
+ "Romeo y Julieta",
+ "César y Rosalie",
+ "Antoine y Cleopatra",
+ "Rey Lear"
+ ],
+ "réponse": "César y Rosalie",
+ "anecdote": "Shakespeare es famoso por su dominio de las formas poéticas y su capacidad para representar aspectos de la naturaleza humana."
+ },
+ {
+ "id": 16,
+ "question": "¿Cuál de estas profesiones no ejerció Beaumarchais ?",
+ "propositions": [
+ "Músico",
+ "Patero",
+ "Espia",
+ "Négrier"
+ ],
+ "réponse": "Patero",
+ "anecdote": "Importante figura de la Ilustración, Beaumarchais se estima como uno de los anunciantes de la Revolución Francesa."
+ },
+ {
+ "id": 17,
+ "question": "¿Cuál es el nombre del valet de D'Artagnan creado por Alexandre Dumas ?",
+ "propositions": [
+ "Dantes",
+ "Sancho",
+ "Planchet",
+ "Carlos"
+ ],
+ "réponse": "Planchet",
+ "anecdote": "Aunque ocasionalmente se lo trata como un personaje cómico, Planchet es un servidor eficiente, inteligente y muy dedicado."
+ },
+ {
+ "id": 18,
+ "question": "¿Qué cantante se dio a sí misma « 2 minutos 35 de felicidad » en 1967 ?",
+ "propositions": [
+ "Brigitte Bardot",
+ "Sylvie Vartan",
+ "Alice Dona",
+ "Françoise Hardy"
+ ],
+ "réponse": "Sylvie Vartan",
+ "anecdote": "« 2'35 of happiness » es el sexto álbum de Sylvie Vartan, lanzado en LP '33 tours 'en 1967 y cantado junto a su amigo Carlos."
+ },
+ {
+ "id": 19,
+ "question": "¿Qué periódico ha sido durante mucho tiempo el órgano oficial del Partido Comunista Francés ?",
+ "propositions": [
+ "Le Figaro",
+ "Humanidad",
+ "La Opinión",
+ "Liberación"
+ ],
+ "réponse": "Humanidad",
+ "anecdote": "Al igual que muchos títulos de la prensa escrita, el periódico fundado por Jean Jaurès se beneficia de subsidios del estado francés."
+ },
+ {
+ "id": 20,
+ "question": "¿A quién se sienta Marlon Brando en « The Last Tango in Paris » ?",
+ "propositions": [
+ "Maria schneider",
+ "Joanne Woodward",
+ "Eva Marie Saint",
+ "Anna Magnani"
+ ],
+ "réponse": "Maria schneider",
+ "anecdote": "El director había soñado con encontrarse con una mujer en la calle y tener relaciones sexuales con ella sin saber su nombre."
+ }
+ ],
+ "expert": [
+ {
+ "id": 21,
+ "question": "¿Quién encarna a la primera mujer en la tierra en la mitología griega ?",
+ "propositions": [
+ "Eurydice",
+ "Psyched",
+ "Pandora",
+ "Serie"
+ ],
+ "réponse": "Pandora",
+ "anecdote": "La caja de Pandora contenía la vejez, la enfermedad, la guerra, el hambre, la miseria, la locura, la muerte y el vicio."
+ },
+ {
+ "id": 22,
+ "question": "¿En qué país consumimos más papas per cápita por año ?",
+ "propositions": [
+ "Francia",
+ "India",
+ "Rusia",
+ "Alemania"
+ ],
+ "réponse": "Rusia",
+ "anecdote": "La papa es un alimento relativamente almidonado y en ocasiones se considera un manjar."
+ },
+ {
+ "id": 23,
+ "question": "¿Con cuál de sus esposas ha declarado Clark Gable que ha sido la más feliz ?",
+ "propositions": [
+ "Kay Williams",
+ "Carole lombard",
+ "Sylvia Ashley",
+ "Josephine Dillon"
+ ],
+ "réponse": "Carole lombard",
+ "anecdote": "Después de su accidente de avión, Carole Lombard se convertirá en la primera mujer estadounidense víctima de la Segunda Guerra Mundial."
+ },
+ {
+ "id": 24,
+ "question": "¿Qué código binario también se llama código de televisión de Alphabet International ?",
+ "propositions": [
+ "Codigo morse",
+ "Código Chappe",
+ "Código Baudot",
+ "Sechorehore"
+ ],
+ "réponse": "Código Baudot",
+ "anecdote": "Este código inventado en 1877, aunque más rico que el código Morse, no trata las letras minúsculas o ciertos símbolos."
+ },
+ {
+ "id": 25,
+ "question": "¿En qué país se puede comer manioba con arroz ?",
+ "propositions": [
+ "Vietnam",
+ "India",
+ "Brasil",
+ "Ségal"
+ ],
+ "réponse": "Brasil",
+ "anecdote": "Este plato festivo está hecho con hojas de la planta de yuca que han sido trituradas finamente y hervidas durante una semana."
+ },
+ {
+ "id": 26,
+ "question": "¿Qué elemento tiene el punto de fusión más alto de todos los metales ?",
+ "propositions": [
+ "Níquel",
+ "Oro",
+ "Tungsteno",
+ "Platino"
+ ],
+ "réponse": "Tungsteno",
+ "anecdote": "El tungsteno puro es un metal duro que va del gris acero al blanco estaño que se puede cortar con una sierra para metales."
+ },
+ {
+ "id": 27,
+ "question": "¿Qué novelista se suicidó en el cianuro quai Voltaire, en París ?",
+ "propositions": [
+ "Montherlant",
+ "Butor",
+ "Malraux",
+ "Hemingway"
+ ],
+ "réponse": "Montherlant",
+ "anecdote": "A su muerte en 1972, Montherlant le dejará una palabra a Jean-Claude Barat, su receptor universal: « Me quedo ciego »"
+ },
+ {
+ "id": 28,
+ "question": "¿Jeanne Chauvin fue la primera mujer en Francia en practicar qué profesión ?",
+ "propositions": [
+ "Farmacéutico",
+ "Banquero",
+ "Abogado",
+ "Ministro"
+ ],
+ "réponse": "Abogado",
+ "anecdote": "Desde 2017, la biblioteca de la Facultad de Derecho de la universidad pública Paris-Descartes se llama Jeanne Chauvin."
+ },
+ {
+ "id": 29,
+ "question": "¿Qué río es también el afluente más largo del río Mississippi ?",
+ "propositions": [
+ "Arkansas",
+ "Wisconsin",
+ "Misuri",
+ "Minnesota"
+ ],
+ "réponse": "Misuri",
+ "anecdote": "Missouri es apodado Big Muddy porque sus aguas llevan sedimentos visibles en su confluencia con el Mississippi."
+ },
+ {
+ "id": 30,
+ "question": "¿Qué famoso político francés nace el mismo año que Juan Pablo II ?",
+ "propositions": [
+ "Georges Marchais",
+ "Jacques Chirac",
+ "François Miterrand",
+ "Raymond Barre"
+ ],
+ "réponse": "Georges Marchais",
+ "anecdote": "El papa Juan Pablo II es considerado por muchos como uno de los líderes políticos más influyentes del siglo XX."
+ }
+ ]
+ },
+ "it": {
+ "débutant": [
+ {
+ "id": 1,
+ "question": "In realtà, quale attore, cantante e comico amato dal francese si chiamava André Raimbourg ?",
+ "propositions": [
+ "Rufus",
+ "Fernandel",
+ "Coluche",
+ "Bourvil"
+ ],
+ "réponse": "Bourvil",
+ "anecdote": "Bourvil ha ricevuto il premio come miglior attore al Festival di Venezia per il suo ruolo nel film di Claude Autant-Lara « La Traversée de Paris »."
+ },
+ {
+ "id": 2,
+ "question": "Quale formaggio rappresenta, con il bastone e la bêt, l'immagine tradizionale del francese ?",
+ "propositions": [
+ "Camembert",
+ "Babybel",
+ "Fourme",
+ "Boursin"
+ ],
+ "réponse": "Camembert",
+ "anecdote": "Simbolo della sua aura, ci sono collezionisti di scatole di camembert chiamate tirosemofili."
+ },
+ {
+ "id": 3,
+ "question": "Chi interpretò « Man of the Mancha » al fianco di Dario Moreno ?",
+ "propositions": [
+ "Jacques Brel",
+ "Salvatore Adamo",
+ "Christian Vidal",
+ "Pierre Rapsat"
+ ],
+ "réponse": "Jacques Brel",
+ "anecdote": "Con l'immenso successo di Bruxelles, lo spettacolo viene ripetuto al teatro Champs-Élysées a Parigi nel dicembre 1968."
+ },
+ {
+ "id": 4,
+ "question": "Quale romanzo è stato spesso descritto come il più rappresentativo degli anni pazzi ?",
+ "propositions": [
+ "David Copperfield",
+ "Gatsby the Magnificent",
+ "Moby Dick",
+ "Germinale"
+ ],
+ "réponse": "Gatsby the Magnificent",
+ "anecdote": "Il pubblico non ha gradito questo romanzo: delle 75.000 vendite previste, 24.000 copie sono state vendute alla sua uscita."
+ },
+ {
+ "id": 5,
+ "question": "In entomologia, quale insetto a volte viene chiamato damigella ?",
+ "propositions": [
+ "Zanzara",
+ "Vola",
+ "Coccinella",
+ "Libellula"
+ ],
+ "réponse": "Libellula",
+ "anecdote": "Si distinguono dalle libellule in senso stretto, specialmente dai loro corpi più pesanti e le loro ali generalmente piegate a riposo."
+ },
+ {
+ "id": 6,
+ "question": "In quale oceano puoi nuotare se viaggi in Argentina ?",
+ "propositions": [
+ "Pacifico",
+ "Artico",
+ "Indiano",
+ "Atlantico"
+ ],
+ "réponse": "Atlantico",
+ "anecdote": "Il clima è tipico della facciata orientale dei continenti, umido subtropicale nel nord e sub-antartico nell'estremo sud del paese."
+ },
+ {
+ "id": 7,
+ "question": "Il sanguinamento ha gradualmente rimpiazzato quello che ermafrodita ?",
+ "propositions": [
+ "Lombrico",
+ "Sanguisuga",
+ "Lumaca",
+ "Cocciniglia"
+ ],
+ "réponse": "Sanguisuga",
+ "anecdote": "Alcune specie sono soggette ad uso medicinale, ma la diversità delle sanguisughe è ancora poco conosciuta oggi nel mondo."
+ },
+ {
+ "id": 8,
+ "question": "Come fu chiamato anche il mercurio fino all'inizio del diciannovesimo secolo ?",
+ "propositions": [
+ "Radon",
+ "Gallio",
+ "Quicksilver",
+ "Terracotta"
+ ],
+ "réponse": "Quicksilver",
+ "anecdote": "Il mercurio, simbolo Hg, è stato a lungo utilizzato nei termometri e nelle batterie prima di essere bandito nel 1999."
+ },
+ {
+ "id": 9,
+ "question": "Quale paese ha perso circa il quindici percento della sua popolazione tra il 1939 e il 1945 ?",
+ "propositions": [
+ "Lussemburgo",
+ "Norvegia",
+ "Polonia",
+ "Cecoslovacchia"
+ ],
+ "réponse": "Polonia",
+ "anecdote": "L'invasione della Polonia orientale da parte dell'Armata Rossa il 17 settembre 1939 causò un colpo fatale al piano di difesa polacco."
+ },
+ {
+ "id": 10,
+ "question": "La tigre dai denti a sciabola (o smilodon) è oggi una specie...",
+ "propositions": [
+ "Estinto",
+ "Leggendario",
+ "Protetto",
+ "Minacciato"
+ ],
+ "réponse": "Estinto",
+ "anecdote": "Come il leone, lo smilodonte era caratterizzato da lunghi canini superiori che emergevano davanti alla mascella inferiore."
+ }
+ ],
+ "confirmé": [
+ {
+ "id": 11,
+ "question": "Qual è il diametro approssimativo di Place Charles-de-Gaulle a Parigi ?",
+ "propositions": [
+ "280 m",
+ "200 m",
+ "160 m",
+ "240 m"
+ ],
+ "réponse": "240 m",
+ "anecdote": "Ancora molto famoso sotto il suo antico nome (Place de l'Etang), questo posto è stato ufficialmente ribattezzato il 13 novembre 1970."
+ },
+ {
+ "id": 12,
+ "question": "Gli Stati Uniti entrarono in guerra nel 1915 in seguito al siluro di quale nave ?",
+ "propositions": [
+ "Lusitania",
+ "Francia",
+ "Regina Elisabteth",
+ "Titanic"
+ ],
+ "réponse": "Lusitania",
+ "anecdote": "RMS Lusitania è stata silurata da un sottomarino tedesco U-20 il 7 maggio 1915, al largo dell'Irlanda, con 1."
+ },
+ {
+ "id": 13,
+ "question": "Su un planisfero, da che parte è il Monte Bianco rispetto al Lac Léman ?",
+ "propositions": [
+ "Ovest",
+ "Sud",
+ "Nord",
+ "Est"
+ ],
+ "réponse": "Sud",
+ "anecdote": "Le Leman o Lago di Ginevra è attraversato da est a ovest dal Reno che è il principale affluente del lago."
+ },
+ {
+ "id": 14,
+ "question": "Quale famoso pittore fiorentino visse nel maniero dei Cloux, ad Amboise ?",
+ "propositions": [
+ "Leonardo da Vinci",
+ "Bernardo Daddi",
+ "Filippino Lippi",
+ "Valerio Cigoli"
+ ],
+ "réponse": "Leonardo da Vinci",
+ "anecdote": "È Francesco I che lo metterà a disposizione di Leonardo da Vinci che vivrà lì tre anni, fino alla sua morte, il 2 maggio 1519."
+ },
+ {
+ "id": 15,
+ "question": "Quale di queste tragedie non è stata scritta da William Shakespeare ?",
+ "propositions": [
+ "King Lear",
+ "Romeo e Giulietta",
+ "Antoine e Cleopatra",
+ "Cesare e Rosalia"
+ ],
+ "réponse": "Cesare e Rosalia",
+ "anecdote": "Shakespeare è rinomato per la sua padronanza delle forme poetiche e la sua capacità di rappresentare aspetti della natura umana."
+ },
+ {
+ "id": 16,
+ "question": "Quale di queste professioni Beaumarchais non ha esercitato ?",
+ "propositions": [
+ "Négrier",
+ "Musicista",
+ "Spia",
+ "Pâtier"
+ ],
+ "réponse": "Pâtier",
+ "anecdote": "Figura importante dell'Illuminismo, Beaumarchais è stimato come uno degli annunciatori della Rivoluzione Francese."
+ },
+ {
+ "id": 17,
+ "question": "Come si chiama il posteggiatore di D'Artagnan creato da Alexandre Dumas ?",
+ "propositions": [
+ "Planchet",
+ "Sancho",
+ "Carlos",
+ "Dantes"
+ ],
+ "réponse": "Planchet",
+ "anecdote": "Sebbene trattato occasionalmente come personaggio comico, Planchet è un servitore efficiente, intelligente e molto dedicato."
+ },
+ {
+ "id": 18,
+ "question": "Quale cantante ha dato se stessa « 2 minuti 35 di felicità » nel 1967 ?",
+ "propositions": [
+ "Brigitte Bardot",
+ "Françoise Hardy",
+ "Sylvie Vartan",
+ "Alice Dona"
+ ],
+ "réponse": "Sylvie Vartan",
+ "anecdote": "« 2'35 of happiness » è il sesto album di Sylvie Vartan, pubblicato in LP '33 tour 'nel 1967 e cantato insieme al suo amico Carlos."
+ },
+ {
+ "id": 19,
+ "question": "Quale giornale è stato a lungo l'organo ufficiale del Partito Comunista Francese ?",
+ "propositions": [
+ "Umanità",
+ "Liberazione",
+ "Le conclusioni",
+ "Le Figaro"
+ ],
+ "réponse": "Umanità",
+ "anecdote": "Come molti titoli della stampa scritta, il giornale fondato da Jean Jaurès beneficia di sovvenzioni dallo stato francese."
+ },
+ {
+ "id": 20,
+ "question": "Chi si siede a Marlon Brando in « The Last Tango in Paris » ?",
+ "propositions": [
+ "Eva Marie Saint",
+ "Joanne Woodward",
+ "Maria Schneider",
+ "Anna Magnani"
+ ],
+ "réponse": "Maria Schneider",
+ "anecdote": "Il regista aveva sognato di incontrare una donna per strada e fare sesso con lei senza sapere il suo nome."
+ }
+ ],
+ "expert": [
+ {
+ "id": 21,
+ "question": "Chi incarna la prima donna sulla terra nella mitologia greca ?",
+ "propositions": [
+ "Pandora",
+ "Seriale",
+ "Euridice",
+ "Psichedito"
+ ],
+ "réponse": "Pandora",
+ "anecdote": "Il vaso di Pandora conteneva Vecchiaia, Malattia, Guerra, Carestia, Miseria, Follia, Morte e Vizio."
+ },
+ {
+ "id": 22,
+ "question": "In quale paese consumiamo più patate pro capite all'anno ?",
+ "propositions": [
+ "Francia",
+ "India",
+ "Russia",
+ "Germania"
+ ],
+ "réponse": "Russia",
+ "anecdote": "La patata è un alimento relativamente amido e talvolta considerato una prelibatezza."
+ },
+ {
+ "id": 23,
+ "question": "Con quale delle sue mogli Clark Gable ha dichiarato di essere stato il più felice ?",
+ "propositions": [
+ "Carole Lombard",
+ "Kay Williams",
+ "Sylvia Ashley",
+ "Josephine Dillon"
+ ],
+ "réponse": "Carole Lombard",
+ "anecdote": "Dopo il suo incidente aereo, Carole Lombard diventerà la prima donna americana vittima della seconda guerra mondiale."
+ },
+ {
+ "id": 24,
+ "question": "Quale codice binario è anche chiamato codice televisivo di Alphabet International ?",
+ "propositions": [
+ "Codice Morse",
+ "Codice Baudot",
+ "Codice Chappe",
+ "Sechorehore"
+ ],
+ "réponse": "Codice Baudot",
+ "anecdote": "Questo codice inventato nel 1877, sebbene più ricco del codice Morse, non tratta lettere minuscole o certi simboli."
+ },
+ {
+ "id": 25,
+ "question": "In quale paese puoi mangiare la manioba con il riso ?",
+ "propositions": [
+ "Brasile",
+ "Ségal",
+ "Vietnam",
+ "India"
+ ],
+ "réponse": "Brasile",
+ "anecdote": "Questo piatto festivo è fatto con le foglie della pianta di manioca che sono state finemente tritate e bollite per una settimana."
+ },
+ {
+ "id": 26,
+ "question": "Quale elemento ha il più alto punto di fusione di tutti i metalli ?",
+ "propositions": [
+ "Platino",
+ "Nichel",
+ "Tungsteno",
+ "Oro"
+ ],
+ "réponse": "Tungsteno",
+ "anecdote": "Il tungsteno puro è un metallo duro che va dal grigio acciaio al bianco stagnato che può essere tagliato con un seghetto."
+ },
+ {
+ "id": 27,
+ "question": "Quale romanziere si è suicidato al cianuro quai Voltaire, a Parigi ?",
+ "propositions": [
+ "Hemingway",
+ "Montherlant",
+ "Butor",
+ "Malraux"
+ ],
+ "réponse": "Montherlant",
+ "anecdote": "Alla sua morte nel 1972, Montherlant lascerà una parola a Jean-Claude Barat, il suo destinatario universale: « Divento cieco »."
+ },
+ {
+ "id": 28,
+ "question": "Jeanne Chauvin è stata la prima donna in Francia a praticare quale professione ?",
+ "propositions": [
+ "Avvocato",
+ "Banchiere",
+ "Ministro",
+ "Farmacista"
+ ],
+ "réponse": "Avvocato",
+ "anecdote": "Dal 2017, la biblioteca della Facoltà di Giurisprudenza dell'università pubblica Paris-Descartes si chiama Jeanne Chauvin."
+ },
+ {
+ "id": 29,
+ "question": "Quale fiume è anche il più lungo affluente del fiume Mississippi ?",
+ "propositions": [
+ "Minnesota",
+ "Wisconsin",
+ "Missouri",
+ "Arkansas"
+ ],
+ "réponse": "Missouri",
+ "anecdote": "Il Missouri è soprannominato Big Muddy perché le sue acque trasportano limo visibile alla sua confluenza con il Mississippi."
+ },
+ {
+ "id": 30,
+ "question": "Quale famoso politico francese è nato lo stesso anno di Giovanni Paolo II ?",
+ "propositions": [
+ "Georges Marchais",
+ "Raymond Barre",
+ "François Miterrand",
+ "Jacques Chirac"
+ ],
+ "réponse": "Georges Marchais",
+ "anecdote": "Papa Giovanni Paolo II è considerato uno dei più influenti leader politici del XX secolo."
+ }
+ ]
+ },
+ "nl": {
+ "débutant": [
+ {
+ "id": 1,
+ "question": "Welke acteur, zanger en komiek, geliefd bij het Frans, heette eigenlijk André Raimbourg ?",
+ "propositions": [
+ "Rufus",
+ "Coluche",
+ "Fernandel",
+ "Bourvil"
+ ],
+ "réponse": "Bourvil",
+ "anecdote": "Bourvil ontving de prijs voor Beste Acteur op het Filmfestival van Venetië vanwege zijn rol in de film « La Traversée de Paris »."
+ },
+ {
+ "id": 2,
+ "question": "Welke kaas vertegenwoordigt, met het stokbrood en de baret, het traditionele beeld van de Fransen ?",
+ "propositions": [
+ "Fourme",
+ "Babybel",
+ "Camembert",
+ "Boursin"
+ ],
+ "réponse": "Camembert",
+ "anecdote": "Symbool van zijn aura, er zijn verzamelaars van camembert-dozen die tyrosemofielen worden genoemd."
+ },
+ {
+ "id": 3,
+ "question": "Wie interpreteerde « Man of the Mancha » aan de zijde van Dario Moreno ?",
+ "propositions": [
+ "Christian Vidal",
+ "Jacques Brel",
+ "Pierre Rapsat",
+ "Salvatore Adamo"
+ ],
+ "réponse": "Jacques Brel",
+ "anecdote": "Met het immense succes van Brussel wordt de show herhaald in het theater van de Champs-Élysées in december 1968 in Parijs."
+ },
+ {
+ "id": 4,
+ "question": "Welke roman is vaak beschreven als de meest representatieve van de gekke jaren ?",
+ "propositions": [
+ "David Copperfield",
+ "Moby Dick",
+ "Gatsby the Magnificent",
+ "Germinal"
+ ],
+ "réponse": "Gatsby the Magnificent",
+ "anecdote": "Het publiek verwelkomde deze roman niet: van de verwachte 75.000 verkopen werden er 24.000 exemplaren verkocht bij de release."
+ },
+ {
+ "id": 5,
+ "question": "Welke insecten worden in de entomologie soms jonkvrouw genoemd ?",
+ "propositions": [
+ "Mosquito",
+ "Lieveheersbeestje",
+ "Dragonfly",
+ "Vlieg"
+ ],
+ "réponse": "Dragonfly",
+ "anecdote": "Ze onderscheiden zich van de libellen in de strikte zin, vooral door hun zwaardere lichamen en hun vleugels die over het algemeen in rust zijn opgevouwen."
+ },
+ {
+ "id": 6,
+ "question": "In welke oceaan kun je zwemmen als je naar Argentini ? reist ?",
+ "propositions": [
+ "Pacific",
+ "Atlantische Oceaan",
+ "Indian",
+ "Arctic"
+ ],
+ "réponse": "Atlantische Oceaan",
+ "anecdote": "Het klimaat is typerend voor de oostelijke gevel van de continenten, vochtig subtropisch in het noorden en sub-zuidpoolgebied in het uiterste zuiden van het land."
+ },
+ {
+ "id": 7,
+ "question": "Bloeden heeft geleidelijk aan wat hermafrodiet medisch vervangen ?",
+ "propositions": [
+ "Leech",
+ "Cochenille",
+ "Snail",
+ "Regenworm"
+ ],
+ "réponse": "Leech",
+ "anecdote": "Sommige soorten zijn onderhevig aan medicinaal gebruik, maar de diversiteit van bloedzuigers is nog steeds slecht bekend vandaag in de wereld."
+ },
+ {
+ "id": 8,
+ "question": "Hoe werd kwik ook genoemd tot het begin van de negentiende eeuw ?",
+ "propositions": [
+ "Radon",
+ "Gallium",
+ "Quicksilver",
+ "Aardewerk"
+ ],
+ "réponse": "Quicksilver",
+ "anecdote": "Kwik, symbool Hg, wordt al lang in thermometers en batterijen gebruikt voordat het in 1999 werd verboden."
+ },
+ {
+ "id": 9,
+ "question": "Welk land verloor tussen 1939 en 1945 ongeveer vijftien procent van de bevolking ?",
+ "propositions": [
+ "Polen",
+ "Noorwegen",
+ "Tsjecho-Slowakije",
+ "Luxemburg"
+ ],
+ "réponse": "Polen",
+ "anecdote": "De invasie van Oost-Polen door het Rode Leger op 17 september 1939, zorgde voor een fatale slag tegen het Poolse verdedigingsplan."
+ },
+ {
+ "id": 10,
+ "question": "De sabeltandtijger (of smilodon) is tegenwoordig een soort...",
+ "propositions": [
+ "Bedreigd",
+ "Legendarisch",
+ "Beschermd",
+ "Uitgestorven"
+ ],
+ "réponse": "Uitgestorven",
+ "anecdote": "Net als de leeuw, werd de smilodon gekenmerkt door zijn lange bovenste hoektanden die voor de onderkaak tevoorschijn kwamen."
+ }
+ ],
+ "confirmé": [
+ {
+ "id": 11,
+ "question": "Wat is de geschatte diameter van Place Charles-de-Gaulle in Parijs ?",
+ "propositions": [
+ "160 m",
+ "200 m",
+ "280 m",
+ "240 m"
+ ],
+ "réponse": "240 m",
+ "anecdote": "Nog steeds erg beroemd onder de oude naam (Place de l'Etang), werd deze plaats officieel hernoemd op 13 november 1970."
+ },
+ {
+ "id": 12,
+ "question": "De VS zijn in 1915 de oorlog ingegaan na het torpederen van welk schip ?",
+ "propositions": [
+ "Koningin Elisabteth",
+ "Frankrijk",
+ "Titanic",
+ "Lusitania"
+ ],
+ "réponse": "Lusitania",
+ "anecdote": "RMS Lusitania werd getorpedeerd door een Duitse U-20 onderzeeër op 7 mei 1915, uit Ierland, met 1.200 passagiers aan boord."
+ },
+ {
+ "id": 13,
+ "question": "Op een wereldkaart, welke kant is de Mont Blanc ten opzichte van het Meer van Genève ?",
+ "propositions": [
+ "Noord",
+ "Oost",
+ "Zuid",
+ "West"
+ ],
+ "réponse": "Zuid",
+ "anecdote": "Le Leman of het meer van Genève wordt van oost naar west doorkruist door de Rijn, de grootste zijrivier van het meer."
+ },
+ {
+ "id": 14,
+ "question": "Welke beroemde Florentijnse schilder woonde in het landhuis Cloux, in Amboise ?",
+ "propositions": [
+ "Filippino Lippi",
+ "Bernardo Daddi",
+ "Valerio Cigoli",
+ "Leonardo da Vinci"
+ ],
+ "réponse": "Leonardo da Vinci",
+ "anecdote": "Het is François I die het ter beschikking stelt van Léonard de Vinci die er drie jaar zal wonen, tot zijn dood op 2 mei 1519."
+ },
+ {
+ "id": 15,
+ "question": "Welke van deze tragedies werd niet geschreven door William Shakespeare ?",
+ "propositions": [
+ "Antoine en Cleopatra",
+ "King Lear",
+ "Romeo en Julia",
+ "Caesar en Rosalie"
+ ],
+ "réponse": "Caesar en Rosalie",
+ "anecdote": "Shakespeare staat bekend om zijn beheersing van poëtische vormen en zijn vermogen om aspecten van de menselijke natuur te vertegenwoordigen."
+ },
+ {
+ "id": 16,
+ "question": "Welke van deze beroepen heeft Beaumarchais niet uitgeoefend ?",
+ "propositions": [
+ "Spion",
+ "Muzikant",
+ "Négrier",
+ "Pâtier"
+ ],
+ "réponse": "Pâtier",
+ "anecdote": "Belangrijke figuur van de Verlichting, Beaumarchais wordt geschat als een van de aankondigers van de Franse Revolutie."
+ },
+ {
+ "id": 17,
+ "question": "Wat is de naam van D'Artagnans valet gecreëerd door Alexandre Dumas ?",
+ "propositions": [
+ "Sancho",
+ "Dantes",
+ "Carlos",
+ "Planchet"
+ ],
+ "réponse": "Planchet",
+ "anecdote": "Hoewel het af en toe als een stripfiguur wordt behandeld, is Planchet een efficiënte, intelligente en zeer toegewijde bediende."
+ },
+ {
+ "id": 18,
+ "question": "Welke zangeres gaf zichzelf in 1967 « 2 minuten 35 van geluk » ?",
+ "propositions": [
+ "Françoise Hardy",
+ "Sylvie Vartan",
+ "Brigitte Bardot",
+ "Alice Dona"
+ ],
+ "réponse": "Sylvie Vartan",
+ "anecdote": "« 2'35 van geluk » is het zesde album van Sylvie Vartan, uitgebracht in LP '33 tours 'in 1967 en zong samen met haar vriend Carlos."
+ },
+ {
+ "id": 19,
+ "question": "Welke krant is lang het officiële orgaan van de Franse Communistische Partij geweest ?",
+ "propositions": [
+ "Bevrijding",
+ "Le Figaro",
+ "De mening",
+ "Menselijkheid"
+ ],
+ "réponse": "Menselijkheid",
+ "anecdote": "Net als veel titels uit de geschreven pers, profiteert de door Jean Jaurès opgerichte krant van subsidies van de Franse staat."
+ },
+ {
+ "id": 20,
+ "question": "Wie zit Marlon Brando in « The Last Tango in Parijs » ?",
+ "propositions": [
+ "Maria Schneider",
+ "Eva Marie Saint",
+ "Anna Magnani",
+ "Joanne Woodward"
+ ],
+ "réponse": "Maria Schneider",
+ "anecdote": "De regisseur had gedroomd om een vrouw op straat te ontmoeten en seks met haar te hebben zonder haar naam te kennen."
+ }
+ ],
+ "expert": [
+ {
+ "id": 21,
+ "question": "Wie belichaamt de eerste vrouw op aarde in de Griekse mythologie ?",
+ "propositions": [
+ "Psyched",
+ "Pandora",
+ "Serieel",
+ "Eurydice"
+ ],
+ "réponse": "Pandora",
+ "anecdote": "De doos van de Pandora bevatte ouderdom, ziekte, oorlog, hongersnood, ellende, waanzin, dood en ondeugd."
+ },
+ {
+ "id": 22,
+ "question": "In welk land consumeren we de meeste aardappelen per hoofd van de bevolking per jaar ?",
+ "propositions": [
+ "Duitsland",
+ "India",
+ "Frankrijk",
+ "Rusland"
+ ],
+ "réponse": "Rusland",
+ "anecdote": "De aardappel is een relatief zetmeelrijke voeding en wordt soms als een delicatesse beschouwd."
+ },
+ {
+ "id": 23,
+ "question": "Met welke van zijn vrouwen heeft Clark Gable verklaard dat hij de gelukkigste was ?",
+ "propositions": [
+ "Josephine Dillon",
+ "Kay Williams",
+ "Carole Lombard",
+ "Sylvia Ashley"
+ ],
+ "réponse": "Carole Lombard",
+ "anecdote": "Na haar vliegtuigongeluk wordt Carole Lombard het eerste Amerikaanse vrouwelijke slachtoffer van de Tweede Wereldoorlog."
+ },
+ {
+ "id": 24,
+ "question": "Welke binaire code wordt ook de televisiecode van Alphabet International genoemd ?",
+ "propositions": [
+ "Morse Code",
+ "Sechorehore",
+ "Code Chappe",
+ "Code Baudot"
+ ],
+ "réponse": "Code Baudot",
+ "anecdote": "Deze code uitgevonden in 1877, hoewel rijker dan morsecode, behandelt geen kleine letters of bepaalde symbolen."
+ },
+ {
+ "id": 25,
+ "question": "In welk land kun je manioba met rijst eten ?",
+ "propositions": [
+ "Brazilië",
+ "Ségal",
+ "India",
+ "Vietnam"
+ ],
+ "réponse": "Brazilië",
+ "anecdote": "Dit feestelijke gerecht is gemaakt met bladeren van de maniokplant die fijn zijn geplet en een week gekookt."
+ },
+ {
+ "id": 26,
+ "question": "Welk element heeft het hoogste smeltpunt van alle metalen ?",
+ "propositions": [
+ "Nikkel",
+ "Goud",
+ "Platina",
+ "Tungsten"
+ ],
+ "réponse": "Tungsten",
+ "anecdote": "Zuiver wolfraam is een hard metaal, variërend van staalgrijs tot tinwit dat met een ijzerzaag kan worden gesneden."
+ },
+ {
+ "id": 27,
+ "question": "Welke romanschrijver pleegde zelfmoord bij cyanide quai Voltaire in Parijs ?",
+ "propositions": [
+ "Malraux",
+ "Butor",
+ "Hemingway",
+ "Montherlant"
+ ],
+ "réponse": "Montherlant",
+ "anecdote": "Bij zijn dood in 1972 zal Montherlant een bericht overlaten aan Jean-Claude Barat, zijn universele ontvanger: « ik word blind »."
+ },
+ {
+ "id": 28,
+ "question": "Jeanne Chauvin was de eerste vrouw in Frankrijk die welk beroep uitoefende ?",
+ "propositions": [
+ "Minister",
+ "Advocaat",
+ "Apotheker",
+ "Bankier"
+ ],
+ "réponse": "Advocaat",
+ "anecdote": "Sinds 2017 heet de bibliotheek van de Faculteit der Rechtsgeleerdheid van de openbare universiteit Paris-Descartes Jeanne Chauvin."
+ },
+ {
+ "id": 29,
+ "question": "Welke rivier is ook de langste zijrivier van de Mississippi-rivier ?",
+ "propositions": [
+ "Arkansas",
+ "Missouri",
+ "Wisconsin",
+ "Minnesota"
+ ],
+ "réponse": "Missouri",
+ "anecdote": "Missouri heeft de bijnaam Big Muddy omdat het water zichtbaar slib bij zijn samenvloeiing met de Mississippi draagt."
+ },
+ {
+ "id": 30,
+ "question": "Welke beroemde Franse politicus wordt hetzelfde jaar geboren als Johannes Paulus II ?",
+ "propositions": [
+ "Georges Marchais",
+ "Jacques Chirac",
+ "Raymond Barre",
+ "François Miterrand"
+ ],
+ "réponse": "Georges Marchais",
+ "anecdote": "Paus Johannes Paulus II wordt door velen beschouwd als een van de meest invloedrijke politieke leiders van de 20e eeuw."
+ }
+ ]
+ }
+ }
+}
\ No newline at end of file
diff --git a/misc/quiz/openquizzdb/france.json b/misc/quiz/openquizzdb/france.json
new file mode 100644
index 0000000..ccaae27
--- /dev/null
+++ b/misc/quiz/openquizzdb/france.json
@@ -0,0 +1,2250 @@
+{
+ "fournisseur": "OpenQuizzDB - Fournisseur de contenu libre (https://www.openquizzdb.org)",
+ "licence": "CC BY-SA",
+ "rédacteur": "Philippe Bresoux",
+ "difficulté": "3 / 5",
+ "version": 7,
+ "mise-à-jour": "2024-10-26",
+ "catégorie-nom-slogan": {
+ "fr": {
+ "catégorie": "Géographie",
+ "nom": "Voici la France",
+ "slogan": "Division territoriale de la France"
+ },
+ "en": {
+ "catégorie": "Geography",
+ "nom": "This is France",
+ "slogan": "Territorial division of France"
+ },
+ "es": {
+ "catégorie": "Geografía",
+ "nom": "Esto es francia",
+ "slogan": "División territorial de Francia"
+ },
+ "it": {
+ "catégorie": "Geografia",
+ "nom": "Questa è la Francia",
+ "slogan": "Divisione territoriale della Francia"
+ },
+ "de": {
+ "catégorie": "Erdkunde",
+ "nom": "Das ist Frankreich",
+ "slogan": "Territoriale Aufteilung Frankreichs"
+ },
+ "nl": {
+ "catégorie": "Aardrijkskunde",
+ "nom": "Dit is Frankrijk",
+ "slogan": "Territoriale verdeling van Frankrijk"
+ }
+ },
+ "quizz": {
+ "fr": {
+ "débutant": [
+ {
+ "id": 1,
+ "question": "À quel département Bernadette et Jacques Chirac étaient-ils fortement liés ?",
+ "propositions": [
+ "Landes",
+ "Corrèze",
+ "Pas-de-Calais",
+ "Vosges"
+ ],
+ "réponse": "Corrèze",
+ "anecdote": "Située à l'ouest du Massif central, la Corrèze se compose de la Montagne, des plateaux et du bassin de Brive."
+ },
+ {
+ "id": 2,
+ "question": "Dans quel département Versailles s'est-elle développée autour de son château ?",
+ "propositions": [
+ "Gard",
+ "Aisne",
+ "Yvelines",
+ "Charente"
+ ],
+ "réponse": "Yvelines",
+ "anecdote": "Le château de Versailles accueille le Parlement lorsqu'il se réunit en Congrès pour adopter une révision de la Constitution."
+ },
+ {
+ "id": 3,
+ "question": "Comment sont nommés les habitants du département de l'Hérault ?",
+ "propositions": [
+ "Héraultais",
+ "Savoie",
+ "Gard",
+ "Morbihan"
+ ],
+ "réponse": "Héraultais",
+ "anecdote": "Georges Brassens (Sète), Boby Lapointe (Pézenas), Émilie Simon (Montpellier), Juliette Gréco (Montpellier) étaient héraultais."
+ },
+ {
+ "id": 4,
+ "question": "Quel département français regroupe l'Artois et une partie de l'ancienne Picardie ?",
+ "propositions": [
+ "Pas-de-Calais",
+ "Aisne",
+ "Nord",
+ "Calvados"
+ ],
+ "réponse": "Pas-de-Calais",
+ "anecdote": "Bien que réunis, ces deux territoires restent encore aujourd'hui assez différents culturellement et économiquement."
+ },
+ {
+ "id": 5,
+ "question": "Quel deuxième aéroport de France se situe dans le département de l'Essone ?",
+ "propositions": [
+ "Paris-Orly",
+ "Creuse",
+ "Gironde",
+ "Jura"
+ ],
+ "réponse": "Paris-Orly",
+ "anecdote": "Plaque tournante importante du transport aérien, l'aéroport brasse un trafic d'environ 30 millions de passagers chaque année."
+ },
+ {
+ "id": 6,
+ "question": "Quel département tient son nom de la rivière localement appelée le Gardon ?",
+ "propositions": [
+ "Gard",
+ "Charente",
+ "Vaucluse",
+ "Morbihan"
+ ],
+ "réponse": "Gard",
+ "anecdote": "La rivière, navigable en canoë-kayak sur environ 70 km, est franchie par le pont du Gard, pont-aqueduc romain du Ier siècle."
+ },
+ {
+ "id": 7,
+ "question": "Quel département de Bretagne a pour préfecture la ville de Vannes ?",
+ "propositions": [
+ "Côtes-d'Armor",
+ "Ille-et-Vilaine",
+ "Morbihan",
+ "Finistère"
+ ],
+ "réponse": "Morbihan",
+ "anecdote": "Il correspond pour l'essentiel au royaume, devenu comté puis baillie de Broërec et plus anciennement à la cité des Vénètes."
+ },
+ {
+ "id": 8,
+ "question": "Lequel de ces départements a un nom provenant des deux rivières le traversant ?",
+ "propositions": [
+ "Pas-de-Calais",
+ "Loir-et-Cher",
+ "Charente-Maritime",
+ "Puy-de-Dôme"
+ ],
+ "réponse": "Loir-et-Cher",
+ "anecdote": "Le département de Loir-et-Cher est connu en France notamment grâce à la chanson de Michel Delpech écrite en 1977."
+ },
+ {
+ "id": 9,
+ "question": "Quel département est géographiquement situé le plus à l'ouest de la France ?",
+ "propositions": [
+ "Pas-de-Calais",
+ "Dordogne",
+ "Lozère",
+ "Finistère"
+ ],
+ "réponse": "Finistère",
+ "anecdote": "Premier département côtier de France, le Finistère compte 117 communes littorales sur 282 et près d'un quart du littoral français."
+ },
+ {
+ "id": 10,
+ "question": "Dans quel département mange-t-on le potjevleesch, le waterzooi et le welsh ?",
+ "propositions": [
+ "Nord",
+ "Deux-Sèvres",
+ "Finistère",
+ "Lozère"
+ ],
+ "réponse": "Nord",
+ "anecdote": "Plusieurs chansons parlent du Nord, l'une des plus connues est probablement « Les Corons » de Pierre Bachelet."
+ }
+ ],
+ "confirmé": [
+ {
+ "id": 11,
+ "question": "Dans quel département êtes-vous en vous promenant sur le vieux bassin d'Honfleur ?",
+ "propositions": [
+ "Calvados",
+ "Deux-Sèvres",
+ "Yvelines",
+ "Finistère"
+ ],
+ "réponse": "Calvados",
+ "anecdote": "Ses étroites maisons en ardoises se reflétant dans le bassin en font la principale attraction touristique d'Honfleur."
+ },
+ {
+ "id": 12,
+ "question": "Dans quel département l'agglomération d'Épinal dépasse-t-elle les 40 000 habitants ?",
+ "propositions": [
+ "Gironde",
+ "Jura",
+ "Vosges",
+ "Aude"
+ ],
+ "réponse": "Vosges",
+ "anecdote": "Connue d'abord pour son imagerie, fondée en 1796 par Pellerin, la ville l'est également pour son château et sa basilique."
+ },
+ {
+ "id": 13,
+ "question": "Quel est le troisième département forestier de France avec 418 000 hectares ?",
+ "propositions": [
+ "Creuse",
+ "Sarthe",
+ "Vosges",
+ "Dordogne"
+ ],
+ "réponse": "Dordogne",
+ "anecdote": "On y trouve Feuillus, conifères, prairies, collines, vallons, vallées, vignes, truffières, falaises, cours d'eau, gorges et grottes."
+ },
+ {
+ "id": 14,
+ "question": "Quel est le plus vaste département de France métropolitaine ?",
+ "propositions": [
+ "Aude",
+ "Yvelines",
+ "Savoie",
+ "Gironde"
+ ],
+ "réponse": "Gironde",
+ "anecdote": "Long de 75 kilomètres et large de 12 kilomètres à son embouchure, l'estuaire de la Gironde est le plus grand estuaire d'Europe."
+ },
+ {
+ "id": 15,
+ "question": "De quel département François Fillon a-t-il été député et sénateur ?",
+ "propositions": [
+ "Sarthe",
+ "Manche",
+ "Lozère",
+ "Finistère"
+ ],
+ "réponse": "Sarthe",
+ "anecdote": "Sa campagne fut mise en question par des révélations de la presse, puis des poursuites l'impliquant avec son épouse, Penelope."
+ },
+ {
+ "id": 16,
+ "question": "Dans quel département pouvez-vous assister aux 24 Heures du Mans ?",
+ "propositions": [
+ "Charente",
+ "Sarthe",
+ "Corrèze",
+ "Moselle"
+ ],
+ "réponse": "Sarthe",
+ "anecdote": "La compétition, initiée en 1923 et se déroulant chaque année au mois de juin, attire un peu plus de 240 000 spectateurs."
+ },
+ {
+ "id": 17,
+ "question": "Quel département est réputé pour ses vins blancs dont son cépage Savagnin ?",
+ "propositions": [
+ "Corrèze",
+ "Jura",
+ "Yvelines",
+ "Nord"
+ ],
+ "réponse": "Jura",
+ "anecdote": "On trouve également dans le Jura des vins singuliers comme les vins liquoreux que sont le macvin ou le vin de paille."
+ },
+ {
+ "id": 18,
+ "question": "Quel département français est frontalier avec le Luxembourg et l'Allemagne ?",
+ "propositions": [
+ "Moselle",
+ "Manche",
+ "Gironde",
+ "Savoie"
+ ],
+ "réponse": "Moselle",
+ "anecdote": "Au niveau européen, la Moselle fait partie de la Grande Région et de l'Eurodistrict SaarMoselle (pour une partie du département)."
+ },
+ {
+ "id": 19,
+ "question": "Quel département ayant pour code 73 est le plus montagneux de France ?",
+ "propositions": [
+ "Loir-et-Cher",
+ "Calvados",
+ "Savoie",
+ "Creuse"
+ ],
+ "réponse": "Savoie",
+ "anecdote": "La grande majorité des massifs de la Savoie sont des massifs alpins, auxquels s'ajoute la partie la plus méridionale du Jura."
+ },
+ {
+ "id": 20,
+ "question": "Dans quel département français est situé le mont Ventoux ?",
+ "propositions": [
+ "Gard",
+ "Vaucluse",
+ "Lozère",
+ "Aude"
+ ],
+ "réponse": "Vaucluse",
+ "anecdote": "Surnommé le mont Chauve, le mont Ventoux est le point culminant des monts de Vaucluse et le plus haut sommet de Vaucluse."
+ }
+ ],
+ "expert": [
+ {
+ "id": 21,
+ "question": "Quel département français a pour emblème un escargot avec des ailes ?",
+ "propositions": [
+ "Manche",
+ "Dordogne",
+ "Vaucluse",
+ "Charente"
+ ],
+ "réponse": "Charente",
+ "anecdote": "Le département tire son nom du fleuve qui, à l'époque gallo-romaine, était connu sous le nom grec de Kanentelos."
+ },
+ {
+ "id": 22,
+ "question": "De quel département Cherbourg-en-Cotentin est-elle le principal pôle culturel ?",
+ "propositions": [
+ "Calvados",
+ "Manche",
+ "Loir-et-Cher",
+ "Sarthe"
+ ],
+ "réponse": "Manche",
+ "anecdote": "Le chanteur Allain Leprest, originaire de Lestre, est resté fidèle à son département et à sa mer d'origine qu'il a chantés."
+ },
+ {
+ "id": 23,
+ "question": "Dans quel département fête-t-on le carnaval de Limoux durant plus de dix semaines ?",
+ "propositions": [
+ "Corrèze",
+ "Deux-Sèvres",
+ "Moselle",
+ "Aude"
+ ],
+ "réponse": "Aude",
+ "anecdote": "Se déroulant dans la ville de Limoux, sur la place de la République, c'est l'un des plus longs carnavals du monde."
+ },
+ {
+ "id": 24,
+ "question": "Dans quelle ville de la Somme trouve-t-on la Tour Perret et la maison de Jules Verne ?",
+ "propositions": [
+ "Vaucluse",
+ "Amiens",
+ "Jura",
+ "Gard"
+ ],
+ "réponse": "Amiens",
+ "anecdote": "On distingue deux grandes zones riches en sites touristiques : la côte picarde et Abbeville, l'Amiénois et la Haute Somme."
+ },
+ {
+ "id": 25,
+ "question": "Quel est le deuxième département le moins peuplé de France après la Lozère ?",
+ "propositions": [
+ "Creuse",
+ "Dordogne",
+ "Pas-de-Calais",
+ "Vosges"
+ ],
+ "réponse": "Creuse",
+ "anecdote": "La Creuse est limitrophe des départements de la Corrèze, de la Haute-Vienne, de l'Allier, du Puy-de-Dôme, du Cher et de l'Indre."
+ },
+ {
+ "id": 26,
+ "question": "Quel département français est surnommé le département des sources ?",
+ "propositions": [
+ "Vosges",
+ "Sarthe",
+ "Morbihan",
+ "Lozère"
+ ],
+ "réponse": "Lozère",
+ "anecdote": "C'est le seul département français métropolitain dans lequel toutes les rivières qui s'écoulent prennent également leur source."
+ },
+ {
+ "id": 27,
+ "question": "Quel barrage est situé sur la Truyère, dans le département du Cantal ?",
+ "propositions": [
+ "Tignes",
+ "Grandval",
+ "Pareloup",
+ "Maury"
+ ],
+ "réponse": "Grandval",
+ "anecdote": "La scène du contrôle de la Feldgendarmerie sur le barrage du film « La Grande Vadrouille » y a été tournée en 1966."
+ },
+ {
+ "id": 28,
+ "question": "Dans quel département la ville de Niort compte-t-elle plus de 50 000 habitants ?",
+ "propositions": [
+ "Moselle",
+ "Nord",
+ "Landes",
+ "Deux-Sèvres"
+ ],
+ "réponse": "Deux-Sèvres",
+ "anecdote": "Comparé à la densité de la France métropolitaine, le département des Deux-Sèvres apparaît comme moyennement peuplé."
+ },
+ {
+ "id": 29,
+ "question": "Dans quel département les habitants sont-ils appelés les Axonais ?",
+ "propositions": [
+ "Allier",
+ "Ariège",
+ "Aisne",
+ "Ain"
+ ],
+ "réponse": "Aisne",
+ "anecdote": "L'Aisne a perdu un peu de sa population dans la seconde moitié du XIXe siècle, en raison de l'exode rural, pourtant limité."
+ },
+ {
+ "id": 30,
+ "question": "Dans quel département la renommée des conditions de surf est-elle mondiale ?",
+ "propositions": [
+ "Gironde",
+ "Landes",
+ "Moselle",
+ "Manche"
+ ],
+ "réponse": "Landes",
+ "anecdote": "Les Landes sont également réputées culinairement au travers du foie gras, des magrets, des poulets et des vins AOC Tursan."
+ }
+ ]
+ },
+ "en": {
+ "débutant": [
+ {
+ "id": 1,
+ "question": "To which department are Bernadette and Jacques Chirac strongly linked ?",
+ "propositions": [
+ "Landes",
+ "Correze",
+ "Vosges",
+ "Pas-de-Calais"
+ ],
+ "réponse": "Correze",
+ "anecdote": "Located to the west of the Massif Central, Corrèze is made up of the Mountain, the plateaus and the Brive basin."
+ },
+ {
+ "id": 2,
+ "question": "In which department did Versailles develop around its castle ?",
+ "propositions": [
+ "Yvelines",
+ "Gard",
+ "aisne",
+ "Charente"
+ ],
+ "réponse": "Yvelines",
+ "anecdote": "The Palace of Versailles welcomes the Parliament when it meets in Congress to adopt a revision of the Constitution."
+ },
+ {
+ "id": 3,
+ "question": "What are the inhabitants of the department of Hérault called ?",
+ "propositions": [
+ "Savoy",
+ "Morbihan",
+ "Hérault people",
+ "Gard"
+ ],
+ "réponse": "Hérault people",
+ "anecdote": "Georges Brassens (Sète), Boby Lapointe (Pézenas), Émilie Simon (Montpellier), Juliette Gréco (Montpellier) were from Hérault."
+ },
+ {
+ "id": 4,
+ "question": "Which French department brings together Artois and part of the former Picardy ?",
+ "propositions": [
+ "calvados",
+ "North",
+ "Pas-de-Calais",
+ "aisne"
+ ],
+ "réponse": "Pas-de-Calais",
+ "anecdote": "Although united, these two territories are still today quite different culturally and economically."
+ },
+ {
+ "id": 5,
+ "question": "Which second airport in France is located in the Essone department ?",
+ "propositions": [
+ "Gironde",
+ "Paris-Orly",
+ "Hollow",
+ "Jura"
+ ],
+ "réponse": "Paris-Orly",
+ "anecdote": "A major air transport hub, the airport handles approximately 30 million passengers each year."
+ },
+ {
+ "id": 6,
+ "question": "Which department takes its name from the river locally called the Gardon ?",
+ "propositions": [
+ "Gard",
+ "Charente",
+ "Vaucluse",
+ "Morbihan"
+ ],
+ "réponse": "Gard",
+ "anecdote": "The river, navigable by canoe-kayak for about 70 km, is crossed by the Pont du Gard, a Roman aqueduct from the 1st century."
+ },
+ {
+ "id": 7,
+ "question": "Which department of Brittany has the city of Vannes as its prefecture ?",
+ "propositions": [
+ "Morbihan",
+ "Côtes-d'Armor",
+ "Finistere",
+ "Ille-et-Vilaine"
+ ],
+ "réponse": "Morbihan",
+ "anecdote": "It essentially corresponds to the kingdom, which became county then bailiff of Broërec and more formerly to the city of Vénètes."
+ },
+ {
+ "id": 8,
+ "question": "Which of these departments has a name coming from the two rivers crossing it ?",
+ "propositions": [
+ "Puy-de-Dome",
+ "Loire-et-Cher",
+ "Charente Maritime",
+ "Pas-de-Calais"
+ ],
+ "réponse": "Loire-et-Cher",
+ "anecdote": "The department of Loir-et-Cher is known in France in particular thanks to the song by Michel Delpech written in 1977."
+ },
+ {
+ "id": 9,
+ "question": "Which department is geographically the most westerly in France ?",
+ "propositions": [
+ "Pas-de-Calais",
+ "Dordogne",
+ "Lozere",
+ "Finistere"
+ ],
+ "réponse": "Finistere",
+ "anecdote": "First coastal department of France, Finistère has 117 coastal municipalities out of 282 and nearly a quarter of the French coast."
+ },
+ {
+ "id": 10,
+ "question": "In which department do we eat potjevleesch, waterzooi and welsh ?",
+ "propositions": [
+ "Two-Sevres",
+ "Finistere",
+ "Lozere",
+ "North"
+ ],
+ "réponse": "North",
+ "anecdote": "Several songs are about the North, one of the best known is probably « Les Corons » by Pierre Bachelet."
+ }
+ ],
+ "confirmé": [
+ {
+ "id": 11,
+ "question": "In which department are you walking on the old basin of Honfleur ?",
+ "propositions": [
+ "Finistere",
+ "Yvelines",
+ "Two-Sevres",
+ "calvados"
+ ],
+ "réponse": "calvados",
+ "anecdote": "Its narrow slate houses reflected in the basin make it the main tourist attraction of Honfleur."
+ },
+ {
+ "id": 12,
+ "question": "In which department does the agglomeration of Épinal exceed 40,000 inhabitants ?",
+ "propositions": [
+ "Gironde",
+ "Vosges",
+ "Jura",
+ "aude"
+ ],
+ "réponse": "Vosges",
+ "anecdote": "First known for its imagery, founded in 1796 by Pellerin, the city is also known for its castle and its basilica."
+ },
+ {
+ "id": 13,
+ "question": "What is the third largest forest department in France with 418,000 hectares ?",
+ "propositions": [
+ "Vosges",
+ "Hollow",
+ "Dordogne",
+ "Sarthe"
+ ],
+ "réponse": "Dordogne",
+ "anecdote": "There are leafy trees, conifers, meadows, hills, valleys, vineyards, truffle fields, cliffs, streams, gorges and caves."
+ },
+ {
+ "id": 14,
+ "question": "What is the largest department in metropolitan France ?",
+ "propositions": [
+ "Savoy",
+ "Gironde",
+ "Yvelines",
+ "aude"
+ ],
+ "réponse": "Gironde",
+ "anecdote": "75 kilometers long and 12 kilometers wide at its mouth, the Gironde estuary is the largest estuary in Europe."
+ },
+ {
+ "id": 15,
+ "question": "From which department was François Fillon a deputy and senator ?",
+ "propositions": [
+ "Finistere",
+ "Lozere",
+ "Channel",
+ "Sarthe"
+ ],
+ "réponse": "Sarthe",
+ "anecdote": "His campaign was challenged by press revelations and later lawsuits implicating him and his wife, Penelope."
+ },
+ {
+ "id": 16,
+ "question": "In which department can you attend the 24 Hours of Le Mans ?",
+ "propositions": [
+ "Charente",
+ "Correze",
+ "Sarthe",
+ "Mosel"
+ ],
+ "réponse": "Sarthe",
+ "anecdote": "The competition, initiated in 1923 and taking place every year in June, attracts just over 240,000 spectators."
+ },
+ {
+ "id": 17,
+ "question": "What department is famous for its white wines including its Savagnin grape variety ?",
+ "propositions": [
+ "Yvelines",
+ "Correze",
+ "Jura",
+ "North"
+ ],
+ "réponse": "Jura",
+ "anecdote": "There are also unique wines in the Jura such as sweet wines such as macvin or straw wine."
+ },
+ {
+ "id": 18,
+ "question": "Which French department borders Luxembourg and Germany ?",
+ "propositions": [
+ "Mosel",
+ "Gironde",
+ "Savoy",
+ "Channel"
+ ],
+ "réponse": "Mosel",
+ "anecdote": "At European level, the Moselle is part of the Greater Region and the Eurodistrict SaarMoselle (for part of the department)."
+ },
+ {
+ "id": 19,
+ "question": "Which department with code 73 is the most mountainous in France ?",
+ "propositions": [
+ "calvados",
+ "Loire-et-Cher",
+ "Hollow",
+ "Savoy"
+ ],
+ "réponse": "Savoy",
+ "anecdote": "The vast majority of the massifs of Savoie are alpine massifs, to which is added the southernmost part of the Jura."
+ },
+ {
+ "id": 20,
+ "question": "In which French department is Mont Ventoux located ?",
+ "propositions": [
+ "aude",
+ "Vaucluse",
+ "Gard",
+ "Lozere"
+ ],
+ "réponse": "Vaucluse",
+ "anecdote": "Nicknamed Mont Chauve, Mont Ventoux is the highest point of the Monts de Vaucluse and the highest peak in Vaucluse."
+ }
+ ],
+ "expert": [
+ {
+ "id": 21,
+ "question": "Which French department has a snail with wings as its emblem ?",
+ "propositions": [
+ "Channel",
+ "Charente",
+ "Dordogne",
+ "Vaucluse"
+ ],
+ "réponse": "Charente",
+ "anecdote": "The department takes its name from the river which, in Gallo-Roman times, was known by the Greek name of Kanentelos."
+ },
+ {
+ "id": 22,
+ "question": "Which department is Cherbourg-en-Cotentin the main cultural center of ?",
+ "propositions": [
+ "Channel",
+ "Loire-et-Cher",
+ "Sarthe",
+ "calvados"
+ ],
+ "réponse": "Channel",
+ "anecdote": "The singer Allain Leprest, originally from Lestre, remained faithful to his department and his sea of origin which he sang."
+ },
+ {
+ "id": 23,
+ "question": "In which department is the carnival of Limoux celebrated for more than ten weeks ?",
+ "propositions": [
+ "Correze",
+ "Mosel",
+ "aude",
+ "Two-Sevres"
+ ],
+ "réponse": "aude",
+ "anecdote": "Taking place in the city of Limoux, on the Place de la République, it is one of the longest carnivals in the world."
+ },
+ {
+ "id": 24,
+ "question": "In which city of the Somme do we find the Perret Tower and the house of Jules Verne ?",
+ "propositions": [
+ "Jura",
+ "amiens",
+ "Gard",
+ "Vaucluse"
+ ],
+ "réponse": "amiens",
+ "anecdote": "There are two major areas rich in tourist sites : the Picardy coast and Abbeville, the Amiens and the Haute Somme."
+ },
+ {
+ "id": 25,
+ "question": "What is the second least populated department in France after Lozère ?",
+ "propositions": [
+ "Vosges",
+ "Hollow",
+ "Dordogne",
+ "Pas-de-Calais"
+ ],
+ "réponse": "Hollow",
+ "anecdote": "La Creuse borders the departments of Corrèze, Haute-Vienne, Allier, Puy-de-Dôme, Cher and Indre."
+ },
+ {
+ "id": 26,
+ "question": "Which French department is nicknamed the department of sources ?",
+ "propositions": [
+ "Sarthe",
+ "Vosges",
+ "Lozere",
+ "Morbihan"
+ ],
+ "réponse": "Lozere",
+ "anecdote": "It is the only metropolitan French department in which all the rivers that flow also have their source."
+ },
+ {
+ "id": 27,
+ "question": "Which dam is located on the Truyère, in the Cantal department ?",
+ "propositions": [
+ "grandval",
+ "Maury",
+ "Pareloup",
+ "Tignes"
+ ],
+ "réponse": "grandval",
+ "anecdote": "The scene of the Feldgendarmerie checking the dam from the film « La Grande Vadrouille » was filmed there in 1966."
+ },
+ {
+ "id": 28,
+ "question": "In which department does the city of Niort have more than 50,000 inhabitants ?",
+ "propositions": [
+ "Two-Sevres",
+ "Mosel",
+ "Landes",
+ "North"
+ ],
+ "réponse": "Two-Sevres",
+ "anecdote": "Compared to the density of metropolitan France, the department of Deux-Sèvres appears to be moderately populated."
+ },
+ {
+ "id": 29,
+ "question": "In which department are the inhabitants called the Axonais ?",
+ "propositions": [
+ "aisne",
+ "Ain",
+ "ally",
+ "Ariège"
+ ],
+ "réponse": "aisne",
+ "anecdote": "The Aisne lost some of its population in the second half of the 19th century, due to the rural exodus, however limited."
+ },
+ {
+ "id": 30,
+ "question": "In which department is the world famous surfing conditions ?",
+ "propositions": [
+ "Landes",
+ "Mosel",
+ "Gironde",
+ "Channel"
+ ],
+ "réponse": "Landes",
+ "anecdote": "The Landes are also famous culinary through foie gras, duck breast, chicken and AOC Tursan wines."
+ }
+ ]
+ },
+ "de": {
+ "débutant": [
+ {
+ "id": 1,
+ "question": "Mit welcher Abteilung sind Bernadette und Jacques Chirac eng verbunden ?",
+ "propositions": [
+ "Pas-de-Calais",
+ "Landes",
+ "Korrize",
+ "Vogesen"
+ ],
+ "réponse": "Korrize",
+ "anecdote": "Corrèze liegt im Westen des Zentralmassivs und besteht aus dem Berg, den Hochebenen und dem Brive-Becken."
+ },
+ {
+ "id": 2,
+ "question": "In welchem Departement hat sich Versailles um sein Schloss herum entwickelt ?",
+ "propositions": [
+ "Charente",
+ "Gard",
+ "Yvelines",
+ "aise"
+ ],
+ "réponse": "Yvelines",
+ "anecdote": "Das Schloss von Versailles begrüßt das Parlament, wenn es im Kongress zusammentritt, um eine Revision der Verfassung anzunehmen."
+ },
+ {
+ "id": 3,
+ "question": "Wie heißen die Einwohner des Departements Hérault ?",
+ "propositions": [
+ "Hérault-Leute",
+ "Gard",
+ "Morbihan",
+ "Wirsing"
+ ],
+ "réponse": "Hérault-Leute",
+ "anecdote": "Georges Brassens (Sète), Boby Lapointe (Pézenas), Émilie Simon (Montpellier), Juliette Gréco (Montpellier) stammten aus Hérault."
+ },
+ {
+ "id": 4,
+ "question": "Welches französische Departement vereint Artois und einen Teil der ehemaligen Picardie ?",
+ "propositions": [
+ "Calvados",
+ "Pas-de-Calais",
+ "Norden",
+ "aise"
+ ],
+ "réponse": "Pas-de-Calais",
+ "anecdote": "Obwohl vereint, sind diese beiden Gebiete noch heute kulturell und wirtschaftlich sehr unterschiedlich."
+ },
+ {
+ "id": 5,
+ "question": "Welcher zweite Flughafen in Frankreich befindet sich im Departement Essone ?",
+ "propositions": [
+ "Hohl",
+ "Paris-Orly",
+ "Gironde",
+ "Jura"
+ ],
+ "réponse": "Paris-Orly",
+ "anecdote": "Der Flughafen ist ein wichtiger Luftverkehrsknotenpunkt und fertigt jedes Jahr etwa 30 Millionen Passagiere ab."
+ },
+ {
+ "id": 6,
+ "question": "Welches Departement hat seinen Namen von dem Fluss namens Gardon ?",
+ "propositions": [
+ "Charente",
+ "Morbihan",
+ "Gard",
+ "Vaucluse"
+ ],
+ "réponse": "Gard",
+ "anecdote": "Der Fluss, der etwa 70 km mit Kanus und Kajaks befahrbar ist, wird vom Pont du Gard, einem römischen Aquädukt aus dem 1. Jahrhundert, überquert."
+ },
+ {
+ "id": 7,
+ "question": "Welches Departement der Bretagne hat die Stadt Vannes als Präfektur ?",
+ "propositions": [
+ "Morbihan",
+ "Ille-et-Vilaine",
+ "Côtes-d'Armor",
+ "Finistère"
+ ],
+ "réponse": "Morbihan",
+ "anecdote": "Es entspricht im Wesentlichen dem Königreich, das zur Grafschaft, dann zum Gerichtsvollzieher von Broërec und früher zur Stadt Vénètes wurde."
+ },
+ {
+ "id": 8,
+ "question": "Welches dieser Departements hat einen Namen, der von den beiden Flüssen stammt, die es durchqueren ?",
+ "propositions": [
+ "Loire-et-Cher",
+ "Charente-Maritime",
+ "Pas-de-Calais",
+ "Puy-de-Dome"
+ ],
+ "réponse": "Loire-et-Cher",
+ "anecdote": "Das Departement Loir-et-Cher ist in Frankreich vor allem durch das Lied von Michel Delpech aus dem Jahr 1977 bekannt."
+ },
+ {
+ "id": 9,
+ "question": "Welches Departement liegt geografisch am westlichsten in Frankreich ?",
+ "propositions": [
+ "Finistère",
+ "Dordogne",
+ "Pas-de-Calais",
+ "Lozère"
+ ],
+ "réponse": "Finistère",
+ "anecdote": "Als erstes Küstendepartement Frankreichs hat Finistère 117 von 282 Küstengemeinden und fast ein Viertel der französischen Küste."
+ },
+ {
+ "id": 10,
+ "question": "In welcher Abteilung essen wir Potjevleesch, Waterzooi und Welsh ?",
+ "propositions": [
+ "Lozère",
+ "Zwei-Sèvres",
+ "Norden",
+ "Finistère"
+ ],
+ "réponse": "Norden",
+ "anecdote": "Mehrere Lieder handeln vom Norden, eines der bekanntesten ist wahrscheinlich « Les Corons » von Pierre Bachelet."
+ }
+ ],
+ "confirmé": [
+ {
+ "id": 11,
+ "question": "In welcher Abteilung gehen Sie auf dem alten Becken von Honfleur ?",
+ "propositions": [
+ "Finistère",
+ "Calvados",
+ "Zwei-Sèvres",
+ "Yvelines"
+ ],
+ "réponse": "Calvados",
+ "anecdote": "Seine schmalen Schieferhäuser, die sich im Becken spiegeln, machen ihn zur Haupttouristenattraktion von Honfleur."
+ },
+ {
+ "id": 12,
+ "question": "In welchem Departement hat die Agglomeration von Épinal mehr als 40.000 Einwohner ?",
+ "propositions": [
+ "Vogesen",
+ "Jura",
+ "Aude",
+ "Gironde"
+ ],
+ "réponse": "Vogesen",
+ "anecdote": "Die 1796 von Pellerin gegründete Stadt wurde zunächst für ihre Bilderwelt bekannt, ist aber auch für ihr Schloss und ihre Basilika bekannt."
+ },
+ {
+ "id": 13,
+ "question": "Welches ist mit 418.000 Hektar das drittgrößte Forstdepartement Frankreichs ?",
+ "propositions": [
+ "Hohl",
+ "Sarthe",
+ "Dordogne",
+ "Vogesen"
+ ],
+ "réponse": "Dordogne",
+ "anecdote": "Es gibt Laubbäume, Koniferen, Wiesen, Hügel, Täler, Weinberge, Trüffelfelder, Klippen, Bäche, Schluchten und Höhlen."
+ },
+ {
+ "id": 14,
+ "question": "Was ist das größte Departement im französischen Mutterland ?",
+ "propositions": [
+ "Aude",
+ "Yvelines",
+ "Wirsing",
+ "Gironde"
+ ],
+ "réponse": "Gironde",
+ "anecdote": "Mit einer Länge von 75 Kilometern und einer Breite von 12 Kilometern an der Mündung ist die Gironde-Mündung die größte Mündung Europas."
+ },
+ {
+ "id": 15,
+ "question": "Aus welchem Departement war François Fillon Abgeordneter und Senator ?",
+ "propositions": [
+ "Lozère",
+ "Finistère",
+ "Sarthe",
+ "Ärmel"
+ ],
+ "réponse": "Sarthe",
+ "anecdote": "Seine Kampagne wurde durch Presseenthüllungen und spätere Klagen in Frage gestellt, in die er und seine Frau Penelope verwickelt waren."
+ },
+ {
+ "id": 16,
+ "question": "In welcher Abteilung kann man an den 24 Stunden von Le Mans teilnehmen ?",
+ "propositions": [
+ "Mosel",
+ "Charente",
+ "Sarthe",
+ "Korrize"
+ ],
+ "réponse": "Sarthe",
+ "anecdote": "Der 1923 ins Leben gerufene Wettbewerb, der jedes Jahr im Juni stattfindet, zieht knapp über 240.000 Zuschauer an."
+ },
+ {
+ "id": 17,
+ "question": "Welches Departement ist berühmt für seine Weißweine, einschließlich der Rebsorte Savagnin ?",
+ "propositions": [
+ "Korrize",
+ "Jura",
+ "Yvelines",
+ "Norden"
+ ],
+ "réponse": "Jura",
+ "anecdote": "Es gibt auch einzigartige Weine im Jura wie Süßweine wie Macvin oder Strohwein."
+ },
+ {
+ "id": 18,
+ "question": "Welches französische Departement grenzt an Luxemburg und Deutschland ?",
+ "propositions": [
+ "Gironde",
+ "Ärmel",
+ "Wirsing",
+ "Mosel"
+ ],
+ "réponse": "Mosel",
+ "anecdote": "Auf europäischer Ebene ist die Mosel Teil der Großregion und des Eurodistrikts SaarMosel (für einen Teil des Departements)."
+ },
+ {
+ "id": 19,
+ "question": "Welches Departement mit Code 73 ist das gebirgigste in Frankreich ?",
+ "propositions": [
+ "Wirsing",
+ "Loire-et-Cher",
+ "Calvados",
+ "Hohl"
+ ],
+ "réponse": "Wirsing",
+ "anecdote": "Die überwiegende Mehrheit der Massive von Savoyen sind Alpenmassive, zu denen der südlichste Teil des Jura hinzukommt."
+ },
+ {
+ "id": 20,
+ "question": "In welchem französischen Departement liegt Mont Ventoux ?",
+ "propositions": [
+ "Gard",
+ "Lozère",
+ "Vaucluse",
+ "Aude"
+ ],
+ "réponse": "Vaucluse",
+ "anecdote": "Der Mont Ventoux mit dem Spitznamen Mont Chauve ist der höchste Punkt der Monts de Vaucluse und der höchste Gipfel im Vaucluse."
+ }
+ ],
+ "expert": [
+ {
+ "id": 21,
+ "question": "Welches französische Departement hat eine Schnecke mit Flügeln als Emblem ?",
+ "propositions": [
+ "Ärmel",
+ "Vaucluse",
+ "Charente",
+ "Dordogne"
+ ],
+ "réponse": "Charente",
+ "anecdote": "Das Departement hat seinen Namen von dem Fluss, der in gallo-römischer Zeit unter dem griechischen Namen Kanentelos bekannt war."
+ },
+ {
+ "id": 22,
+ "question": "In welchem Departement ist Cherbourg-en-Cotentin das wichtigste kulturelle Zentrum ?",
+ "propositions": [
+ "Calvados",
+ "Sarthe",
+ "Loire-et-Cher",
+ "Ärmel"
+ ],
+ "réponse": "Ärmel",
+ "anecdote": "Der aus Lestre stammende Sänger Allain Leprest blieb seiner Abteilung und seinem Ursprungsmeer treu, das er sang."
+ },
+ {
+ "id": 23,
+ "question": "In welchem Departement wird der Karneval von Limoux länger als zehn Wochen gefeiert ?",
+ "propositions": [
+ "Korrize",
+ "Aude",
+ "Mosel",
+ "Zwei-Sèvres"
+ ],
+ "réponse": "Aude",
+ "anecdote": "Er findet in der Stadt Limoux am Place de la République statt und ist einer der längsten Karnevale der Welt."
+ },
+ {
+ "id": 24,
+ "question": "In welcher Stadt an der Somme finden wir den Perret-Turm und das Haus von Jules Verne ?",
+ "propositions": [
+ "Vaucluse",
+ "Amiens",
+ "Gard",
+ "Jura"
+ ],
+ "réponse": "Amiens",
+ "anecdote": "Es gibt zwei große Gebiete, die reich an Touristenattraktionen sind : die Picardie-Küste und Abbeville, die Amiénois und die Haute Somme."
+ },
+ {
+ "id": 25,
+ "question": "Was ist nach Lozère das am zweitdünnsten besiedelte Departement Frankreichs ?",
+ "propositions": [
+ "Pas-de-Calais",
+ "Dordogne",
+ "Hohl",
+ "Vogesen"
+ ],
+ "réponse": "Hohl",
+ "anecdote": "La Creuse grenzt an die Departements Corrèze, Haute-Vienne, Allier, Puy-de-Dôme, Cher und Indre."
+ },
+ {
+ "id": 26,
+ "question": "Welche französische Abteilung trägt den Spitznamen Quellenabteilung ?",
+ "propositions": [
+ "Morbihan",
+ "Sarthe",
+ "Lozère",
+ "Vogesen"
+ ],
+ "réponse": "Lozère",
+ "anecdote": "Es ist das einzige städtische französische Departement, in dem alle Flüsse, die fließen, auch ihre Quelle haben."
+ },
+ {
+ "id": 27,
+ "question": "Welcher Staudamm befindet sich auf der Truyère im Departement Cantal ?",
+ "propositions": [
+ "Tignes",
+ "grandval",
+ "Maury",
+ "Pareloup"
+ ],
+ "réponse": "grandval",
+ "anecdote": "Dort wurde 1966 die Szene der Feldgendarmerie bei der Kontrolle des Staudamms aus dem Film « La Grande Vadrouille » gedreht."
+ },
+ {
+ "id": 28,
+ "question": "In welchem Departement hat die Stadt Niort mehr als 50.000 Einwohner ?",
+ "propositions": [
+ "Zwei-Sèvres",
+ "Mosel",
+ "Landes",
+ "Norden"
+ ],
+ "réponse": "Zwei-Sèvres",
+ "anecdote": "Im Vergleich zur Dichte des französischen Mutterlandes scheint das Departement Deux-Sèvres mäßig besiedelt zu sein."
+ },
+ {
+ "id": 29,
+ "question": "In welchem Departement heißen die Einwohner Axonais ?",
+ "propositions": [
+ "Verbündeter",
+ "Ariège",
+ "Ain",
+ "aise"
+ ],
+ "réponse": "aise",
+ "anecdote": "Die Aisne verlor in der zweiten Hälfte des 19. Jahrhunderts durch die dennoch begrenzte Landflucht einen Teil ihrer Bevölkerung."
+ },
+ {
+ "id": 30,
+ "question": "In welcher Abteilung sind die weltberühmten Surfbedingungen ?",
+ "propositions": [
+ "Landes",
+ "Mosel",
+ "Gironde",
+ "Ärmel"
+ ],
+ "réponse": "Landes",
+ "anecdote": "Die Landes sind auch kulinarisch für Foie Gras, Entenbrust, Hähnchen und AOC-Tursan-Weine bekannt."
+ }
+ ]
+ },
+ "es": {
+ "débutant": [
+ {
+ "id": 1,
+ "question": "¿A qué departamento están fuertemente vinculados Bernadette y Jacques Chirac ?",
+ "propositions": [
+ "Landas",
+ "Corrección",
+ "Paso de Calais",
+ "Vosgos"
+ ],
+ "réponse": "Corrección",
+ "anecdote": "Situada al oeste del Macizo Central, Corrèze está formada por la Montaña, las mesetas y la cuenca de Brive."
+ },
+ {
+ "id": 2,
+ "question": "¿En qué departamento se desarrolló Versalles alrededor de su castillo ?",
+ "propositions": [
+ "charente",
+ "jardín",
+ "Yvelines",
+ "aisne"
+ ],
+ "réponse": "Yvelines",
+ "anecdote": "El Palacio de Versalles da la bienvenida al Parlamento cuando se reúne en el Congreso para aprobar una revisión de la Constitución."
+ },
+ {
+ "id": 3,
+ "question": "¿Cómo se llaman los habitantes del departamento de Hérault ?",
+ "propositions": [
+ "jardín",
+ "Gente de Hérault",
+ "Morbihan",
+ "Saboya"
+ ],
+ "réponse": "Gente de Hérault",
+ "anecdote": "Georges Brassens (Sète), Boby Lapointe (Pézenas), Émilie Simon (Montpellier), Juliette Gréco (Montpellier) eran de Hérault."
+ },
+ {
+ "id": 4,
+ "question": "¿Qué departamento francés reúne a Artois y parte de la antigua Picardía ?",
+ "propositions": [
+ "Norte",
+ "calvados",
+ "aisne",
+ "Paso de Calais"
+ ],
+ "réponse": "Paso de Calais",
+ "anecdote": "Aunque unidos, estos dos territorios siguen siendo hoy bastante diferentes cultural y económicamente."
+ },
+ {
+ "id": 5,
+ "question": "¿Qué segundo aeropuerto de Francia se encuentra en el departamento de Essone ?",
+ "propositions": [
+ "Hueco",
+ "Gironda",
+ "París-Orly",
+ "Jura"
+ ],
+ "réponse": "París-Orly",
+ "anecdote": "Un importante centro de transporte aéreo, el aeropuerto maneja aproximadamente 30 millones de pasajeros cada año."
+ },
+ {
+ "id": 6,
+ "question": "¿Qué departamento toma su nombre del río localmente llamado Gardon ?",
+ "propositions": [
+ "Vaucluse",
+ "jardín",
+ "Morbihan",
+ "charente"
+ ],
+ "réponse": "jardín",
+ "anecdote": "El río, navegable en canoa-kayak durante unos 70 km, está atravesado por el Pont du Gard, un acueducto romano del siglo I."
+ },
+ {
+ "id": 7,
+ "question": "¿Qué departamento de Bretaña tiene como prefectura la ciudad de Vannes ?",
+ "propositions": [
+ "Finisterre",
+ "Costas de Armor",
+ "Morbihan",
+ "Ille-et-Vilaine"
+ ],
+ "réponse": "Morbihan",
+ "anecdote": "Corresponde esencialmente al reino, que se convirtió en condado y luego en alguacil de Broërec y más antiguamente en la ciudad de Vénètes."
+ },
+ {
+ "id": 8,
+ "question": "¿Cuál de estos departamentos tiene un nombre que proviene de los dos ríos que lo cruzan ?",
+ "propositions": [
+ "Puy-de-Dome",
+ "Loira y Cher",
+ "Paso de Calais",
+ "Charente Marítimo"
+ ],
+ "réponse": "Loira y Cher",
+ "anecdote": "El departamento de Loir-et-Cher es conocido en Francia en particular gracias a la canción de Michel Delpech escrita en 1977."
+ },
+ {
+ "id": 9,
+ "question": "¿Qué departamento es geográficamente el más occidental de Francia ?",
+ "propositions": [
+ "Paso de Calais",
+ "Dordoña",
+ "Finisterre",
+ "Lozère"
+ ],
+ "réponse": "Finisterre",
+ "anecdote": "Primer departamento costero de Francia, Finisterre tiene 117 municipios costeros de 282 y casi una cuarta parte de la costa francesa."
+ },
+ {
+ "id": 10,
+ "question": "¿En qué departamento comemos potjevleesch, waterzooi y welsh ?",
+ "propositions": [
+ "Norte",
+ "Finisterre",
+ "Dos Sevres",
+ "Lozère"
+ ],
+ "réponse": "Norte",
+ "anecdote": "Varias canciones tratan sobre el Norte, una de las más conocidas es probablemente « Les Corons » de Pierre Bachelet."
+ }
+ ],
+ "confirmé": [
+ {
+ "id": 11,
+ "question": "¿En qué departamento estás caminando sobre la antigua cuenca de Honfleur ?",
+ "propositions": [
+ "Finisterre",
+ "Dos Sevres",
+ "Yvelines",
+ "calvados"
+ ],
+ "réponse": "calvados",
+ "anecdote": "Sus estrechas casas de pizarra reflejadas en la cuenca la convierten en la principal atracción turística de Honfleur."
+ },
+ {
+ "id": 12,
+ "question": "¿En qué departamento la aglomeración de Épinal supera los 40.000 habitantes ?",
+ "propositions": [
+ "aude",
+ "Vosgos",
+ "Gironda",
+ "Jura"
+ ],
+ "réponse": "Vosgos",
+ "anecdote": "Conocida primero por su imaginería, fundada en 1796 por Pellerin, la ciudad también es conocida por su castillo y su basílica."
+ },
+ {
+ "id": 13,
+ "question": "¿Cuál es el tercer departamento forestal más grande de Francia con 418.000 hectáreas ?",
+ "propositions": [
+ "Sarthe",
+ "Dordoña",
+ "Hueco",
+ "Vosgos"
+ ],
+ "réponse": "Dordoña",
+ "anecdote": "Hay árboles frondosos, coníferas, prados, colinas, valles, viñedos, campos de trufas, acantilados, arroyos, desfiladeros y cuevas."
+ },
+ {
+ "id": 14,
+ "question": "¿Cuál es el departamento más grande de la Francia metropolitana ?",
+ "propositions": [
+ "Yvelines",
+ "Saboya",
+ "Gironda",
+ "aude"
+ ],
+ "réponse": "Gironda",
+ "anecdote": "Con 75 kilómetros de largo y 12 kilómetros de ancho en su desembocadura, el estuario de la Gironda es el estuario más grande de Europa."
+ },
+ {
+ "id": 15,
+ "question": "¿De qué departamento era diputado y senador François Fillon ?",
+ "propositions": [
+ "Finisterre",
+ "Sarthe",
+ "Lozère",
+ "Manga"
+ ],
+ "réponse": "Sarthe",
+ "anecdote": "Su campaña fue desafiada por revelaciones de prensa y juicios posteriores que lo implicaban a él y a su esposa, Penélope."
+ },
+ {
+ "id": 16,
+ "question": "¿En qué departamento puedes asistir a las 24 Horas de Le Mans ?",
+ "propositions": [
+ "Corrección",
+ "Sarthe",
+ "Mosela",
+ "charente"
+ ],
+ "réponse": "Sarthe",
+ "anecdote": "La competición, iniciada en 1923 y que tiene lugar todos los años en junio, atrae a poco más de 240.000 espectadores."
+ },
+ {
+ "id": 17,
+ "question": "¿Qué departamento es famoso por sus vinos blancos, incluida su variedad de uva Savagnin ?",
+ "propositions": [
+ "Yvelines",
+ "Jura",
+ "Corrección",
+ "Norte"
+ ],
+ "réponse": "Jura",
+ "anecdote": "También hay vinos únicos en el Jura como los vinos dulces como el macvin o el vino de paja."
+ },
+ {
+ "id": 18,
+ "question": "¿Qué departamento francés limita con Luxemburgo y Alemania ?",
+ "propositions": [
+ "Manga",
+ "Mosela",
+ "Gironda",
+ "Saboya"
+ ],
+ "réponse": "Mosela",
+ "anecdote": "A nivel europeo, el Mosela forma parte de la Gran Región y del Eurodistrito SaarMoselle (para una parte del departamento)."
+ },
+ {
+ "id": 19,
+ "question": "¿Qué departamento con el código 73 es el más montañoso de Francia ?",
+ "propositions": [
+ "calvados",
+ "Hueco",
+ "Saboya",
+ "Loira y Cher"
+ ],
+ "réponse": "Saboya",
+ "anecdote": "La gran mayoría de los macizos de Saboya son macizos alpinos, a los que se suma la parte más meridional del Jura."
+ },
+ {
+ "id": 20,
+ "question": "¿En qué departamento francés se encuentra Mont Ventoux ?",
+ "propositions": [
+ "jardín",
+ "Vaucluse",
+ "Lozère",
+ "aude"
+ ],
+ "réponse": "Vaucluse",
+ "anecdote": "Apodado Mont Chauve, Mont Ventoux es el punto más alto de los Monts de Vaucluse y el pico más alto de Vaucluse."
+ }
+ ],
+ "expert": [
+ {
+ "id": 21,
+ "question": "¿Qué departamento francés tiene un caracol con alas como emblema ?",
+ "propositions": [
+ "Dordoña",
+ "charente",
+ "Manga",
+ "Vaucluse"
+ ],
+ "réponse": "charente",
+ "anecdote": "El departamento toma su nombre del río que, en la época galo-romana, era conocido con el nombre griego de Kanentelos."
+ },
+ {
+ "id": 22,
+ "question": "¿De qué departamento Cherbourg-en-Cotentin es el principal centro cultural ?",
+ "propositions": [
+ "Loira y Cher",
+ "Sarthe",
+ "Manga",
+ "calvados"
+ ],
+ "réponse": "Manga",
+ "anecdote": "El cantante Allain Leprest, originario de Lestre, se mantuvo fiel a su departamento y a su mar de origen que cantaba."
+ },
+ {
+ "id": 23,
+ "question": "¿En qué departamento se celebra el carnaval de Limoux desde hace más de diez semanas ?",
+ "propositions": [
+ "Corrección",
+ "aude",
+ "Dos Sevres",
+ "Mosela"
+ ],
+ "réponse": "aude",
+ "anecdote": "Teniendo lugar en la ciudad de Limoux, en la Place de la République, es uno de los carnavales más largos del mundo."
+ },
+ {
+ "id": 24,
+ "question": "¿En qué ciudad del Somme encontramos la Torre Perret y la casa de Julio Verne ?",
+ "propositions": [
+ "Vaucluse",
+ "amiens",
+ "Jura",
+ "jardín"
+ ],
+ "réponse": "amiens",
+ "anecdote": "Hay dos grandes áreas ricas en sitios turísticos : la costa de Picardía y Abbeville, Amiénois y Haute Somme."
+ },
+ {
+ "id": 25,
+ "question": "¿Cuál es el segundo departamento menos poblado de Francia después de Lozère ?",
+ "propositions": [
+ "Paso de Calais",
+ "Dordoña",
+ "Hueco",
+ "Vosgos"
+ ],
+ "réponse": "Hueco",
+ "anecdote": "La Creuse limita con los departamentos de Corrèze, Haute-Vienne, Allier, Puy-de-Dôme, Cher e Indre."
+ },
+ {
+ "id": 26,
+ "question": "¿Qué departamento francés recibe el sobrenombre de departamento de las fuentes ?",
+ "propositions": [
+ "Lozère",
+ "Sarthe",
+ "Vosgos",
+ "Morbihan"
+ ],
+ "réponse": "Lozère",
+ "anecdote": "Es el único departamento francés metropolitano en el que todos los ríos que corren también tienen su nacimiento."
+ },
+ {
+ "id": 27,
+ "question": "¿Qué presa se encuentra en el Truyère, en el departamento de Cantal ?",
+ "propositions": [
+ "Tignes",
+ "Pareloup",
+ "mauri",
+ "grandval"
+ ],
+ "réponse": "grandval",
+ "anecdote": "La escena de la Feldgendarmerie revisando la presa de la película « La Grande Vadrouille » fue filmada allí en 1966."
+ },
+ {
+ "id": 28,
+ "question": "¿En qué departamento la ciudad de Niort tiene más de 50.000 habitantes ?",
+ "propositions": [
+ "Norte",
+ "Dos Sevres",
+ "Mosela",
+ "Landas"
+ ],
+ "réponse": "Dos Sevres",
+ "anecdote": "En comparación con la densidad de la Francia metropolitana, el departamento de Deux-Sèvres parece estar moderadamente poblado."
+ },
+ {
+ "id": 29,
+ "question": "¿En qué departamento los habitantes se llaman Axonais ?",
+ "propositions": [
+ "aisne",
+ "aliado",
+ "Aín",
+ "Arieja"
+ ],
+ "réponse": "aisne",
+ "anecdote": "El Aisne perdió parte de su población en la segunda mitad del siglo XIX, debido al éxodo rural, aunque limitado."
+ },
+ {
+ "id": 30,
+ "question": "¿En qué departamento se encuentran las mundialmente famosas condiciones para surfear ?",
+ "propositions": [
+ "Gironda",
+ "Landas",
+ "manga",
+ "Mosela"
+ ],
+ "réponse": "Landas",
+ "anecdote": "Las Landas también son reconocidas culinariamente a través del foie gras, la pechuga de pato, el pollo y los vinos AOC Tursan."
+ }
+ ]
+ },
+ "it": {
+ "débutant": [
+ {
+ "id": 1,
+ "question": "A quale dipartimento sono fortemente legati Bernadette e Jacques Chirac ?",
+ "propositions": [
+ "Vosgi",
+ "Passo di Calais",
+ "Correggere",
+ "Lande"
+ ],
+ "réponse": "Correggere",
+ "anecdote": "Situata ad ovest del Massiccio Centrale, la Corrèze è formata dalla Montagna, dagli altipiani e dalla conca del Brive."
+ },
+ {
+ "id": 2,
+ "question": "In quale dipartimento si sviluppò Versailles attorno al suo castello ?",
+ "propositions": [
+ "aisne",
+ "Gard",
+ "Charente",
+ "Yveline"
+ ],
+ "réponse": "Yveline",
+ "anecdote": "La Reggia di Versailles accoglie il Parlamento quando si riunisce al Congresso per adottare una revisione della Costituzione."
+ },
+ {
+ "id": 3,
+ "question": "Come si chiamano gli abitanti del dipartimento dell'Hérault ?",
+ "propositions": [
+ "Persone dell'Hérault",
+ "Gard",
+ "Morbihan",
+ "Savoia"
+ ],
+ "réponse": "Persone dell'Hérault",
+ "anecdote": "Georges Brassens (Sète), Boby Lapointe (Pézenas), Émilie Simon (Montpellier), Juliette Gréco (Montpellier) provenivano dall'Hérault."
+ },
+ {
+ "id": 4,
+ "question": "Quale dipartimento francese riunisce Artois e parte dell'ex Piccardia ?",
+ "propositions": [
+ "calvados",
+ "aisne",
+ "nord",
+ "Passo di Calais"
+ ],
+ "réponse": "Passo di Calais",
+ "anecdote": "Sebbene uniti, questi due territori sono ancora oggi culturalmente ed economicamente molto diversi."
+ },
+ {
+ "id": 5,
+ "question": "Quale secondo aeroporto in Francia si trova nel dipartimento dell'Essone ?",
+ "propositions": [
+ "Giura",
+ "Gironda",
+ "Cavo",
+ "Parigi-Orly"
+ ],
+ "réponse": "Parigi-Orly",
+ "anecdote": "Un importante snodo del trasporto aereo, l'aeroporto gestisce circa 30 milioni di passeggeri ogni anno."
+ },
+ {
+ "id": 6,
+ "question": "Quale dipartimento prende il nome dal fiume chiamato localmente Gardon ?",
+ "propositions": [
+ "Gard",
+ "Charente",
+ "Morbihan",
+ "Vaucluse"
+ ],
+ "réponse": "Gard",
+ "anecdote": "Il fiume, navigabile in canoa-kayak per circa 70 km, è attraversato dal Pont du Gard, acquedotto romano del I secolo."
+ },
+ {
+ "id": 7,
+ "question": "Quale dipartimento della Bretagna ha come prefettura la città di Vannes ?",
+ "propositions": [
+ "Côtes-d'Armor",
+ "Morbihan",
+ "Ille-et-Vilaine",
+ "Finistere"
+ ],
+ "réponse": "Morbihan",
+ "anecdote": "Corrisponde essenzialmente al regno, che divenne contea poi ufficiale giudiziario di Broërec e più anticamente città di Vénètes."
+ },
+ {
+ "id": 8,
+ "question": "Quale di questi dipartimenti ha un nome derivante dai due fiumi che lo attraversano ?",
+ "propositions": [
+ "Passo di Calais",
+ "Loire-et-Cher",
+ "Charente Marittima",
+ "Puy-de-Dome"
+ ],
+ "réponse": "Loire-et-Cher",
+ "anecdote": "Il dipartimento di Loir-et-Cher è conosciuto in Francia in particolare grazie alla canzone di Michel Delpech scritta nel 1977."
+ },
+ {
+ "id": 9,
+ "question": "Qual è il dipartimento geograficamente più occidentale della Francia ?",
+ "propositions": [
+ "Lozera",
+ "Finistere",
+ "Dordogna",
+ "Passo di Calais"
+ ],
+ "réponse": "Finistere",
+ "anecdote": "Primo dipartimento costiero della Francia, Finistère ha 117 comuni costieri su 282 e quasi un quarto della costa francese."
+ },
+ {
+ "id": 10,
+ "question": "In quale dipartimento si mangia potjevleesch, waterzooi e welsh ?",
+ "propositions": [
+ "Lozera",
+ "Due Sevres",
+ "Finistere",
+ "nord"
+ ],
+ "réponse": "nord",
+ "anecdote": "Diverse canzoni parlano del Nord, una delle più conosciute è probabilmente « Les Corons » di Pierre Bachelet."
+ }
+ ],
+ "confirmé": [
+ {
+ "id": 11,
+ "question": "In quale dipartimento stai camminando sull'antica conca di Honfleur ?",
+ "propositions": [
+ "Finistere",
+ "Yveline",
+ "Due Sevres",
+ "calvados"
+ ],
+ "réponse": "calvados",
+ "anecdote": "Le sue strette case di ardesia riflesse nella conca ne fanno la principale attrazione turistica di Honfleur."
+ },
+ {
+ "id": 12,
+ "question": "In quale dipartimento l'agglomerato di Épinal supera i 40.000 abitanti ?",
+ "propositions": [
+ "Vosgi",
+ "Giura",
+ "aude",
+ "Gironda"
+ ],
+ "réponse": "Vosgi",
+ "anecdote": "Conosciuta prima per il suo immaginario, fondata nel 1796 da Pellerin, la città è nota anche per il suo castello e la sua basilica."
+ },
+ {
+ "id": 13,
+ "question": "Qual è il terzo dipartimento forestale più grande della Francia con 418.000 ettari ?",
+ "propositions": [
+ "Sarthe",
+ "Dordogna",
+ "Cavo",
+ "Vosgi"
+ ],
+ "réponse": "Dordogna",
+ "anecdote": "Ci sono alberi frondosi, conifere, prati, colline, valli, vigneti, tartufaie, scogliere, ruscelli, gole e grotte."
+ },
+ {
+ "id": 14,
+ "question": "Qual è il dipartimento più grande della Francia metropolitana ?",
+ "propositions": [
+ "Savoia",
+ "Gironda",
+ "Yveline",
+ "aude"
+ ],
+ "réponse": "Gironda",
+ "anecdote": "Lungo 75 chilometri e largo 12 alla foce, l'estuario della Gironda è il più grande estuario d'Europa."
+ },
+ {
+ "id": 15,
+ "question": "Di quale dipartimento era deputato e senatore François Fillon ?",
+ "propositions": [
+ "Finistere",
+ "Sarthe",
+ "manica",
+ "Lozera"
+ ],
+ "réponse": "Sarthe",
+ "anecdote": "La sua campagna è stata contestata da rivelazioni alla stampa e successive cause legali che hanno coinvolto lui e sua moglie, Penelope."
+ },
+ {
+ "id": 16,
+ "question": "In quale reparto puoi assistere alla 24 Ore di Le Mans ?",
+ "propositions": [
+ "Charente",
+ "Mosella",
+ "Sarthe",
+ "Correggere"
+ ],
+ "réponse": "Sarthe",
+ "anecdote": "La competizione, iniziata nel 1923 e che si svolge ogni anno a giugno, attira poco più di 240.000 spettatori."
+ },
+ {
+ "id": 17,
+ "question": "Quale dipartimento è famoso per i suoi vini bianchi compreso il vitigno Savagnin ?",
+ "propositions": [
+ "Correggere",
+ "nord",
+ "Giura",
+ "Yveline"
+ ],
+ "réponse": "Giura",
+ "anecdote": "Ci sono anche vini unici nel Giura come vini dolci come il macvin o il vino passito."
+ },
+ {
+ "id": 18,
+ "question": "Quale dipartimento francese confina con il Lussemburgo e la Germania ?",
+ "propositions": [
+ "Savoia",
+ "manica",
+ "Mosella",
+ "Gironda"
+ ],
+ "réponse": "Mosella",
+ "anecdote": "A livello europeo, la Mosella fa parte della Greater Region e dell'Eurodistrict SaarMoselle (per parte del dipartimento)."
+ },
+ {
+ "id": 19,
+ "question": "Quale dipartimento con codice 73 è il più montuoso della Francia ?",
+ "propositions": [
+ "Cavo",
+ "Loire-et-Cher",
+ "Savoia",
+ "calvados"
+ ],
+ "réponse": "Savoia",
+ "anecdote": "La stragrande maggioranza dei massicci della Savoia sono massicci alpini, ai quali si aggiunge la parte più meridionale del Giura."
+ },
+ {
+ "id": 20,
+ "question": "In quale dipartimento francese si trova il Mont Ventoux ?",
+ "propositions": [
+ "Vaucluse",
+ "Gard",
+ "Lozera",
+ "aude"
+ ],
+ "réponse": "Vaucluse",
+ "anecdote": "Soprannominato Mont Chauve, Mont Ventoux è il punto più alto dei Monts de Vaucluse e la vetta più alta del Vaucluse."
+ }
+ ],
+ "expert": [
+ {
+ "id": 21,
+ "question": "Quale dipartimento francese ha come emblema una lumaca con le ali ?",
+ "propositions": [
+ "Charente",
+ "manica",
+ "Dordogna",
+ "Vaucluse"
+ ],
+ "réponse": "Charente",
+ "anecdote": "Il dipartimento prende il nome dal fiume che, in epoca gallo-romana, era conosciuto con il nome greco di Kanentelos."
+ },
+ {
+ "id": 22,
+ "question": "Di quale dipartimento Cherbourg-en-Cotentin è il principale centro culturale ?",
+ "propositions": [
+ "manica",
+ "Loire-et-Cher",
+ "calvados",
+ "Sarthe"
+ ],
+ "réponse": "manica",
+ "anecdote": "Il cantante Allain Leprest, originario di Lestre, è rimasto fedele al suo reparto e al suo mare d'origine che cantava."
+ },
+ {
+ "id": 23,
+ "question": "In quale dipartimento si festeggia da più di dieci settimane il carnevale di Limoux ?",
+ "propositions": [
+ "Correggere",
+ "Mosella",
+ "Due Sevres",
+ "aude"
+ ],
+ "réponse": "aude",
+ "anecdote": "Si svolge nella città di Limoux, in Place de la République, è uno dei carnevali più lunghi del mondo."
+ },
+ {
+ "id": 24,
+ "question": "In quale città della Somme troviamo la Torre Perret e la casa di Jules Verne ?",
+ "propositions": [
+ "Gard",
+ "amiens",
+ "Giura",
+ "Vaucluse"
+ ],
+ "réponse": "amiens",
+ "anecdote": "Ci sono due grandi aree ricche di siti turistici : la costa della Piccardia e Abbeville, l'Amiénois e l'Haute Somme."
+ },
+ {
+ "id": 25,
+ "question": "Qual è il secondo dipartimento meno popolato della Francia dopo la Lozère ?",
+ "propositions": [
+ "Cavo",
+ "Passo di Calais",
+ "Vosgi",
+ "Dordogna"
+ ],
+ "réponse": "Cavo",
+ "anecdote": "La Creuse confina con i dipartimenti di Corrèze, Haute-Vienne, Allier, Puy-de-Dôme, Cher e Indre."
+ },
+ {
+ "id": 26,
+ "question": "Quale dipartimento francese è soprannominato dipartimento delle fonti ?",
+ "propositions": [
+ "Vosgi",
+ "Sarthe",
+ "Lozera",
+ "Morbihan"
+ ],
+ "réponse": "Lozera",
+ "anecdote": "È l'unico dipartimento metropolitano francese in cui hanno la loro sorgente anche tutti i fiumi che scorrono."
+ },
+ {
+ "id": 27,
+ "question": "Quale diga si trova sulla Truyère, nel dipartimento del Cantal ?",
+ "propositions": [
+ "Tignes",
+ "grandvale",
+ "Pareloup",
+ "Maurizio"
+ ],
+ "réponse": "grandvale",
+ "anecdote": "La scena della Feldgendarmerie che controlla la diga del film « La Grande Vadrouille » è stata girata lì nel 1966."
+ },
+ {
+ "id": 28,
+ "question": "In quale dipartimento la città di Niort conta più di 50.000 abitanti ?",
+ "propositions": [
+ "Due Sevres",
+ "nord",
+ "Mosella",
+ "Lande"
+ ],
+ "réponse": "Due Sevres",
+ "anecdote": "Rispetto alla densità della Francia metropolitana, il dipartimento di Deux-Sèvres appare moderatamente popolato."
+ },
+ {
+ "id": 29,
+ "question": "In quale dipartimento sono gli abitanti chiamati Axonais ?",
+ "propositions": [
+ "Ariege",
+ "alleato",
+ "aisne",
+ "Ain"
+ ],
+ "réponse": "aisne",
+ "anecdote": "L'Aisne perse parte della sua popolazione nella seconda metà del XIX secolo, a causa dell'esodo rurale, per quanto limitato."
+ },
+ {
+ "id": 30,
+ "question": "In quale dipartimento si trovano le condizioni di surf famose in tutto il mondo ?",
+ "propositions": [
+ "Lande",
+ "Gironda",
+ "Mosella",
+ "manica"
+ ],
+ "réponse": "Lande",
+ "anecdote": "Le Landes sono anche rinomate culinarie grazie al foie gras, al petto d'anatra, al pollo e ai vini Tursan AOC."
+ }
+ ]
+ },
+ "nl": {
+ "débutant": [
+ {
+ "id": 1,
+ "question": "Met welke afdeling zijn Bernadette en Jacques Chirac sterk verbonden ?",
+ "propositions": [
+ "Landes",
+ "Vogezen",
+ "Corrèze",
+ "Pas-de-Calais"
+ ],
+ "réponse": "Corrèze",
+ "anecdote": "Corrèze, gelegen ten westen van het Centraal Massief, bestaat uit de berg, de plateaus en het bekken van Brive."
+ },
+ {
+ "id": 2,
+ "question": "In welk departement ontwikkelde Versailles zich rond zijn kasteel ?",
+ "propositions": [
+ "Gard",
+ "Charente",
+ "aisne",
+ "Yvelines"
+ ],
+ "réponse": "Yvelines",
+ "anecdote": "Het paleis van Versailles verwelkomt het parlement wanneer het in het congres bijeenkomt om een herziening van de grondwet aan te nemen."
+ },
+ {
+ "id": 3,
+ "question": "Hoe heten de inwoners van het departement Hérault ?",
+ "propositions": [
+ "Morbihan",
+ "Hérault mensen",
+ "Gard",
+ "Savoye"
+ ],
+ "réponse": "Hérault mensen",
+ "anecdote": "Georges Brassens (Sète), Boby Lapointe (Pézenas), Émilie Simon (Montpellier), Juliette Gréco (Montpellier) kwamen uit de Hérault."
+ },
+ {
+ "id": 4,
+ "question": "Welk Franse departement brengt Artois en een deel van het voormalige Picardië samen ?",
+ "propositions": [
+ "Pas-de-Calais",
+ "calvados",
+ "Noord",
+ "aisne"
+ ],
+ "réponse": "Pas-de-Calais",
+ "anecdote": "Hoewel ze verenigd zijn, zijn deze twee gebieden vandaag de dag nog steeds heel verschillend cultureel en economisch."
+ },
+ {
+ "id": 5,
+ "question": "Welke tweede luchthaven in Frankrijk ligt in het departement Essone ?",
+ "propositions": [
+ "Parijs-Orly",
+ "Jura",
+ "Gironde",
+ "Hol"
+ ],
+ "réponse": "Parijs-Orly",
+ "anecdote": "De luchthaven is een belangrijk luchtvervoersknooppunt en verwerkt jaarlijks ongeveer 30 miljoen passagiers."
+ },
+ {
+ "id": 6,
+ "question": "Welk departement dankt zijn naam aan de rivier die plaatselijk de Gardon wordt genoemd ?",
+ "propositions": [
+ "Vaucluse",
+ "Gard",
+ "Morbihan",
+ "Charente"
+ ],
+ "réponse": "Gard",
+ "anecdote": "De rivier, bevaarbaar per kano-kajak voor ongeveer 70 km, wordt doorkruist door de Pont du Gard, een Romeins aquaduct uit de 1e eeuw."
+ },
+ {
+ "id": 7,
+ "question": "Welk departement van Bretagne heeft de stad Vannes als prefectuur ?",
+ "propositions": [
+ "Côtes-d'Armor",
+ "Finistère",
+ "Morbihan",
+ "Ille-et-Vilaine"
+ ],
+ "réponse": "Morbihan",
+ "anecdote": "Het komt in wezen overeen met het koninkrijk, dat graafschap werd, dan baljuw van Broërec en vroeger de stad Vénètes."
+ },
+ {
+ "id": 8,
+ "question": "Welke van deze departementen heeft een naam die afkomstig is van de twee rivieren die het doorkruisen ?",
+ "propositions": [
+ "Puy-de-Dome",
+ "Loire-et-Cher",
+ "Pas-de-Calais",
+ "Charente Maritiem"
+ ],
+ "réponse": "Loire-et-Cher",
+ "anecdote": "Het departement Loir-et-Cher is in Frankrijk vooral bekend dankzij het lied van Michel Delpech uit 1977."
+ },
+ {
+ "id": 9,
+ "question": "Welk departement ligt geografisch gezien het meest westelijk van Frankrijk ?",
+ "propositions": [
+ "Lozère",
+ "Dordogne",
+ "Pas-de-Calais",
+ "Finistère"
+ ],
+ "réponse": "Finistère",
+ "anecdote": "Finistère, het eerste kustdepartement van Frankrijk, heeft 117 kustgemeenten van de 282 en bijna een kwart van de Franse kust."
+ },
+ {
+ "id": 10,
+ "question": "Op welke afdeling eten we potjevleesch, waterzooi en welsh ?",
+ "propositions": [
+ "Lozère",
+ "Twee-Sèvres",
+ "Noord",
+ "Finistère"
+ ],
+ "réponse": "Noord",
+ "anecdote": "Verschillende nummers gaan over het noorden, een van de bekendste is waarschijnlijk « Les Corons » van Pierre Bachelet."
+ }
+ ],
+ "confirmé": [
+ {
+ "id": 11,
+ "question": "In welk departement loop je op het oude bassin van Honfleur ?",
+ "propositions": [
+ "calvados",
+ "Twee-Sèvres",
+ "Finistère",
+ "Yvelines"
+ ],
+ "réponse": "calvados",
+ "anecdote": "De smalle leistenen huizen weerspiegeld in het bassin maken het de belangrijkste toeristische attractie van Honfleur."
+ },
+ {
+ "id": 12,
+ "question": "In welk departement heeft de agglomeratie van Épinal meer dan 40.000 inwoners ?",
+ "propositions": [
+ "aude",
+ "Jura",
+ "Gironde",
+ "Vogezen"
+ ],
+ "réponse": "Vogezen",
+ "anecdote": "De stad stond eerst bekend om zijn beeldspraak, gesticht in 1796 door Pellerin, en staat ook bekend om zijn kasteel en zijn basiliek."
+ },
+ {
+ "id": 13,
+ "question": "Wat is het op twee na grootste bosdepartement van Frankrijk met 418.000 hectare ?",
+ "propositions": [
+ "Vogezen",
+ "Hol",
+ "Sarthe",
+ "Dordogne"
+ ],
+ "réponse": "Dordogne",
+ "anecdote": "Er zijn lommerrijke bomen, naaldbomen, weiden, heuvels, valleien, wijngaarden, truffelvelden, kliffen, beekjes, kloven en grotten."
+ },
+ {
+ "id": 14,
+ "question": "Wat is het grootste departement in Europees Frankrijk ?",
+ "propositions": [
+ "Yvelines",
+ "Savoye",
+ "aude",
+ "Gironde"
+ ],
+ "réponse": "Gironde",
+ "anecdote": "De monding van de Gironde, 75 kilometer lang en 12 kilometer breed aan de monding, is de grootste riviermonding van Europa."
+ },
+ {
+ "id": 15,
+ "question": "Van welk departement was François Fillon een plaatsvervanger en senator ?",
+ "propositions": [
+ "Finistère",
+ "Mouw",
+ "Lozère",
+ "Sarthe"
+ ],
+ "réponse": "Sarthe",
+ "anecdote": "Zijn campagne werd uitgedaagd door onthullingen in de pers en latere rechtszaken waarbij hij en zijn vrouw Penelope betrokken waren."
+ },
+ {
+ "id": 16,
+ "question": "In welke afdeling kun je de 24 uur van Le Mans bijwonen ?",
+ "propositions": [
+ "Moezel",
+ "Charente",
+ "Corrèze",
+ "Sarthe"
+ ],
+ "réponse": "Sarthe",
+ "anecdote": "De wedstrijd, die in 1923 van start ging en elk jaar in juni plaatsvindt, trekt iets meer dan 240.000 toeschouwers."
+ },
+ {
+ "id": 17,
+ "question": "Welk departement staat bekend om zijn witte wijnen, waaronder de Savagnin-druivensoort ?",
+ "propositions": [
+ "Corrèze",
+ "Jura",
+ "Yvelines",
+ "Noord"
+ ],
+ "réponse": "Jura",
+ "anecdote": "Er zijn ook unieke wijnen in de Jura zoals zoete wijnen zoals macvin of strowijn."
+ },
+ {
+ "id": 18,
+ "question": "Welk Franse departement grenst aan Luxemburg en Duitsland ?",
+ "propositions": [
+ "Mouw",
+ "Savoye",
+ "Moezel",
+ "Gironde"
+ ],
+ "réponse": "Moezel",
+ "anecdote": "Op Europees niveau maakt de Moezel deel uit van de Grote Regio en het Eurodistrict SaarMoezel (voor een deel van het departement)."
+ },
+ {
+ "id": 19,
+ "question": "Welk departement met code 73 is het meest bergachtig van Frankrijk ?",
+ "propositions": [
+ "Loire-et-Cher",
+ "calvados",
+ "Hol",
+ "Savoye"
+ ],
+ "réponse": "Savoye",
+ "anecdote": "De overgrote meerderheid van de massieven van de Savoie zijn alpenmassieven, waaraan het zuidelijkste deel van de Jura wordt toegevoegd."
+ },
+ {
+ "id": 20,
+ "question": "In welk Franse departement ligt de Mont Ventoux ?",
+ "propositions": [
+ "Gard",
+ "Vaucluse",
+ "Lozère",
+ "aude"
+ ],
+ "réponse": "Vaucluse",
+ "anecdote": "Bijgenaamd Mont Chauve, Mont Ventoux is het hoogste punt van de Monts de Vaucluse en de hoogste piek in de Vaucluse."
+ }
+ ],
+ "expert": [
+ {
+ "id": 21,
+ "question": "Welk Franse departement heeft een slak met vleugels als embleem ?",
+ "propositions": [
+ "Charente",
+ "Mouw",
+ "Vaucluse",
+ "Dordogne"
+ ],
+ "réponse": "Charente",
+ "anecdote": "Het departement dankt zijn naam aan de rivier die in de Gallo-Romeinse tijd bekend stond onder de Griekse naam Kanentelos."
+ },
+ {
+ "id": 22,
+ "question": "Van welk departement is Cherbourg-en-Cotentin het belangrijkste culturele centrum ?",
+ "propositions": [
+ "Sarthe",
+ "Loire-et-Cher",
+ "Mouw",
+ "calvados"
+ ],
+ "réponse": "Mouw",
+ "anecdote": "De zanger Allain Leprest, oorspronkelijk uit Lestre, bleef trouw aan zijn afdeling en zijn zee van oorsprong die hij zong."
+ },
+ {
+ "id": 23,
+ "question": "In welk departement wordt het carnaval van Limoux al meer dan tien weken gevierd ?",
+ "propositions": [
+ "Corrèze",
+ "aude",
+ "Twee-Sèvres",
+ "Moezel"
+ ],
+ "réponse": "aude",
+ "anecdote": "Het vindt plaats in de stad Limoux, op de Place de la République, en is een van de langste carnavals ter wereld."
+ },
+ {
+ "id": 24,
+ "question": "In welke stad van de Somme vinden we de Perret-toren en het huis van Jules Verne ?",
+ "propositions": [
+ "Jura",
+ "Vaucluse",
+ "Gard",
+ "amiens"
+ ],
+ "réponse": "amiens",
+ "anecdote": "Er zijn twee grote gebieden die rijk zijn aan toeristische trekpleisters : de Picardische kust en Abbeville, de Amiénois en de Haute Somme."
+ },
+ {
+ "id": 25,
+ "question": "Wat is het op één na dunst bevolkte departement van Frankrijk na Lozère ?",
+ "propositions": [
+ "Pas-de-Calais",
+ "Vogezen",
+ "Dordogne",
+ "Hol"
+ ],
+ "réponse": "Hol",
+ "anecdote": "La Creuse grenst aan de departementen Corrèze, Haute-Vienne, Allier, Puy-de-Dôme, Cher en Indre."
+ },
+ {
+ "id": 26,
+ "question": "Welke Franse afdeling heet de afdeling bronnen ?",
+ "propositions": [
+ "Sarthe",
+ "Lozère",
+ "Vogezen",
+ "Morbihan"
+ ],
+ "réponse": "Lozère",
+ "anecdote": "Het is het enige grootstedelijke Franse departement waar alle rivieren die stromen ook hun oorsprong hebben."
+ },
+ {
+ "id": 27,
+ "question": "Welke dam ligt op de Truyère, in het departement Cantal ?",
+ "propositions": [
+ "Maury",
+ "Pareloup",
+ "grandval",
+ "Tignes"
+ ],
+ "réponse": "grandval",
+ "anecdote": "De scène van de Feldgendarmerie die de dam controleert uit de film « La Grande Vadrouille » werd daar in 1966 opgenomen."
+ },
+ {
+ "id": 28,
+ "question": "In welk departement heeft de stad Niort meer dan 50.000 inwoners ?",
+ "propositions": [
+ "Noord",
+ "Moezel",
+ "Twee-Sèvres",
+ "Landes"
+ ],
+ "réponse": "Twee-Sèvres",
+ "anecdote": "Vergeleken met de dichtheid van het grootstedelijke Frankrijk, lijkt het departement Deux-Sèvres matig bevolkt."
+ },
+ {
+ "id": 29,
+ "question": "In welk departement heten de inwoners de Axonais ?",
+ "propositions": [
+ "aisne",
+ "Ain",
+ "Ariège",
+ "bondgenoot"
+ ],
+ "réponse": "aisne",
+ "anecdote": "De Aisne verloor een deel van haar bevolking in de tweede helft van de 19e eeuw, als gevolg van de plattelandsvlucht, hoe beperkt ook."
+ },
+ {
+ "id": 30,
+ "question": "In welke afdeling zijn de wereldberoemde surfcondities ?",
+ "propositions": [
+ "Mouw",
+ "Moezel",
+ "Landes",
+ "Gironde"
+ ],
+ "réponse": "Landes",
+ "anecdote": "De Landes zijn ook culinair bekend door foie gras, eendenborst, kip en AOC Tursan-wijnen."
+ }
+ ]
+ }
+ }
+}
\ No newline at end of file
diff --git a/misc/quiz/openquizzdb/geographie-1.json b/misc/quiz/openquizzdb/geographie-1.json
new file mode 100644
index 0000000..5ed55a1
--- /dev/null
+++ b/misc/quiz/openquizzdb/geographie-1.json
@@ -0,0 +1,410 @@
+{
+ "fournisseur": "OpenQuizzDB - Fournisseur de contenu libre (https://www.openquizzdb.org)",
+ "licence": "CC BY-SA",
+ "rédacteur": "Philippe Bresoux",
+ "difficulté": "3 / 5",
+ "version": 1,
+ "mise-à-jour": "2024-03-30",
+ "catégorie-nom-slogan": {
+ "fr": {
+ "catégorie": "Géographie",
+ "nom": "Géo pour tous",
+ "slogan": "Là où je t'emmènerai"
+ },
+ "en": {
+ "catégorie": "Geography",
+ "nom": "Geo for all",
+ "slogan": "Where I'll Take You"
+ },
+ "es": {
+ "catégorie": "Geografía",
+ "nom": "Geo para todos",
+ "slogan": "Donde te llevaré"
+ },
+ "it": {
+ "catégorie": "Geografia",
+ "nom": "Geo per tutti",
+ "slogan": "Dove ti porterò"
+ },
+ "de": {
+ "catégorie": "Erdkunde",
+ "nom": "Geo für alle",
+ "slogan": "Wohin ich dich bringe"
+ },
+ "nl": {
+ "catégorie": "Aardrijkskunde",
+ "nom": "Geo voor iedereen",
+ "slogan": "Waar ik je mee naartoe neem"
+ }
+ },
+ "quizz": {
+ "fr": {
+ "débutant": [
+ {
+ "id": 1,
+ "question": "Dans quel océan se déverse l'Amazone, de loin le plus élevé de tous les fleuves de la planète ?",
+ "propositions": [
+ "Océan Indien",
+ "Océan Atlantique",
+ "Océan Arctique",
+ "Océan Pacifique"
+ ],
+ "réponse": "Océan Atlantique",
+ "anecdote": "La démesure de l'Amazone s'apprécie aussi en constatant qu'aucun pont ni barrage ne le franchit sur des milliers de kilomètres."
+ },
+ {
+ "id": 2,
+ "question": "Où peut-on se rendre dans la plus grande île et le plus petit continent du monde ?",
+ "propositions": [
+ "Australie",
+ "Asie",
+ "Europe",
+ "Afrique"
+ ],
+ "réponse": "Australie",
+ "anecdote": "Sa population est principalement concentrée dans les grandes villes côtières de Sydney, Melbourne, Brisbane, Perth et Adélaïde."
+ },
+ {
+ "id": 3,
+ "question": "Où peut-on marcher sur la place Tian'anmen, au sud de la porte de la Paix céleste ?",
+ "propositions": [
+ "Shenzhen",
+ "Canton",
+ "Pékin",
+ "Shanghai"
+ ],
+ "réponse": "Pékin",
+ "anecdote": "La place Tian'anmen doit notamment sa célébrité aux nombreux événements qui s'y sont déroulés dans l'histoire chinoise."
+ },
+ {
+ "id": 4,
+ "question": "Quelle est la plus grande ville du Grand-Duché de Luxembourg ainsi que sa capitale ?",
+ "propositions": [
+ "Wiltz",
+ "Diekirch",
+ "Vianden",
+ "Luxembourg"
+ ],
+ "réponse": "Luxembourg",
+ "anecdote": "Après avoir été surnommée « la Gibraltar du Nord » en raison de sa forteresse, elle est dite aujourd'hui le « Coeur vert de l'Europe »."
+ },
+ {
+ "id": 5,
+ "question": "Quel pays sans côte océanique partage en toute tranquillité le lac Majeur avec l'Italie ?",
+ "propositions": [
+ "Danemark",
+ "Pologne",
+ "Autriche",
+ "Suisse"
+ ],
+ "réponse": "Suisse",
+ "anecdote": "Le lac Majeur est célèbre par ses sites touristiques comme les îles Borromées et les îles de Brissago."
+ },
+ {
+ "id": 6,
+ "question": "Dans quel pays se trouve Ankara, ville nouvelle aux origines très anciennes ?",
+ "propositions": [
+ "Birmanie",
+ "Pakistan",
+ "Inde",
+ "Turquie"
+ ],
+ "réponse": "Turquie",
+ "anecdote": "Certains vestiges hittites découverts dans la citadelle attestent la présence d'une cité (Ankuva) du temps de l'Empire hittite."
+ },
+ {
+ "id": 7,
+ "question": "Sur quel tropique se trouve Taiwan, connue comme la République de Chine ?",
+ "propositions": [
+ "Capricorne",
+ "Cancer",
+ "Sagittaire",
+ "Taureau"
+ ],
+ "réponse": "Cancer",
+ "anecdote": "Taïwan fut officiellement gouverné par la Chine de 1683 à 1895, puis cédé au Japon par le traité de Shimonoseki en 1895."
+ },
+ {
+ "id": 8,
+ "question": "Quel est le pays entouré par le Lichtenstein, l'Italie, l'Autriche, l'Allemagne et la France ?",
+ "propositions": [
+ "Grèce",
+ "Suisse",
+ "Hongrie",
+ "Pays-Bas"
+ ],
+ "réponse": "Suisse",
+ "anecdote": "La Suisse est un pays sans côte océanique mais dispose d'un accès direct à la mer par le Rhin (Convention de Mannheim)."
+ },
+ {
+ "id": 9,
+ "question": "Dans quel pays allez-vous si vous partez à la recherche du comte Dragul, en Transylvanie ?",
+ "propositions": [
+ "Australie",
+ "Hongrie",
+ "Roumanie",
+ "Bulgarie"
+ ],
+ "réponse": "Roumanie",
+ "anecdote": "Écrit à la fin du XIXe siècle, « Dracula » est un roman épistolaire dont le personnage principal est un vampire."
+ },
+ {
+ "id": 10,
+ "question": "Quel tropique indiqué sur les cartes terrestres passe entre la Floride et Cuba ?",
+ "propositions": [
+ "Tropique du Lion",
+ "Tropique du Loup",
+ "Tropique du Chat",
+ "Tropique du Cancer"
+ ],
+ "réponse": "Tropique du Cancer",
+ "anecdote": "Le tropique du Cancer porte ce nom car, il y a environ 2000 ans, le Soleil entrait dans la constellation du Cancer lors du solstice de juin."
+ }
+ ],
+ "confirmé": [
+ {
+ "id": 11,
+ "question": "Quel archipel du Pacifique est constitué de plus de 7 100 îles et îlots formant un état ?",
+ "propositions": [
+ "Malaisie",
+ "Philippines",
+ "Birmanie",
+ "Indonésie"
+ ],
+ "réponse": "Philippines",
+ "anecdote": "Un peu plus de 2 000 seulement sont habitées, alors qu'environ 2 400 îles n'ont même pas encore reçu de nom."
+ },
+ {
+ "id": 12,
+ "question": "Quel fleuve et importante voie fluviale bleuit selon la météo dans la capitale de la Hongrie ?",
+ "propositions": [
+ "Elbe",
+ "Rhin",
+ "Rhône",
+ "Danube"
+ ],
+ "réponse": "Danube",
+ "anecdote": "En suivant le Danube qui forme alors la frontière entre la Hongrie et la Slovaquie, la première ville importante rencontrée est Gyor."
+ },
+ {
+ "id": 13,
+ "question": "Quelle mer du bassin Indo-Pacifique est reliée à la Méditerranée par le canal de Suez ?",
+ "propositions": [
+ "Mer Ionienne",
+ "Mer de Java",
+ "Mer Rouge",
+ "Mer Noire"
+ ],
+ "réponse": "Mer Rouge",
+ "anecdote": "Il arrive que ses eaux soient peuplées d'algues qui, lorsqu'elles meurent, donnent à l'eau une couleur rougeâtre."
+ },
+ {
+ "id": 14,
+ "question": "Sachant que les Apennins se trouvent en Italie, où sont situées les Appalaches ?",
+ "propositions": [
+ "États-Unis",
+ "Brésil",
+ "Russie",
+ "Inde"
+ ],
+ "réponse": "États-Unis",
+ "anecdote": "Les Appalaches séparent la plaine côtière atlantique (à l'est) du bassin du fleuve Mississippi et des Grands Lacs (à l'ouest)."
+ },
+ {
+ "id": 15,
+ "question": "Quel fleuve d'Afrique occidentale, portant le nom d'un pays, borde le Sahel ?",
+ "propositions": [
+ "Le Zambèze",
+ "Le Congo",
+ "Le Sénégal",
+ "Le Niger"
+ ],
+ "réponse": "Le Niger",
+ "anecdote": "Le fleuve Niger fait partie de ces fleuves (tout comme le Sénégal) qui ont été fortement aménagés depuis les années 1980."
+ },
+ {
+ "id": 16,
+ "question": "Vers quel pays allez-vous si vous quittez la ville italienne de Trieste vers l'Est ?",
+ "propositions": [
+ "Grèce",
+ "Suisse",
+ "Espagne",
+ "Slovénie"
+ ],
+ "réponse": "Slovénie",
+ "anecdote": "Géographiquement, Trieste est considérée comme la dernière ville du Nord-Est de l'Italie ou comme la ville de l'extrême Sud."
+ },
+ {
+ "id": 17,
+ "question": "Quel port canadien situé sur le lac Ontario était jadis connu sous le nom de « Fort York » ?",
+ "propositions": [
+ "Toronto",
+ "Oshawa",
+ "Hamilton",
+ "Windsor"
+ ],
+ "réponse": "Toronto",
+ "anecdote": "Fort York fut construit à l'entrée du port naturel de la ville, abrité par un long banc de sable en forme de péninsule."
+ },
+ {
+ "id": 18,
+ "question": "Dans quel État des États-Unis pourrez-vous partir à la rencontre des Séminoles ?",
+ "propositions": [
+ "Nevada",
+ "Floride",
+ "Michigan",
+ "Arkansas"
+ ],
+ "réponse": "Floride",
+ "anecdote": "Les Amérindiens Calusa furent les premiers habitants de ces marais subtropicaux qu'ils baptisèrent « Pa-hay-okee » ou « eaux herbeuses »."
+ },
+ {
+ "id": 19,
+ "question": "Quelle mer dépourvue de poissons et d'algues est partagée entre la Jordanie et Israël ?",
+ "propositions": [
+ "Mer Rouge",
+ "Mer Morte",
+ "Mer Jaune",
+ "Mer Blanche"
+ ],
+ "réponse": "Mer Morte",
+ "anecdote": "Alors que la salinité moyenne de l'eau de mer oscille entre 2 et 4 %, celle de la mer Morte est d'approximativement 27.5 %."
+ },
+ {
+ "id": 20,
+ "question": "Où est Dubrovnik, dont les habitants ainsi que ce qui s'y rapporte s'appellent des ragusains ?",
+ "propositions": [
+ "Yougoslavie",
+ "Roumanie",
+ "Estonie",
+ "Sibérie"
+ ],
+ "réponse": "Yougoslavie",
+ "anecdote": "De son ancien nom français Raguse, Dubrovnik a pour devise : « La liberté ne se vend pas même pour tout l'or du monde »."
+ }
+ ],
+ "expert": [
+ {
+ "id": 21,
+ "question": "Sur quelle île à 120 km du sud de l'Angleterre se trouvent Grand Havre et Port Soif ?",
+ "propositions": [
+ "Herm",
+ "Ortac",
+ "Guernesey",
+ "Aurigny"
+ ],
+ "réponse": "Guernesey",
+ "anecdote": "Victor Hugo a séjourné à Guernesey et y a écrit « Les Misérables » en 1862 et « Les Travailleurs de la mer » en 1866."
+ },
+ {
+ "id": 22,
+ "question": "Dans quel pays peut-on passer une nuit à Mandalay et la suivante à Rangoon ?",
+ "propositions": [
+ "Indonésie",
+ "Philippines",
+ "Malaisie",
+ "Birmanie"
+ ],
+ "réponse": "Birmanie",
+ "anecdote": "Capitale royale entre 1860 et 1885, réputée pour son jade, Mandalay était alors surnommée la cité des joyaux."
+ },
+ {
+ "id": 23,
+ "question": "Dans quel État du Midwest des États-Unis se trouvent Mineapolis et sa jumelle St Paul ?",
+ "propositions": [
+ "Missouri",
+ "Michigan",
+ "Minnesota",
+ "Montana"
+ ],
+ "réponse": "Minnesota",
+ "anecdote": "Le mot Minnesota vient de mnisota, nom donné au fleuve Minnesota par les Dakotas, tribu Sioux."
+ },
+ {
+ "id": 24,
+ "question": "Vers quel lac la ville d'Irkoutsk plonge-t-elle son regard à 66 kilomètres à l'ouest ?",
+ "propositions": [
+ "Malawi",
+ "Érié",
+ "Tanganyika",
+ "Baïkal"
+ ],
+ "réponse": "Baïkal",
+ "anecdote": "Irkoutsk se trouve dans une région de collines couvertes de taïga, paysage typique de la Sibérie orientale."
+ },
+ {
+ "id": 25,
+ "question": "Quelle grande ville trouve-t-on sur la mer d'Oman, près de l'embouchure de l'Indus ?",
+ "propositions": [
+ "Mingora",
+ "Burewala",
+ "Islamabad",
+ "Karachi"
+ ],
+ "réponse": "Karachi",
+ "anecdote": "Karachi est l'une des villes les plus peuplées au monde et la plus peuplée du monde musulman."
+ },
+ {
+ "id": 26,
+ "question": "Quelle capitale pakistanaise, située au nord du pays, jouxte la ville de Rawalpindi ?",
+ "propositions": [
+ "Wah",
+ "Quetta",
+ "Karachi",
+ "Islamabad"
+ ],
+ "réponse": "Islamabad",
+ "anecdote": "Devenue en 1967 la capitale du pays, au détriment de Karachi, Islamabad en constitue le coeur administratif et politique."
+ },
+ {
+ "id": 27,
+ "question": "Dans quel État américain du Nord-Est du pays se trouvent Rome, Syracuse et Albany ?",
+ "propositions": [
+ "Idaho",
+ "New York",
+ "Alabama",
+ "Maryland"
+ ],
+ "réponse": "New York",
+ "anecdote": "Si la ville de New York se trouve dans l'État de New York, sa principale agglomération se trouve dans les États voisins."
+ },
+ {
+ "id": 28,
+ "question": "De quel pays, situé à 200 km au nord de l'équateur, Kuala Lumpur est-elle la capitale ?",
+ "propositions": [
+ "Malaisie",
+ "Birmanie",
+ "Laos",
+ "Cambodge"
+ ],
+ "réponse": "Malaisie",
+ "anecdote": "Arrachée à la jungle dans les années 1850, la ville doit sa naissance et sa fortune aux abondants gisements d'étain."
+ },
+ {
+ "id": 29,
+ "question": "Combien de mers baignent la Russie, le plus vaste pays de notre planète ?",
+ "propositions": [
+ "Dix",
+ "Six",
+ "Huit",
+ "Douze"
+ ],
+ "réponse": "Douze",
+ "anecdote": "Bien qu'entourée de mers et de deux océans, la Russie est caractérisée par un climat continental aux milieux froids et hostiles."
+ },
+ {
+ "id": 30,
+ "question": "Sur quelle île se trouve Manille, deuxième ville la plus peuplée des Philippines après Quezon ?",
+ "propositions": [
+ "Shikoku",
+ "Luçon",
+ "Guam",
+ "Visayas"
+ ],
+ "réponse": "Luçon",
+ "anecdote": "La quasi totalité de la ville se trouve sur un sol alluvionnaire déplacé par la rivière Pasig et gagné sur la baie de Manille."
+ }
+ ]
+ }
+ }
+}
\ No newline at end of file
diff --git a/misc/quiz/openquizzdb/histoire-france.json b/misc/quiz/openquizzdb/histoire-france.json
new file mode 100644
index 0000000..d1483c4
--- /dev/null
+++ b/misc/quiz/openquizzdb/histoire-france.json
@@ -0,0 +1,410 @@
+{
+ "fournisseur": "OpenQuizzDB - Fournisseur de contenu libre (https://www.openquizzdb.org)",
+ "licence": "CC BY-SA",
+ "rédacteur": "Philippe Bresoux",
+ "difficulté": "4 / 5",
+ "version": 1,
+ "mise-à-jour": "2024-03-30",
+ "catégorie-nom-slogan": {
+ "fr": {
+ "catégorie": "Histoire",
+ "nom": "Histoire de France",
+ "slogan": "Paris vaut bien une messe"
+ },
+ "en": {
+ "catégorie": "History",
+ "nom": "History of France",
+ "slogan": "Paris is worth a mass"
+ },
+ "es": {
+ "catégorie": "Historia",
+ "nom": "Historia de Francia",
+ "slogan": "París vale una misa"
+ },
+ "it": {
+ "catégorie": "Storia",
+ "nom": "Storia della Francia",
+ "slogan": "Parigi vale una messa"
+ },
+ "de": {
+ "catégorie": "Geschichte",
+ "nom": "Geschichte Frankreichs",
+ "slogan": "Paris ist eine Messe wert"
+ },
+ "nl": {
+ "catégorie": "Geschiedenis",
+ "nom": "Geschiedenis van Frankrijk",
+ "slogan": "Parijs is een mis waard"
+ }
+ },
+ "quizz": {
+ "fr": {
+ "débutant": [
+ {
+ "id": 1,
+ "question": "Quelle ville française était appelée la cité des papes au Moyen Âge ?",
+ "propositions": [
+ "Avignon",
+ "Metz",
+ "Nantes",
+ "Tours"
+ ],
+ "réponse": "Avignon",
+ "anecdote": "Avignon est l'une des rares villes françaises à avoir conservé ses remparts et son centre historique, composé du palais des papes."
+ },
+ {
+ "id": 2,
+ "question": "Quel diplomate français a succédé au Cardinal de Richelieu ?",
+ "propositions": [
+ "Antonio Barberini",
+ "Philippe Mancini",
+ "Jules Mazarin",
+ "Charles de Mantoue"
+ ],
+ "réponse": "Jules Mazarin",
+ "anecdote": "Le cardinal choisit comme pièce principale de son blason le faisceau de licteur, un signe de romanité."
+ },
+ {
+ "id": 3,
+ "question": "Quelle reine de France a porté le chapeau dans l'affaire du collier ?",
+ "propositions": [
+ "Marie-Joséphine",
+ "Marie-Antoinette",
+ "Marie-Thérèse",
+ "Marie-Louise"
+ ],
+ "réponse": "Marie-Antoinette",
+ "anecdote": "Les joailliers Boehmer et Bassenge réclamèrent à la reine 1,6 million de livres pour l'achat d'un collier de diamants."
+ },
+ {
+ "id": 4,
+ "question": "Quand François Mitterrand fut-il élu président de la France pour la première fois ?",
+ "propositions": [
+ "1976",
+ "1986",
+ "1991",
+ "1981"
+ ],
+ "réponse": "1981",
+ "anecdote": "Mitterrand sera élu 21e président de la République française face à Valéry Giscard d'Estaing avec 51 % des suffrages exprimés."
+ },
+ {
+ "id": 5,
+ "question": "Quelle ville Jeanne d'Arc a-t-elle héroïquement libérée des Anglais ?",
+ "propositions": [
+ "Le Mans",
+ "Orléans",
+ "Angers",
+ "Tours"
+ ],
+ "réponse": "Orléans",
+ "anecdote": "Jeanne d'Arc a été condamnée à être brûlée vive en 1431 après un procès en hérésie conduit par Pierre Cauchon."
+ },
+ {
+ "id": 6,
+ "question": "Quel homme d'État français fut surnommé le Tigre ou encore le Père la victoire ?",
+ "propositions": [
+ "Clémenceau",
+ "Poincaré",
+ "Joffre",
+ "Foch"
+ ],
+ "réponse": "Clémenceau",
+ "anecdote": "Se désignant comme premier flic de France, Clémenceau réprimera les grèves et mettra fin à la querelle des inventaires."
+ },
+ {
+ "id": 7,
+ "question": "Quelle héroïne de l'histoire de France était la Pucelle d'Orléans ?",
+ "propositions": [
+ "Hélène Duglioli",
+ "Jeanne d'Arc",
+ "Rita de Cascia",
+ "Alessandra Scala"
+ ],
+ "réponse": "Jeanne d'Arc",
+ "anecdote": "Elle parvint à insuffler aux soldats français une énergie nouvelle et à contraindre les Anglais à lever le siège de la ville."
+ },
+ {
+ "id": 8,
+ "question": "Sur quelle principauté a régné la maison de Matignon ?",
+ "propositions": [
+ "Foucarmont",
+ "Condé",
+ "Monaco",
+ "Cambrai"
+ ],
+ "réponse": "Monaco",
+ "anecdote": "La maison de Goyon donna à la France, sous l'Ancien Régime, plusieurs maréchaux de France et évêques."
+ },
+ {
+ "id": 9,
+ "question": "Quel journal a brillé en sortant le premier l'affaire des diamants de Bokassa ?",
+ "propositions": [
+ "Paris Match",
+ "Minute",
+ "Charlie Hebdo",
+ "Canard Enchaîné"
+ ],
+ "réponse": "Canard Enchaîné",
+ "anecdote": "Cette affaire pourrait être une des causes de sa défaite face au candidat du Parti socialiste, François Mitterrand."
+ },
+ {
+ "id": 10,
+ "question": "Quel Guillaume, duc de Normandie, parfois surnommé le Bâtard, a conquis l'Angleterre ?",
+ "propositions": [
+ "Le Conquérant",
+ "Le Chevelu",
+ "Le Pieux",
+ "Le Hardi"
+ ],
+ "réponse": "Le Conquérant",
+ "anecdote": "Vers 1050, Guillaume épousa Mathilde de Flandre fille de Baudouin V avec qui il aura au moins dix enfants dont quatre fils."
+ }
+ ],
+ "confirmé": [
+ {
+ "id": 11,
+ "question": "Quelle ville assiégée Gambetta a-t-il dû quitter en ballon ?",
+ "propositions": [
+ "Rouen",
+ "Toulouse",
+ "Paris",
+ "Lyon"
+ ],
+ "réponse": "Paris",
+ "anecdote": "Gambetta, d'abord réticent, fut sollicité par ses collègues ministres et le 7 octobre 1870, il quitta Paris en ballon monté."
+ },
+ {
+ "id": 12,
+ "question": "Quel roi a révoqué l'édit de Nantes en 1685, ayant donné la liberté de religion ?",
+ "propositions": [
+ "Louis XIV",
+ "François II",
+ "Henri IV",
+ "Charles IX"
+ ],
+ "réponse": "Louis XIV",
+ "anecdote": "La promulgation de cet édit a mis fin aux guerres de religion qui avaient ravagé le royaume de France depuis 1572."
+ },
+ {
+ "id": 13,
+ "question": "Quel était le surnom du fils de Napoléon 1er et de Marie-Louise ?",
+ "propositions": [
+ "Le Mal aimé",
+ "L'Aiglon",
+ "L'Incapable",
+ "Le Corsaire"
+ ],
+ "réponse": "L'Aiglon",
+ "anecdote": "Jusqu'à sa mort à l'âge de 21 ans, Napoléon II fut reconnu par les bonapartistes comme l'héritier du trône impérial."
+ },
+ {
+ "id": 14,
+ "question": "Quel chevalier franc et comte urbain a été trahi par Ganelon au col de Roncevaux ?",
+ "propositions": [
+ "Gauvain",
+ "Roland",
+ "Perceval",
+ "Marsile"
+ ],
+ "réponse": "Roland",
+ "anecdote": "Pour cette raison, Ganelon est d'une certaine manière devenu dans la tradition française l'archétype du félon ou du traître."
+ },
+ {
+ "id": 15,
+ "question": "De quelle manière François Ravaillac a-t-il tué le roi Henri IV ?",
+ "propositions": [
+ "Décapité",
+ "Poignardé",
+ "Fusillé",
+ "Empoisonné"
+ ],
+ "réponse": "Poignardé",
+ "anecdote": "Ravaillac sera condamné à mort par le Parlement de Paris au cours d'un procès de dix jours, présidé par Achille 1er de Harlay."
+ },
+ {
+ "id": 16,
+ "question": "Quel code régissait la vie d'une grande partie de la cour de Louis XIV ?",
+ "propositions": [
+ "Pourboire",
+ "Mayade",
+ "Étiquette",
+ "Bonjour"
+ ],
+ "réponse": "Étiquette",
+ "anecdote": "L'étiquette gouverne et restreint la manière dont les gens interagissent et sert à exprimer le respect dû à autrui."
+ },
+ {
+ "id": 17,
+ "question": "Quel pays Bertrand Du Guesclin a-t-il combattu durant toute sa vie ?",
+ "propositions": [
+ "Pays-Bas",
+ "Allemagne",
+ "Italie",
+ "Angleterre"
+ ],
+ "réponse": "Angleterre",
+ "anecdote": "Bertrand du Guesclin est considéré, selon les sources, soit comme un héros à la loyauté absolue, soit comme un traître."
+ },
+ {
+ "id": 18,
+ "question": "Quel âge avait Clovis lorsqu'il fut élu roi des Francs en 481 ?",
+ "propositions": [
+ "16 ans",
+ "14 ans",
+ "10 ans",
+ "12 ans"
+ ],
+ "réponse": "16 ans",
+ "anecdote": "Clovis est considéré dans l'historiographie comme un des personnages historiques les plus importants de l'histoire de France."
+ },
+ {
+ "id": 19,
+ "question": "À quelle élection présidentielle s'est présenté pour la première fois Michel Rocard ?",
+ "propositions": [
+ "1978",
+ "1969",
+ "1975",
+ "1972"
+ ],
+ "réponse": "1969",
+ "anecdote": "Michel Rocard fut chargé de la négociation internationale pour les pôles arctique et antarctique de 2009 à sa mort."
+ },
+ {
+ "id": 20,
+ "question": "Quel corsaire malouin s'est évadé d'Angleterre et a rejoint St-Malo à la rame ?",
+ "propositions": [
+ "Jean Bart",
+ "Philippe Bequel",
+ "Nicolas Surcouf",
+ "Jean Bernanos"
+ ],
+ "réponse": "Jean Bart",
+ "anecdote": "La bataille navale du Dogger Bank fut livrée en mer du Nord le 17 juin 1696, pendant la guerre de la Ligue d'Augsbourg."
+ }
+ ],
+ "expert": [
+ {
+ "id": 21,
+ "question": "Quel droit adopté en 1792 a été rétabli par la loi Naquet en 1884 ?",
+ "propositions": [
+ "Droit au vote",
+ "Droit à l'euthanasie",
+ "Droit à la retraite",
+ "Droit au divorce"
+ ],
+ "réponse": "Droit au divorce",
+ "anecdote": "Devant le nombre élevé de divorces qui se produisit, certaines modifications furent apportées à cette loi sur le divorce."
+ },
+ {
+ "id": 22,
+ "question": "Quel roi a fait installer les premières boîtes aux lettres dans Paris ?",
+ "propositions": [
+ "Henri IV",
+ "Charles IX",
+ "François II",
+ "Louis XIV"
+ ],
+ "réponse": "Louis XIV",
+ "anecdote": "La Poste est issue des relais de poste créés par Louis XI en 1477 pour le transport des messages royaux."
+ },
+ {
+ "id": 23,
+ "question": "À quel fruit les caricaturistes comparaient-ils la tête du roi Louis-Philippe ?",
+ "propositions": [
+ "Poire",
+ "Citron",
+ "Banane",
+ "Fraise"
+ ],
+ "réponse": "Poire",
+ "anecdote": "Il fut caricaturé par Honoré Daumier qui accentua sa bedaine et ses rouflaquettes et le profilera en rat ou perroquet."
+ },
+ {
+ "id": 24,
+ "question": "Quel était l'emblème du régime de Vichy en France pendant la guerre ?",
+ "propositions": [
+ "Francisque",
+ "Croix de Lorraine",
+ "Fleur de lys",
+ "Cosse de genêts"
+ ],
+ "réponse": "Francisque",
+ "anecdote": "La francisque est le nom traditionnel de la hache de jet des Germains occidentaux, que popularisèrent les Francs."
+ },
+ {
+ "id": 25,
+ "question": "De quel roi de France le duc de Sully fut-il le ministre ?",
+ "propositions": [
+ "Henri IV",
+ "François II",
+ "Charles IX",
+ "Louis XIV"
+ ],
+ "réponse": "Henri IV",
+ "anecdote": "Sully eut de brillants conseillers, comme l'économiste Barthélemy de Laffemas, qui développa les manufactures et l'artisanat."
+ },
+ {
+ "id": 26,
+ "question": "Quel roi de la dynastie mérovingienne fut conseillé par Saint Eloi ?",
+ "propositions": [
+ "Sigebert",
+ "Childebert",
+ "Caribert",
+ "Dagobert"
+ ],
+ "réponse": "Dagobert",
+ "anecdote": "Sous son règne, la royauté mérovingienne jette un dernier éclat avant que la réalité du pouvoir ne passe aux maires du palais."
+ },
+ {
+ "id": 27,
+ "question": "Combien de prisonniers y avait-il dans la Bastille le 14 juillet 1789 ?",
+ "propositions": [
+ "47",
+ "1 257",
+ "167",
+ "7"
+ ],
+ "réponse": "7",
+ "anecdote": "L'événement fut sans précédent par ses répercussions, par ses implications politiques et son retentissement symbolique."
+ },
+ {
+ "id": 28,
+ "question": "Quelle expression a été utilisée pour la première fois à propos du Père Joseph ?",
+ "propositions": [
+ "Bérurier noir",
+ "Stratège bleu",
+ "Éminence grise",
+ "Suprême rouge"
+ ],
+ "réponse": "Éminence grise",
+ "anecdote": "François Leclerc du Tremblay était un capucin surnommé par ses détracteurs l'éminence grise du cardinal de Richelieu."
+ },
+ {
+ "id": 29,
+ "question": "Quel roi, connu sous le titre de comte d'Artois, a succédé à Louis XVIII ?",
+ "propositions": [
+ "Charles X",
+ "Jean II",
+ "Henri IV",
+ "François II"
+ ],
+ "réponse": "Charles X",
+ "anecdote": "Charles X est le dernier Bourbon (de la branche aînée) à avoir régné mais également le 68e et dernier roi de France."
+ },
+ {
+ "id": 30,
+ "question": "Quel évêque a baptisé Clovis à Reims un 25 décembre ?",
+ "propositions": [
+ "Saint Justin",
+ "Saint Paul",
+ "Saint André",
+ "Saint Rémi"
+ ],
+ "réponse": "Saint Rémi",
+ "anecdote": "Dans le diocèse de Reims, il est fêté le 1er octobre conformément à une tradition locale remontant à la fin du VIe siècle."
+ }
+ ]
+ }
+ }
+}
\ No newline at end of file
diff --git a/misc/quiz/openquizzdb/nombres.json b/misc/quiz/openquizzdb/nombres.json
new file mode 100644
index 0000000..fdba7bf
--- /dev/null
+++ b/misc/quiz/openquizzdb/nombres.json
@@ -0,0 +1,2250 @@
+{
+ "fournisseur": "OpenQuizzDB - Fournisseur de contenu libre (https://www.openquizzdb.org)",
+ "licence": "CC BY-SA",
+ "rédacteur": "Philippe Bresoux",
+ "difficulté": "4 / 5",
+ "version": 1,
+ "mise-à-jour": "2024-03-31",
+ "catégorie-nom-slogan": {
+ "fr": {
+ "catégorie": "Sciences",
+ "nom": "Nombreux nombres",
+ "slogan": "Les nombres gouvernent le monde"
+ },
+ "en": {
+ "catégorie": "Sciences",
+ "nom": "Many numbers",
+ "slogan": "Numbers rule the world"
+ },
+ "es": {
+ "catégorie": "Ciencias",
+ "nom": "Muchos números",
+ "slogan": "Los números gobiernan el mundo"
+ },
+ "it": {
+ "catégorie": "Scienze",
+ "nom": "Molti numeri",
+ "slogan": "I numeri governano il mondo"
+ },
+ "de": {
+ "catégorie": "Wissenschaft",
+ "nom": "Viele Zahlen",
+ "slogan": "Zahlen regieren die Welt"
+ },
+ "nl": {
+ "catégorie": "Sciences",
+ "nom": "Veel cijfers",
+ "slogan": "Cijfers regeren de wereld"
+ }
+ },
+ "quizz": {
+ "fr": {
+ "débutant": [
+ {
+ "id": 1,
+ "question": "Combien de travaux Hercule dut-il exécuter pour Eurysthée, roi de Tirynthe ?",
+ "propositions": [
+ "12",
+ "100",
+ "10",
+ "40"
+ ],
+ "réponse": "12",
+ "anecdote": "Héraclès correspond à l'Hercule romain, au Melqart phénicien, à l'Hercle étrusque et au Kakasbos en Asie Mineure."
+ },
+ {
+ "id": 2,
+ "question": "À quel âge Nadia Comaneci a-t-elle obtenu la note parfaite de 10 aux Jeux olympiques ?",
+ "propositions": [
+ "13 ans",
+ "16 ans",
+ "14 ans",
+ "15 ans"
+ ],
+ "réponse": "14 ans",
+ "anecdote": "Nadia Comaneci a été naturalisée américaine après sa carrière sportive, n'ayant donc jamais représenté ce pays en compétition."
+ },
+ {
+ "id": 3,
+ "question": "Quelle est la différence chiffrée entre le carré de 87 et le carré de 86 ?",
+ "propositions": [
+ "86",
+ "1",
+ "173",
+ "87"
+ ],
+ "réponse": "173",
+ "anecdote": "Tout nombre réel strictement positif est le carré d'exactement deux nombres, l'un strictement positif, l'autre strictement négatif."
+ },
+ {
+ "id": 4,
+ "question": "Combien de milliers de passagers le Titanic pouvait-il contenir à son bord ?",
+ "propositions": [
+ "Trois",
+ "Un",
+ "Deux",
+ "Quatre"
+ ],
+ "réponse": "Trois",
+ "anecdote": "La coque du Titanic était pourvue de seize compartiments étanches servant à protéger le navire en cas de voies d'eau."
+ },
+ {
+ "id": 5,
+ "question": "En quelle année Charlemagne a-t-il été couronné empereur à Rome ?",
+ "propositions": [
+ "600",
+ "900",
+ "800",
+ "700"
+ ],
+ "réponse": "800",
+ "anecdote": "Souverain réformateur, soucieux de culture, il protège les arts et lettres et est à l'origine de la renaissance carolingienne."
+ },
+ {
+ "id": 6,
+ "question": "En mesure, quelle est la valeur en millimètres d'un pouce anglais ?",
+ "propositions": [
+ "25 mm",
+ "32 mm",
+ "45 mm",
+ "16 mm"
+ ],
+ "réponse": "25 mm",
+ "anecdote": "Datant du Moyen Âge, le pouce est aujourd'hui utilisé pour les tailles des pneus ou des écrans d'ordinateur."
+ },
+ {
+ "id": 7,
+ "question": "Quel âge avait Mozart lorsque son premier opéra fut joué en public ?",
+ "propositions": [
+ "11 ans",
+ "17 ans",
+ "13 ans",
+ "15 ans"
+ ],
+ "réponse": "13 ans",
+ "anecdote": "Mort à 35 ans, Mozart laisse derrière lui 626 oeuvres répertoriées qui embrassent tous les genres musicaux de son époque."
+ },
+ {
+ "id": 8,
+ "question": "Dans la mythologie grecque, combien d'Argonautes ont accompagné Jason ?",
+ "propositions": [
+ "500",
+ "40",
+ "100",
+ "50"
+ ],
+ "réponse": "50",
+ "anecdote": "Le périple des Argonautes a donné lieu à plusieurs péplums qui s'inspirent assez librement des différentes sources du mythe."
+ },
+ {
+ "id": 9,
+ "question": "En quelle année a eu lieu le tout premier Festival de Cannes ?",
+ "propositions": [
+ "1966",
+ "1946",
+ "1956",
+ "1976"
+ ],
+ "réponse": "1946",
+ "anecdote": "Le Festival fut fondé en 1946 sur un projet de Jean Zay, ministre de l'Éducation nationale et des Beaux-arts du Front populaire."
+ },
+ {
+ "id": 10,
+ "question": "Combien d'années Robinson Crusoé a-t-il passé sur son île ?",
+ "propositions": [
+ "20",
+ "24",
+ "16",
+ "28"
+ ],
+ "réponse": "28",
+ "anecdote": "« Robinson Crusoé » est un roman anglais écrit par Daniel Defoe dont l'histoire s'inspire très librement de la vie d'Alexandre Selkirk."
+ }
+ ],
+ "confirmé": [
+ {
+ "id": 11,
+ "question": "En informatique, combien y a-t-il d'octets dans un kilooctet ?",
+ "propositions": [
+ "32",
+ "1 024",
+ "256",
+ "512"
+ ],
+ "réponse": "1 024",
+ "anecdote": "Le terme est utilisé comme unité de mesure en informatique pour indiquer la capacité de mémorisation des mémoires."
+ },
+ {
+ "id": 12,
+ "question": "En quelle année Michel Preud'homme a-t-il décroché le Prix Lev Yachine ?",
+ "propositions": [
+ "1992",
+ "1988",
+ "1990",
+ "1994"
+ ],
+ "réponse": "1994",
+ "anecdote": "Michel Preud'homme a occupé le poste d'entraîneur au Standard de Liège, après avoir été le directeur sportif du même club."
+ },
+ {
+ "id": 13,
+ "question": "Combien le site de Carnac compte-t-il de menhirs dans ses alignements ?",
+ "propositions": [
+ "2 934",
+ "1 934",
+ "1 394",
+ "2 394"
+ ],
+ "réponse": "2 934",
+ "anecdote": "Le site de Carnac est situé sur la limite nord de Mor braz, entre le golfe du Morbihan à l'est et la presqu'île de Quiberon à l'ouest."
+ },
+ {
+ "id": 14,
+ "question": "Combien dénombre-t-on à ce jour de satellites naturels connus autour de Jupiter ?",
+ "propositions": [
+ "39",
+ "59",
+ "49",
+ "69"
+ ],
+ "réponse": "69",
+ "anecdote": "Jupiter est la deuxième planète du Système solaire, après Saturne, avec le plus grand nombre de satellites naturels observés."
+ },
+ {
+ "id": 15,
+ "question": "Quelle distance sépare la ligne de départ de la première haie au 400 m haies ?",
+ "propositions": [
+ "29 m",
+ "18 m",
+ "45 m",
+ "37 m"
+ ],
+ "réponse": "45 m",
+ "anecdote": "La première haie (sur les dix au total) se trouve à 45 m de la ligne de départ et les suivantes à 35 m les unes des autres."
+ },
+ {
+ "id": 16,
+ "question": "Combien de matchs l'équipe nationale de foot belge a-t-elle disputés avec Guy Thys ?",
+ "propositions": [
+ "120",
+ "140",
+ "100",
+ "80"
+ ],
+ "réponse": "100",
+ "anecdote": "Né à Anvers et fils de Ivan Thys, Guy Thys a été l'entraîneur de l'équipe nationale belge de football le plus couronné de succès."
+ },
+ {
+ "id": 17,
+ "question": "Quel est le pourcentage de silicium entrant dans la composition de l'écorce terrestre ?",
+ "propositions": [
+ "32 %",
+ "19 %",
+ "25 %",
+ "8 %"
+ ],
+ "réponse": "25 %",
+ "anecdote": "Le silicium n'est comparativement présent qu'en relativement faible quantité dans la matière constituant le vivant."
+ },
+ {
+ "id": 18,
+ "question": "Combien d'années Ferdinand Marcos a-t-il été président des Philippines ?",
+ "propositions": [
+ "17",
+ "25",
+ "19",
+ "21"
+ ],
+ "réponse": "21",
+ "anecdote": "Marcos peut être considéré comme un expert du détournement de fonds : il aurait détourné des milliards de dollars du Trésor philippin."
+ },
+ {
+ "id": 19,
+ "question": "Combien de spectateurs peuvent aujourd'hui accueillir les arènes de Vérone ?",
+ "propositions": [
+ "16 000",
+ "13 000",
+ "19 000",
+ "22 000"
+ ],
+ "réponse": "22 000",
+ "anecdote": "Presque tous les soirs, de mars à septembre environ, des spectacles ont lieu et ont pour thème les anciens combats de gladiateurs."
+ },
+ {
+ "id": 20,
+ "question": "Combien de pièces contenait le palais impérial dans la Cité interdite ?",
+ "propositions": [
+ "9 999",
+ "6 666",
+ "7 777",
+ "8 888"
+ ],
+ "réponse": "9 999",
+ "anecdote": "Le chiffre de 9 999 s'explique par le fait que seules leurs divinités avaient le droit de construire un palais comprenant 10 000 pièces."
+ }
+ ],
+ "expert": [
+ {
+ "id": 21,
+ "question": "Quelle est la longueur totale du pont du Golden Gate de San Francisco ?",
+ "propositions": [
+ "996 m",
+ "1 280 m",
+ "1 073 m",
+ "1 146 m"
+ ],
+ "réponse": "1 280 m",
+ "anecdote": "Le pont du Golden Gate fut, jusqu'en 1964, le pont suspendu le plus long du monde et reste un célèbre monument de San Francisco."
+ },
+ {
+ "id": 22,
+ "question": "Combien de chansons d'Elvis Presley ont été numéro un au hit-parade américain ?",
+ "propositions": [
+ "18",
+ "12",
+ "16",
+ "14"
+ ],
+ "réponse": "18",
+ "anecdote": "Elvis a contribué à populariser le genre naissant du rockabilly, un mélange énergique de musique country et de rhythm and blues."
+ },
+ {
+ "id": 23,
+ "question": "Dans la mythologie grecque, combien le géant Argos avait-il d'yeux ?",
+ "propositions": [
+ "100",
+ "60",
+ "80",
+ "40"
+ ],
+ "réponse": "100",
+ "anecdote": "Il y en a en permanence cinquante qui dorment et cinquante qui veillent, de sorte qu'il soit impossible de tromper sa vigilance."
+ },
+ {
+ "id": 24,
+ "question": "De combien de fois la superficie de la Chine est-elle plus grande que celle du Japon ?",
+ "propositions": [
+ "39",
+ "19",
+ "29",
+ "9"
+ ],
+ "réponse": "39",
+ "anecdote": "Le Japon forme, depuis 1945, un archipel de 6 852 îles dont les quatre plus grandes sont Hokkaido, Honshu, Shikoku, et Kyushu."
+ },
+ {
+ "id": 25,
+ "question": "Quelle est la longueur de la cordillère des Andes culminant à 6 962 mètres ?",
+ "propositions": [
+ "8 300 km",
+ "6 700 km",
+ "9 700 km",
+ "7 100 km"
+ ],
+ "réponse": "7 100 km",
+ "anecdote": "La cordillère des Andes débute au Venezuela puis traverse la Colombie, l'Équateur, le Pérou, la Bolivie, le Chili et l'Argentine."
+ },
+ {
+ "id": 26,
+ "question": "Quelle est la longueur du tunnel ferroviaire japonais du Seikan ?",
+ "propositions": [
+ "53 km",
+ "42 km",
+ "29 km",
+ "37 km"
+ ],
+ "réponse": "53 km",
+ "anecdote": "Le tunnel du Seikan est légèrement plus long que le tunnel sous la Manche et comporte un tronçon de 23.3 km sous le fond marin."
+ },
+ {
+ "id": 27,
+ "question": "Combien de confettis ont été lancés sur John Glenn après son célèbre voyage spatial ?",
+ "propositions": [
+ "3 474 tonnes",
+ "1 732 tonnes",
+ "4 437 tonnes",
+ "2 828 tonnes"
+ ],
+ "réponse": "3 474 tonnes",
+ "anecdote": "Après avoir quitté la NASA en 1963, il entame une carrière politique infructueuse qui l'oblige à se tourner vers le monde des affaires."
+ },
+ {
+ "id": 28,
+ "question": "Combien de soldats environ compte l'armée enterrée de l'empereur Qin ?",
+ "propositions": [
+ "10 000",
+ "6 000",
+ "4 000",
+ "8 000"
+ ],
+ "réponse": "8 000",
+ "anecdote": "Des couleurs minérales étaient appliquées après cuisson sur les statues, permettant ainsi de distinguer les différentes unités."
+ },
+ {
+ "id": 29,
+ "question": "En quelle année Nicolas Appert a-t-il découvert la boîte de conserve ?",
+ "propositions": [
+ "1902",
+ "1847",
+ "1795",
+ "1829"
+ ],
+ "réponse": "1795",
+ "anecdote": "L'appertisation peut être définie comme un procédé de conservation qui consiste à stériliser par la chaleur des denrées périssables."
+ },
+ {
+ "id": 30,
+ "question": "Quel est le nombre d'îles présentes sur l'ensemble du territoire finlandais ?",
+ "propositions": [
+ "160 000",
+ "140 000",
+ "120 000",
+ "180 000"
+ ],
+ "réponse": "180 000",
+ "anecdote": "La plupart des îles sont dans le Sud-Ouest, dans l'archipel d'Aland, et le long de la côte méridionale du golfe de Finlande."
+ }
+ ]
+ },
+ "en": {
+ "débutant": [
+ {
+ "id": 1,
+ "question": "How many works did Hercules execute for Eurystheus, King of Tiryns ?",
+ "propositions": [
+ "40",
+ "100",
+ "10",
+ "12"
+ ],
+ "réponse": "12",
+ "anecdote": "Hebrew corresponds to Roman Hercules, Phenician Melqart, Artifical Circle and Kakasbos in Asia Minor."
+ },
+ {
+ "id": 2,
+ "question": "At what age did Nadia Comaneci get the perfect score of 10 at the Olympics ?",
+ "propositions": [
+ "15 years old",
+ "14 years old",
+ "13 years old",
+ "16 years old"
+ ],
+ "réponse": "14 years old",
+ "anecdote": "Nadia Comaneci was naturalized American after her sports career, having never represented this country in competition."
+ },
+ {
+ "id": 3,
+ "question": "What is the difference between the 87 and the 86 square ?",
+ "propositions": [
+ "86",
+ "1",
+ "173",
+ "87"
+ ],
+ "réponse": "173",
+ "anecdote": "Every strictly positive real number is the square of exactly two numbers, one strictly positive, the other strictly negative."
+ },
+ {
+ "id": 4,
+ "question": "How many thousands of passengers could the Titanic hold on board ?",
+ "propositions": [
+ "3,000",
+ "1,000",
+ "4,000",
+ "2,000"
+ ],
+ "réponse": "3,000",
+ "anecdote": "The Titanic's hull was equipped with sixteen watertight compartments to protect the ship from waterways."
+ },
+ {
+ "id": 5,
+ "question": "In which year was Charlemagne crowned emperor in Rome ?",
+ "propositions": [
+ "900",
+ "800",
+ "600",
+ "700"
+ ],
+ "réponse": "800",
+ "anecdote": "Sovereign reformer, culturally conscious, he protects the arts and letters and is at the origin of the Carolingian renaissance."
+ },
+ {
+ "id": 6,
+ "question": "In measure, what is the value in millimeters of an inch ?",
+ "propositions": [
+ "32 mm",
+ "16 mm",
+ "25 mm",
+ "45 mm"
+ ],
+ "réponse": "25 mm",
+ "anecdote": "The thumb is a unit dating back to the Middle Ages, now used for tire sizes or computer screens."
+ },
+ {
+ "id": 7,
+ "question": "What age had Mozart when his first opera was performed in public ?",
+ "propositions": [
+ "11 years old",
+ "13 years old",
+ "17 years old",
+ "15 years old"
+ ],
+ "réponse": "13 years old",
+ "anecdote": "Died at the age of 35, Mozart leaves behind him 626 works of art that embrace all the musical genres of his time."
+ },
+ {
+ "id": 8,
+ "question": "In Greek mythology, how many Argonauts accompanied Jason ?",
+ "propositions": [
+ "500",
+ "100",
+ "40",
+ "50"
+ ],
+ "réponse": "50",
+ "anecdote": "The Argonauts plague has given rise to several pleas that are inspired quite freely from different sources of myth."
+ },
+ {
+ "id": 9,
+ "question": "In which year did the first Cannes Film Festival take place ?",
+ "propositions": [
+ "1956",
+ "1946",
+ "1976",
+ "1966"
+ ],
+ "réponse": "1946",
+ "anecdote": "The Festival was founded in 1946 on a project by Jean Zay, Minister of National Education and Fine Arts of the Popular Front."
+ },
+ {
+ "id": 10,
+ "question": "How many years has Robinson Crusoe spent on his island ?",
+ "propositions": [
+ "16",
+ "24",
+ "28",
+ "20"
+ ],
+ "réponse": "28",
+ "anecdote": "« Robinson Crusoe » is an English novel written by Daniel Defoe whose story is very freely inspired by the life of Alexander Selkirk."
+ }
+ ],
+ "confirmé": [
+ {
+ "id": 11,
+ "question": "In computing, how many bytes are in a kilobyte ?",
+ "propositions": [
+ "256",
+ "32",
+ "1 024",
+ "512"
+ ],
+ "réponse": "1 024",
+ "anecdote": "The term is used as a computer measurement unit to indicate memory memorization ability."
+ },
+ {
+ "id": 12,
+ "question": "In which year did Michel Preud'homme win the Lev Yachine Prize ?",
+ "propositions": [
+ "1990",
+ "1994",
+ "1992",
+ "1988"
+ ],
+ "réponse": "1994",
+ "anecdote": "Michel Preud'homme held the coaching post at Standard de Liege, after being the sports director of the same club."
+ },
+ {
+ "id": 13,
+ "question": "How much does the site of Carnac have menhirs in its alignments ?",
+ "propositions": [
+ "1 934",
+ "2 934",
+ "2 394",
+ "1 394"
+ ],
+ "réponse": "2 934",
+ "anecdote": "The Carnac site is located on the northern limit of Mor Braz, between the Gulf of Morbihan to the east and the Quiberon peninsula to the west."
+ },
+ {
+ "id": 14,
+ "question": "How many so far are known natural satellites around Jupiter ?",
+ "propositions": [
+ "49",
+ "39",
+ "69",
+ "59"
+ ],
+ "réponse": "69",
+ "anecdote": "Jupiter is the second planet of the Solar System, after Saturn, with the largest number of natural satellites observed."
+ },
+ {
+ "id": 15,
+ "question": "How far is the departure line from the first hurdle to the 400m hurdle ?",
+ "propositions": [
+ "45 m",
+ "29 m",
+ "18 m",
+ "37 m"
+ ],
+ "réponse": "45 m",
+ "anecdote": "The best male athletes finish the race in about 47 seconds and the female athletes in about 53 seconds."
+ },
+ {
+ "id": 16,
+ "question": "How many matches has the Belgian national football team played with Guy Thys ?",
+ "propositions": [
+ "120",
+ "80",
+ "100",
+ "140"
+ ],
+ "réponse": "100",
+ "anecdote": "Born in Antwerp and son of Ivan Thys, Guy Thys was the coach of the most successful Belgian national football team."
+ },
+ {
+ "id": 17,
+ "question": "What is the percentage of silicon used in the composition of the terrestrial bark ?",
+ "propositions": [
+ "8%",
+ "32%",
+ "25%",
+ "19%"
+ ],
+ "réponse": "25%",
+ "anecdote": "Silicon is comparatively only present in relatively small amounts in the matter constituting the living."
+ },
+ {
+ "id": 18,
+ "question": "How many years has Ferdinand Marcos been President of the Philippines ?",
+ "propositions": [
+ "21",
+ "19",
+ "17",
+ "25"
+ ],
+ "réponse": "21",
+ "anecdote": "Marcos may be considered as an expert on the disbursement of funds: he would have turned away billions of dollars from the Philippine Treasury."
+ },
+ {
+ "id": 19,
+ "question": "How many spectators can today welcome the arenas of Verona ?",
+ "propositions": [
+ "22,000",
+ "16,000",
+ "13 000",
+ "19,000"
+ ],
+ "réponse": "22,000",
+ "anecdote": "Almost every night from March to September, shows take place and have the theme of ancient gladiatorial fights."
+ },
+ {
+ "id": 20,
+ "question": "How many pieces contained the imperial palace in the Forbidden City ?",
+ "propositions": [
+ "7,777",
+ "9,999",
+ "6,666",
+ "8,888"
+ ],
+ "réponse": "9,999",
+ "anecdote": "The figure of 9,999 is explained by the fact that only their divinities were allowed to build a palace with 10,000 pieces."
+ }
+ ],
+ "expert": [
+ {
+ "id": 21,
+ "question": "What is the total length of the Golden Gate Bridge in San Francisco ?",
+ "propositions": [
+ "996 m",
+ "1 073 m",
+ "1 146 m",
+ "1 280 m"
+ ],
+ "réponse": "1 280 m",
+ "anecdote": "The Golden Gate Bridge was, until 1964, the longest suspension bridge in the world and remains a famous monument of San Francisco."
+ },
+ {
+ "id": 22,
+ "question": "How many songs of Elvis Presley were number one in the American hit parade ?",
+ "propositions": [
+ "16",
+ "12",
+ "14",
+ "18"
+ ],
+ "réponse": "18",
+ "anecdote": "Elvis has helped popularize the nascent rockabilly genre, an energetic mix of country music and rhythm and blues."
+ },
+ {
+ "id": 23,
+ "question": "In Greek mythology, how much did the giant Argos have eyes ?",
+ "propositions": [
+ "100",
+ "80",
+ "40",
+ "60"
+ ],
+ "réponse": "100",
+ "anecdote": "There are always fifty who sleep and fifty who watch, so that it is impossible to deceive his vigilance."
+ },
+ {
+ "id": 24,
+ "question": "How often is China's area larger than Japan's ?",
+ "propositions": [
+ "29",
+ "39",
+ "9",
+ "19"
+ ],
+ "réponse": "39",
+ "anecdote": "Since 1945, Japan has formed an archipelago of 6,852 islands, the four largest of which are Hokkaido, Honshu, Shikoku, and Kyushu."
+ },
+ {
+ "id": 25,
+ "question": "What is the length of the Andes mountain range at 6,962 meters ?",
+ "propositions": [
+ "7,100 km",
+ "6,700 km",
+ "8,300 km",
+ "9,700 km"
+ ],
+ "réponse": "7,100 km",
+ "anecdote": "The Andes cordillera begins in Venezuela and then crosses Colombia, Ecuador, Peru, Bolivia, Chile and Argentina."
+ },
+ {
+ "id": 26,
+ "question": "How long is the Seikan Japanese Railway Tunnel ?",
+ "propositions": [
+ "37 km",
+ "29 km",
+ "53 km",
+ "42 km"
+ ],
+ "réponse": "53 km",
+ "anecdote": "The Seikan tunnel is slightly longer than the Channel Tunnel and has a 23.3 km section under the seabed."
+ },
+ {
+ "id": 27,
+ "question": "How many confetti were thrown at John Glenn after his famous space trip ?",
+ "propositions": [
+ "2,828 tonnes",
+ "4,437 tonnes",
+ "3,474 tonnes",
+ "1,732 tonnes"
+ ],
+ "réponse": "3,474 tonnes",
+ "anecdote": "After leaving NASA in 1963, he began an unsuccessful political career that forced him to turn to the business world."
+ },
+ {
+ "id": 28,
+ "question": "How many soldiers does the Emperor Qin's buried army have ?",
+ "propositions": [
+ "6,000",
+ "10,000",
+ "8,000",
+ "4,000"
+ ],
+ "réponse": "8,000",
+ "anecdote": "Mineral colors were applied after cooking on the statues thus making it possible to distinguish the different units."
+ },
+ {
+ "id": 29,
+ "question": "In which year did Nicolas Appert discover the tin can ?",
+ "propositions": [
+ "1847",
+ "1829",
+ "1795",
+ "1902"
+ ],
+ "réponse": "1795",
+ "anecdote": "Canning can be defined as a process of conservation which consists in sterilizing by heat the perishable goods."
+ },
+ {
+ "id": 30,
+ "question": "What is the number of islands present in all of Finland ?",
+ "propositions": [
+ "120,000",
+ "160,000",
+ "180,000",
+ "140,000"
+ ],
+ "réponse": "180,000",
+ "anecdote": "Most of the islands are in the South West, in the Aland Archipelago, and along the southern coast of the Gulf of Finland."
+ }
+ ]
+ },
+ "de": {
+ "débutant": [
+ {
+ "id": 1,
+ "question": "Wie viele Werke hat Herkules für Eurystheus, König von Tiryns, ausgeführt ?",
+ "propositions": [
+ "12",
+ "40",
+ "10",
+ "100"
+ ],
+ "réponse": "12",
+ "anecdote": "Hebräisch entspricht Roman Hercules, Phönizier Melqart, Künstlicher Kreis und Kakasbos in Kleinasien."
+ },
+ {
+ "id": 2,
+ "question": "In welchem Alter erreichte Nadia Comaneci bei den Olympischen Spielen die perfekte Punktzahl von 10 ?",
+ "propositions": [
+ "15 Jahre alt",
+ "16 Jahre alt",
+ "13 Jahre alt",
+ "14 Jahre alt"
+ ],
+ "réponse": "14 Jahre alt",
+ "anecdote": "Nadia Comaneci wurde nach ihrer Sportkarriere in den USA eingebürgert, nachdem sie dieses Land noch nie im Wettbewerb vertreten hatte."
+ },
+ {
+ "id": 3,
+ "question": "Was ist der Unterschied zwischen dem 87er und dem 86er Quadrat ?",
+ "propositions": [
+ "86",
+ "173",
+ "1",
+ "87"
+ ],
+ "réponse": "173",
+ "anecdote": "Jede streng positive reelle Zahl ist das Quadrat aus genau zwei Zahlen, eine streng positive und eine streng negative."
+ },
+ {
+ "id": 4,
+ "question": "Wie viele tausend Passagiere konnte die Titanic an Bord halten ?",
+ "propositions": [
+ "4.000",
+ "1.000",
+ "3.000",
+ "2.000"
+ ],
+ "réponse": "3.000",
+ "anecdote": "Der Rumpf der Titanic war mit sechzehn wasserdichten Fächern ausgestattet, um das Schiff vor Wasserstraßen zu schützen."
+ },
+ {
+ "id": 5,
+ "question": "In welchem Jahr wurde Karl der Große in Rom zum Kaiser gekrönt ?",
+ "propositions": [
+ "800",
+ "900",
+ "700",
+ "600"
+ ],
+ "réponse": "800",
+ "anecdote": "Souveräner Reformer, kulturbewusst, beschützt die Künste und Briefe und steht am Ursprung der karolingischen Renaissance."
+ },
+ {
+ "id": 6,
+ "question": "Was ist der Millimeter-Zoll-Wert ?",
+ "propositions": [
+ "25 mm",
+ "45 mm",
+ "32 mm",
+ "16 mm"
+ ],
+ "réponse": "25 mm",
+ "anecdote": "Der Daumen ist eine Einheit aus dem Mittelalter, die heute für Reifengrößen oder Computerbildschirme verwendet wird."
+ },
+ {
+ "id": 7,
+ "question": "In welchem Alter war Mozart, als seine erste Oper öffentlich aufgeführt wurde ?",
+ "propositions": [
+ "17 Jahre",
+ "15 Jahre",
+ "11 Jahre",
+ "13 Jahre"
+ ],
+ "réponse": "13 Jahre",
+ "anecdote": "Mozart ist 35 Jahre alt und hinterlässt 626 Kunstwerke, die alle musikalischen Genres seiner Zeit umfassen."
+ },
+ {
+ "id": 8,
+ "question": "Wie viele Argonauten begleiteten Jason in der griechischen Mythologie ?",
+ "propositions": [
+ "100",
+ "40",
+ "500",
+ "50"
+ ],
+ "réponse": "50",
+ "anecdote": "Die Argonautenpest hat zu mehreren Klagegründen geführt, die sich ganz frei von verschiedenen Mythosquellen inspirieren lassen."
+ },
+ {
+ "id": 9,
+ "question": "In welchem Jahr fanden die ersten Filmfestspiele von Cannes statt ?",
+ "propositions": [
+ "1976",
+ "1956",
+ "1946",
+ "1966"
+ ],
+ "réponse": "1946",
+ "anecdote": "Das Festival wurde 1946 auf der Grundlage eines Projekts von Jean Zay, Minister für nationale Bildung und Bildende Kunst der Volksfront, gegründet."
+ },
+ {
+ "id": 10,
+ "question": "Wie viele Jahre hat Robinson Crusoe auf seiner Insel verbracht ?",
+ "propositions": [
+ "28",
+ "20",
+ "24",
+ "16"
+ ],
+ "réponse": "28",
+ "anecdote": "« Robinson Crusoe » ist ein englischer Roman von Daniel Defoe, dessen Geschichte sehr frei vom Leben von Alexander Selkirk inspiriert ist."
+ }
+ ],
+ "confirmé": [
+ {
+ "id": 11,
+ "question": "Wie viele Bytes enthält ein Kilobyte ?",
+ "propositions": [
+ "32",
+ "256",
+ "512",
+ "1 024"
+ ],
+ "réponse": "1 024",
+ "anecdote": "Der Begriff wird als Computermesseinheit verwendet, um die Fähigkeit zum Speichern von Speichern anzuzeigen."
+ },
+ {
+ "id": 12,
+ "question": "In welchem Jahr hat Michel Preud'homme den Lev Yachine-Preis gewonnen ?",
+ "propositions": [
+ "1992",
+ "1988",
+ "1994",
+ "1990"
+ ],
+ "réponse": "1994",
+ "anecdote": "Michel Preud'homme bekleidete den Trainerposten bei Standard de Liège, nachdem er der Sportdirektor desselben Vereins war."
+ },
+ {
+ "id": 13,
+ "question": "Wie viel Menhire hat der Standort Carnac in seinen Ausrichtungen ?",
+ "propositions": [
+ "2 934",
+ "1 394",
+ "2 394",
+ "1 934"
+ ],
+ "réponse": "2 934",
+ "anecdote": "Der Standort Carnac befindet sich an der Nordgrenze von Mor Braz, zwischen dem Golf von Morbihan im Osten und der Halbinsel Quiberon im Westen."
+ },
+ {
+ "id": 14,
+ "question": "Wie viele natürliche Satelliten sind bisher rund um Jupiter bekannt ?",
+ "propositions": [
+ "39",
+ "49",
+ "59",
+ "69"
+ ],
+ "réponse": "69",
+ "anecdote": "Jupiter ist nach Saturn der zweite Planet des Sonnensystems, auf dem die meisten natürlichen Satelliten beobachtet werden."
+ },
+ {
+ "id": 15,
+ "question": "Wie weit ist die Abfahrtslinie von der ersten Hürde bis zur 400-m-Hürde ?",
+ "propositions": [
+ "18 m",
+ "45 m",
+ "37 m",
+ "29 m"
+ ],
+ "réponse": "45 m",
+ "anecdote": "Die besten männlichen Athleten beenden das Rennen in ca. 47 Sekunden und die weiblichen Athleten in ca. 53 Sekunden."
+ },
+ {
+ "id": 16,
+ "question": "Wie viele Spiele hat die belgische Fußballnationalmannschaft mit Guy Thys gespielt ?",
+ "propositions": [
+ "120",
+ "80",
+ "100",
+ "140"
+ ],
+ "réponse": "100",
+ "anecdote": "Guy Thys wurde in Antwerpen als Sohn von Ivan Thys geboren und war der Trainer der erfolgreichsten belgischen Fußballnationalmannschaft."
+ },
+ {
+ "id": 17,
+ "question": "Wie viel Prozent Silizium werden für die Zusammensetzung der Erdrinde verwendet ?",
+ "propositions": [
+ "8%",
+ "25%",
+ "19%",
+ "32%"
+ ],
+ "réponse": "25%",
+ "anecdote": "Silizium ist in der Materie der Lebenden vergleichsweise nur in relativ geringen Mengen vorhanden."
+ },
+ {
+ "id": 18,
+ "question": "Wie viele Jahre war Ferdinand Marcos Präsident der Philippinen ?",
+ "propositions": [
+ "19",
+ "25",
+ "21",
+ "17"
+ ],
+ "réponse": "21",
+ "anecdote": "Marcos kann als Experte für die Auszahlung von Geldern gelten: Er hätte Milliarden von Dollar vom philippinischen Finanzministerium abgewiesen."
+ },
+ {
+ "id": 19,
+ "question": "Wie viele Zuschauer können heute die Arenen von Verona begrüßen ?",
+ "propositions": [
+ "22.000",
+ "19.000",
+ "13 000",
+ "16.000"
+ ],
+ "réponse": "22.000",
+ "anecdote": "Fast jede Nacht von März bis September finden Shows statt, die das Thema antiker Gladiatorenkämpfe haben."
+ },
+ {
+ "id": 20,
+ "question": "Wie viele Stücke enthielten den Kaiserpalast in der Verbotenen Stadt ?",
+ "propositions": [
+ "8.888",
+ "9.999",
+ "6 666",
+ "7.777"
+ ],
+ "réponse": "9.999",
+ "anecdote": "Die Zahl von 9.999 erklärt sich aus der Tatsache, dass nur ihre Gottheiten einen Palast mit 10.000 Stücken errichten durften."
+ }
+ ],
+ "expert": [
+ {
+ "id": 21,
+ "question": "Wie lang ist die Golden Gate Bridge in San Francisco insgesamt ?",
+ "propositions": [
+ "1 146 m",
+ "996 m",
+ "1 073 m",
+ "1 280 m"
+ ],
+ "réponse": "1 280 m",
+ "anecdote": "Die Golden Gate Bridge war bis 1964 die längste Hängebrücke der Welt und ist bis heute ein berühmtes Denkmal von San Francisco."
+ },
+ {
+ "id": 22,
+ "question": "Wie viele Songs von Elvis Presley waren die Nummer eins in der amerikanischen Hitparade ?",
+ "propositions": [
+ "16",
+ "14",
+ "18",
+ "12"
+ ],
+ "réponse": "18",
+ "anecdote": "Elvis hat geholfen, das aufkeimende Rockabilly-Genre, eine energiegeladene Mischung aus Country-Musik und Rhythmus und Blues, bekannt zu machen."
+ },
+ {
+ "id": 23,
+ "question": "Wie viele Augen hatte der Riese Argos in der griechischen Mythologie ?",
+ "propositions": [
+ "100",
+ "40",
+ "80",
+ "60"
+ ],
+ "réponse": "100",
+ "anecdote": "Es gibt immer fünfzig, die schlafen und fünfzig, die zuschauen, so dass es unmöglich ist, seine Wachsamkeit zu täuschen."
+ },
+ {
+ "id": 24,
+ "question": "Wie oft ist Chinas Fläche größer als die Japans ?",
+ "propositions": [
+ "9",
+ "29",
+ "19",
+ "39"
+ ],
+ "réponse": "39",
+ "anecdote": "Seit 1945 hat Japan ein Archipel von 6.852 Inseln gebildet, von denen die vier größten Hokkaido, Honshu, Shikoku und Kyushu sind."
+ },
+ {
+ "id": 25,
+ "question": "Wie lang sind die Anden mit 6.962 Metern ?",
+ "propositions": [
+ "9.700 km",
+ "6.700 km",
+ "7.100 km",
+ "8.300 km"
+ ],
+ "réponse": "7.100 km",
+ "anecdote": "Die Andenkordillere beginnt in Venezuela und durchquert dann Kolumbien, Ecuador, Peru, Bolivien, Chile und Argentinien."
+ },
+ {
+ "id": 26,
+ "question": "Wie lang ist der japanische Eisenbahntunnel von Seikan ?",
+ "propositions": [
+ "53 km",
+ "29 km",
+ "42 km",
+ "37 km"
+ ],
+ "réponse": "53 km",
+ "anecdote": "Der Seikan-Tunnel ist etwas länger als der Kanaltunnel und hat einen Abschnitt von 23,3 km unter dem Meeresboden."
+ },
+ {
+ "id": 27,
+ "question": "Wie viele Konfetti wurden nach seiner berühmten Raumfahrt auf John Glenn geworfen ?",
+ "propositions": [
+ "1,732 Tonnen",
+ "2,828 Tonnen",
+ "4,437 Tonnen",
+ "3,474 Tonnen"
+ ],
+ "réponse": "3,474 Tonnen",
+ "anecdote": "Nachdem er die NASA 1963 verlassen hatte, begann eine erfolglose politische Karriere, die ihn zwang, sich der Geschäftswelt zuzuwenden."
+ },
+ {
+ "id": 28,
+ "question": "Wie viele Soldaten hat die beerdigte Armee des Kaisers Qin ?",
+ "propositions": [
+ "10.000",
+ "6.000",
+ "4.000",
+ "8.000"
+ ],
+ "réponse": "8.000",
+ "anecdote": "Nach dem Garen der Statuen wurden Mineralfarben aufgetragen, wodurch die verschiedenen Einheiten unterschieden werden konnten."
+ },
+ {
+ "id": 29,
+ "question": "In welchem Jahr entdeckte Nicolas Appert die Blechdose ?",
+ "propositions": [
+ "1847",
+ "1829",
+ "1902",
+ "1795"
+ ],
+ "réponse": "1795",
+ "anecdote": "Einmachen kann als ein Konservierungsprozess definiert werden, der darin besteht, die verderblichen Waren durch Erhitzen zu sterilisieren."
+ },
+ {
+ "id": 30,
+ "question": "Wie viele Inseln gibt es in ganz Finnland ?",
+ "propositions": [
+ "160.000",
+ "120.000",
+ "180.000",
+ "140.000"
+ ],
+ "réponse": "180.000",
+ "anecdote": "Die meisten Inseln liegen im Südwesten, im Aland-Archipel und an der Südküste des Finnischen Meerbusens."
+ }
+ ]
+ },
+ "es": {
+ "débutant": [
+ {
+ "id": 1,
+ "question": "¿Cuántas obras ejecutó Hércules para Eurystheus, el rey de Tiryns ?",
+ "propositions": [
+ "10",
+ "100",
+ "12",
+ "40"
+ ],
+ "réponse": "12",
+ "anecdote": "El hebreo corresponde a Roman Hercules, Phenician Melqart, Artifical Circle y Kakasbos in Asia Minor."
+ },
+ {
+ "id": 2,
+ "question": "¿A qué edad obtuvo Nadia Comaneci la puntuación perfecta de 10 en los Juegos Olímpicos ?",
+ "propositions": [
+ "13 años",
+ "14 años",
+ "16 años",
+ "15 años"
+ ],
+ "réponse": "14 años",
+ "anecdote": "Nadia Comaneci se naturalizó en Estados Unidos después de su carrera deportiva, ya que nunca representó a este país en la competencia."
+ },
+ {
+ "id": 3,
+ "question": "¿Cuál es la diferencia entre el 87 y el 86 cuadrado ?",
+ "propositions": [
+ "86",
+ "173",
+ "87",
+ "1"
+ ],
+ "réponse": "173",
+ "anecdote": "Cada número real estrictamente positivo es el cuadrado de exactamente dos números, uno estrictamente positivo y el otro estrictamente negativo."
+ },
+ {
+ "id": 4,
+ "question": "¿Cuántos miles de pasajeros podría sostener el Titanic a bordo ?",
+ "propositions": [
+ "2,000",
+ "1,000",
+ "3,000",
+ "4,000"
+ ],
+ "réponse": "3,000",
+ "anecdote": "El casco del Titanic estaba equipado con dieciséis compartimentos estancos para proteger la nave de los cursos de agua."
+ },
+ {
+ "id": 5,
+ "question": "¿En qué año fue coronado emperador Carlomagno en Roma ?",
+ "propositions": [
+ "600",
+ "800",
+ "900",
+ "700"
+ ],
+ "réponse": "800",
+ "anecdote": "Soberano reformador, con conciencia cultural, protege las artes y las letras y está en el origen del renacimiento carolingio."
+ },
+ {
+ "id": 6,
+ "question": "En medida, ¿cuál es el valor en milímetros de pulgada ?",
+ "propositions": [
+ "25 mm",
+ "32 mm",
+ "16 mm",
+ "45 mm"
+ ],
+ "réponse": "25 mm",
+ "anecdote": "El pulgar es una unidad que se remonta a la Edad Media, que ahora se usa para tamaños de neumáticos o pantallas de computadora."
+ },
+ {
+ "id": 7,
+ "question": "¿Qué edad tenía Mozart cuando se realizó su primera ópera en público ?",
+ "propositions": [
+ "11 años",
+ "15 años",
+ "13 años",
+ "17 años"
+ ],
+ "réponse": "13 años",
+ "anecdote": "Murió a la edad de 35 años, Mozart deja atrás 626 obras de arte que abarcan todos los géneros musicales de su época."
+ },
+ {
+ "id": 8,
+ "question": "En la mitología griega, ¿cuántos argonautas acompañaron a Jason ?",
+ "propositions": [
+ "100",
+ "500",
+ "50",
+ "40"
+ ],
+ "réponse": "50",
+ "anecdote": "La plaga de los argonautas ha dado lugar a varios motivos que se inspiran con bastante libertad de diferentes fuentes del mito."
+ },
+ {
+ "id": 9,
+ "question": "¿En qué año tuvo lugar el primer Festival de Cine de Cannes ?",
+ "propositions": [
+ "1956",
+ "1966",
+ "1946",
+ "1976"
+ ],
+ "réponse": "1946",
+ "anecdote": "El Festival se fundó en 1946 en un proyecto de Jean Zay, Ministro de Educación Nacional y Bellas Artes del Frente Popular."
+ },
+ {
+ "id": 10,
+ "question": "¿Cuántos años ha pasado Robinson Crusoe en su isla ?",
+ "propositions": [
+ "28",
+ "20",
+ "24",
+ "16"
+ ],
+ "réponse": "28",
+ "anecdote": "« Robinson Crusoe » es una novela inglesa escrita por Daniel Defoe cuya historia está inspirada en la vida de Alexander Selkirk."
+ }
+ ],
+ "confirmé": [
+ {
+ "id": 11,
+ "question": "En computación, ¿cuántos bytes hay en un kilobyte ?",
+ "propositions": [
+ "512",
+ "32",
+ "1 024",
+ "256"
+ ],
+ "réponse": "1 024",
+ "anecdote": "El término se usa como una unidad de medida de computadora para indicar la capacidad de memorización de la memoria."
+ },
+ {
+ "id": 12,
+ "question": "¿En qué año ganó Michel Preud'homme el Premio Lev Yachine ?",
+ "propositions": [
+ "1992",
+ "1988",
+ "1994",
+ "1990"
+ ],
+ "réponse": "1994",
+ "anecdote": "Michel Preud'homme ocupó el puesto de entrenador en el Standard de Liège, después de ser el director deportivo del mismo club."
+ },
+ {
+ "id": 13,
+ "question": "¿Cuánto tiene el sitio de Carnac menhires en sus alineaciones ?",
+ "propositions": [
+ "2 394",
+ "1 394",
+ "1 934",
+ "2 934"
+ ],
+ "réponse": "2 934",
+ "anecdote": "El sitio de Carnac está ubicado en el límite norte de Mor Braz, entre el Golfo de Morbihan al este y la península de Quiberon al oeste."
+ },
+ {
+ "id": 14,
+ "question": "¿Cuántos son los satélites naturales conocidos alrededor de Júpiter ?",
+ "propositions": [
+ "49",
+ "69",
+ "59",
+ "39"
+ ],
+ "réponse": "69",
+ "anecdote": "Júpiter es el segundo planeta del Sistema Solar, después de Saturno, con el mayor número de satélites naturales observados."
+ },
+ {
+ "id": 15,
+ "question": "¿A qué distancia está la línea de salida desde el primer obstáculo hasta los 400 m ?",
+ "propositions": [
+ "37 m",
+ "18 m",
+ "45 m",
+ "29 m"
+ ],
+ "réponse": "45 m",
+ "anecdote": "Los mejores atletas masculinos terminan la carrera en unos 47 segundos y las atletas femeninas en unos 53 segundos."
+ },
+ {
+ "id": 16,
+ "question": "¿Cuántos partidos ha jugado la selección belga de fútbol con Guy Thys ?",
+ "propositions": [
+ "120",
+ "80",
+ "100",
+ "140"
+ ],
+ "réponse": "100",
+ "anecdote": "Nacido en Amberes e hijo de Ivan Thys, Guy Thys fue el entrenador del equipo de fútbol nacional belga más exitoso."
+ },
+ {
+ "id": 17,
+ "question": "¿Cuál es el porcentaje de silicio utilizado en la composición de la corteza terrestre ?",
+ "propositions": [
+ "19%",
+ "32%",
+ "25%",
+ "8%"
+ ],
+ "réponse": "25%",
+ "anecdote": "El silicio está comparativamente solo presente en cantidades relativamente pequeñas en la materia que constituye el ser vivo."
+ },
+ {
+ "id": 18,
+ "question": "¿Cuántos años ha sido Ferdinand Marcos presidente de Filipinas ?",
+ "propositions": [
+ "19",
+ "17",
+ "25",
+ "21"
+ ],
+ "réponse": "21",
+ "anecdote": "Marcos puede ser considerado como un experto en el desembolso de fondos: habría rechazado miles de millones de dólares del Tesoro de Filipinas."
+ },
+ {
+ "id": 19,
+ "question": "¿Cuántos espectadores pueden hoy dar la bienvenida a las arenas de Verona ?",
+ "propositions": [
+ "16,000",
+ "19,000",
+ "13 000",
+ "22,000"
+ ],
+ "réponse": "22,000",
+ "anecdote": "Casi todas las noches de marzo a septiembre, los espectáculos tienen lugar y tienen el tema de antiguas luchas de gladiadores."
+ },
+ {
+ "id": 20,
+ "question": "¿Cuántas piezas contenía el palacio imperial en la Ciudad Prohibida ?",
+ "propositions": [
+ "6,666",
+ "8,888",
+ "7,777",
+ "9,999"
+ ],
+ "réponse": "9,999",
+ "anecdote": "La cifra de 9.999 se explica por el hecho de que solo a sus divinidades se les permitió construir un palacio con 10.000 piezas."
+ }
+ ],
+ "expert": [
+ {
+ "id": 21,
+ "question": "¿Cuál es la longitud total del puente Golden Gate en San Francisco ?",
+ "propositions": [
+ "1 073 m",
+ "1 146 m",
+ "1 280 m",
+ "996 m"
+ ],
+ "réponse": "1 280 m",
+ "anecdote": "El puente Golden Gate fue, hasta 1964, el puente colgante más largo del mundo y sigue siendo un famoso monumento de San Francisco."
+ },
+ {
+ "id": 22,
+ "question": "¿Cuántas canciones de Elvis Presley fueron las número uno en el desfile de éxitos de Estados Unidos ?",
+ "propositions": [
+ "14",
+ "18",
+ "16",
+ "12"
+ ],
+ "réponse": "18",
+ "anecdote": "Elvis ha ayudado a popularizar el incipiente género rockabilly, una combinación enérgica de música country, rhythm and blues."
+ },
+ {
+ "id": 23,
+ "question": "En la mitología griega, ¿cuánto tenía el gigante Argos ojos ?",
+ "propositions": [
+ "80",
+ "100",
+ "40",
+ "60"
+ ],
+ "réponse": "100",
+ "anecdote": "Siempre hay cincuenta que duermen y cincuenta que miran, por lo que es imposible engañar a su vigilancia."
+ },
+ {
+ "id": 24,
+ "question": "¿Con qué frecuencia es el área de China más grande que la de Japón ?",
+ "propositions": [
+ "19",
+ "9",
+ "29",
+ "39"
+ ],
+ "réponse": "39",
+ "anecdote": "Desde 1945, Japón ha formado un archipiélago de 6.852 islas, las cuatro más grandes de las cuales son Hokkaido, Honshu, Shikoku y Kyushu."
+ },
+ {
+ "id": 25,
+ "question": "¿Cuál es la longitud de la cordillera de los Andes a 6,962 metros ?",
+ "propositions": [
+ "9,700 km",
+ "7,100 km",
+ "6,700 km",
+ "8,300 km"
+ ],
+ "réponse": "7,100 km",
+ "anecdote": "La cordillera de los Andes comienza en Venezuela y luego cruza Colombia, Ecuador, Perú, Bolivia, Chile y Argentina."
+ },
+ {
+ "id": 26,
+ "question": "¿Cuánto dura el túnel ferroviario japonés Seikan ?",
+ "propositions": [
+ "53 km",
+ "42 km",
+ "29 km",
+ "37 km"
+ ],
+ "réponse": "53 km",
+ "anecdote": "El túnel Seikan es un poco más largo que el Túnel del Canal y tiene una sección de 23,3 km bajo el lecho marino."
+ },
+ {
+ "id": 27,
+ "question": "¿Cuántos confeti fueron arrojados a John Glenn después de su famoso viaje espacial ?",
+ "propositions": [
+ "4,437 toneladas",
+ "1,732 toneladas",
+ "3,474 toneladas",
+ "2,828 toneladas"
+ ],
+ "réponse": "3,474 toneladas",
+ "anecdote": "Después de dejar la NASA en 1963, comenzó una exitosa carrera política que lo obligó a dedicarse al mundo de los negocios."
+ },
+ {
+ "id": 28,
+ "question": "¿Cuántos soldados tiene el ejército enterrado del emperador Qin ?",
+ "propositions": [
+ "4,000",
+ "8,000",
+ "6,000",
+ "10,000"
+ ],
+ "réponse": "8,000",
+ "anecdote": "Los colores minerales se aplicaron después de cocinar en las estatuas, lo que permitió distinguir las diferentes unidades."
+ },
+ {
+ "id": 29,
+ "question": "¿En qué año descubrió la lata Nicolas Appert ?",
+ "propositions": [
+ "1847",
+ "1795",
+ "1902",
+ "1829"
+ ],
+ "réponse": "1795",
+ "anecdote": "El enlatado se puede definir como un proceso de conservación que consiste en esterilizar por calor los productos perecederos."
+ },
+ {
+ "id": 30,
+ "question": "¿Cuál es el número de islas presentes en toda Finlandia ?",
+ "propositions": [
+ "180,000",
+ "120,000",
+ "160,000",
+ "140,000"
+ ],
+ "réponse": "180,000",
+ "anecdote": "La mayoría de las islas se encuentran en el suroeste, en el archipiélago de Aland, y en la costa sur del golfo de Finlandia."
+ }
+ ]
+ },
+ "it": {
+ "débutant": [
+ {
+ "id": 1,
+ "question": "Quanti lavori ha eseguito Hercules per Eurystheus, King of Tiryns ?",
+ "propositions": [
+ "40",
+ "10",
+ "100",
+ "12"
+ ],
+ "réponse": "12",
+ "anecdote": "L'ebraico corrisponde a Ercole Romano, Fenice Melqart, Cerchio Artificiale e Kakasbo in Asia Minore."
+ },
+ {
+ "id": 2,
+ "question": "A che età Nadia Comaneci ha ottenuto il punteggio perfetto di 10 alle Olimpiadi ?",
+ "propositions": [
+ "13 anni",
+ "14 anni",
+ "16 anni",
+ "15 anni"
+ ],
+ "réponse": "14 anni",
+ "anecdote": "Nadia Comaneci è stata naturalizzata americana dopo la sua carriera sportiva, non avendo mai rappresentato questo paese in competizione."
+ },
+ {
+ "id": 3,
+ "question": "Qual è la differenza tra la 87 e la 86 piazza ?",
+ "propositions": [
+ "173",
+ "87",
+ "86",
+ "1"
+ ],
+ "réponse": "173",
+ "anecdote": "Ogni numero reale strettamente positivo è il quadrato di esattamente due numeri, uno strettamente positivo, l'altro strettamente negativo."
+ },
+ {
+ "id": 4,
+ "question": "Quante migliaia di passeggeri potrebbero tenere il Titanic a bordo ?",
+ "propositions": [
+ "2.000",
+ "3.000",
+ "4.000",
+ "1.000"
+ ],
+ "réponse": "3.000",
+ "anecdote": "Lo scafo del Titanic era dotato di sedici compartimenti stagni per proteggere la nave dai corsi d'acqua."
+ },
+ {
+ "id": 5,
+ "question": "In quale anno Carlo Magno fu incoronato imperatore a Roma ?",
+ "propositions": [
+ "800",
+ "600",
+ "700",
+ "900"
+ ],
+ "réponse": "800",
+ "anecdote": "Sovrano riformatore, culturalmente cosciente, protegge le arti e le lettere ed è all'origine del rinascimento carolingio."
+ },
+ {
+ "id": 6,
+ "question": "In misura, qual è il valore in millimetri di un pollice ?",
+ "propositions": [
+ "45 mm",
+ "25 mm",
+ "16 mm",
+ "32 mm"
+ ],
+ "réponse": "25 mm",
+ "anecdote": "Il pollice è un'unità risalente al Medioevo, ora utilizzata per taglie di pneumatici o schermi di computer."
+ },
+ {
+ "id": 7,
+ "question": "Che età aveva Mozart quando la sua prima opera fu rappresentata in pubblico ?",
+ "propositions": [
+ "13 anni",
+ "11 anni",
+ "17 anni",
+ "15 anni"
+ ],
+ "réponse": "13 anni",
+ "anecdote": "Morto all'età di 35 anni, Mozart lascia alle sue spalle 626 opere provate che abbracciano tutti i generi musicali della sua epoca."
+ },
+ {
+ "id": 8,
+ "question": "Nella mitologia greca, quanti Argonauti hanno accompagnato Jason ?",
+ "propositions": [
+ "500",
+ "100",
+ "50",
+ "40"
+ ],
+ "réponse": "50",
+ "anecdote": "La piaga degli Argonauti ha dato origine a numerosi motivi ispirati abbastanza liberamente da diverse fonti di mito."
+ },
+ {
+ "id": 9,
+ "question": "In quale anno si è svolto il primo Festival di Cannes ?",
+ "propositions": [
+ "1976",
+ "1966",
+ "1956",
+ "1946"
+ ],
+ "réponse": "1946",
+ "anecdote": "Il Festival è stato fondato nel 1946 su progetto di Jean Zay, Ministro dell'Istruzione Nazionale e delle Belle Arti del Fronte Popolare."
+ },
+ {
+ "id": 10,
+ "question": "Quanti anni ha trascorso Robinson Crusoe nella sua isola ?",
+ "propositions": [
+ "24",
+ "28",
+ "20",
+ "16"
+ ],
+ "réponse": "28",
+ "anecdote": "« Robinson Crusoe » è un romanzo inglese scritto da Daniel Defoe la cui storia è ispirata molto liberamente alla vita di Alexander Selkirk."
+ }
+ ],
+ "confirmé": [
+ {
+ "id": 11,
+ "question": "Nel calcolo, quanti byte sono in un kilobyte ?",
+ "propositions": [
+ "1 024",
+ "256",
+ "512",
+ "32"
+ ],
+ "réponse": "1 024",
+ "anecdote": "Il termine è usato come unità di misura del computer per indicare la capacità di memorizzazione della memoria."
+ },
+ {
+ "id": 12,
+ "question": "In quale anno Michel Preud'homme ha vinto il Premio Lev Yachine ?",
+ "propositions": [
+ "1990",
+ "1992",
+ "1994",
+ "1988"
+ ],
+ "réponse": "1994",
+ "anecdote": "Michel Preud'homme ha ricoperto la carica di allenatore dello Standard de Liège, dopo essere stato il direttore sportivo dello stesso club."
+ },
+ {
+ "id": 13,
+ "question": "Quanto il sito di Carnac ha i menhir nei suoi allineamenti ?",
+ "propositions": [
+ "2 934",
+ "1 394",
+ "1 934",
+ "2 394"
+ ],
+ "réponse": "2 934",
+ "anecdote": "Il sito Carnac si trova al limite settentrionale di Mor Braz, tra il Golfo di Morbihan a est e la penisola di Quiberon a ovest."
+ },
+ {
+ "id": 14,
+ "question": "Quanti sono finora noti i satelliti naturali attorno a Giove ?",
+ "propositions": [
+ "59",
+ "69",
+ "39",
+ "49"
+ ],
+ "réponse": "69",
+ "anecdote": "Giove è il secondo pianeta del Sistema Solare, dopo Saturno, con il maggior numero di satelliti naturali osservati."
+ },
+ {
+ "id": 15,
+ "question": "Quanto dista la linea di partenza dal primo ostacolo alla barriera dei 400 metri ?",
+ "propositions": [
+ "37 m",
+ "45 m",
+ "29 m",
+ "18 m"
+ ],
+ "réponse": "45 m",
+ "anecdote": "I migliori atleti di sesso maschile terminano la gara in circa 47 secondi e le atlete in circa 53 secondi."
+ },
+ {
+ "id": 16,
+ "question": "Quante partite ha giocato la squadra nazionale belga con Guy Thys ?",
+ "propositions": [
+ "140",
+ "120",
+ "100",
+ "80"
+ ],
+ "réponse": "100",
+ "anecdote": "Nato ad Anversa e figlio di Ivan Thys, Guy Thys è stato l'allenatore della squadra nazionale di calcio belga di maggior successo."
+ },
+ {
+ "id": 17,
+ "question": "Qual è la percentuale di silicio utilizzato nella composizione della corteccia terrestre ?",
+ "propositions": [
+ "8%",
+ "19%",
+ "32%",
+ "25%"
+ ],
+ "réponse": "25%",
+ "anecdote": "Il silicio è comparativamente presente solo in quantità relativamente piccole nella materia che costituisce il vivente."
+ },
+ {
+ "id": 18,
+ "question": "Da quanti anni Ferdinand Marcos è stato presidente delle Filippine ?",
+ "propositions": [
+ "17",
+ "21",
+ "25",
+ "19"
+ ],
+ "réponse": "21",
+ "anecdote": "Marcos potrebbe essere considerato un esperto per l'erogazione di fondi: avrebbe allontanato miliardi di dollari dal Tesoro delle Filippine."
+ },
+ {
+ "id": 19,
+ "question": "Quanti spettatori possono oggi accogliere le arene di Verona ?",
+ "propositions": [
+ "13 000",
+ "22.000",
+ "16.000",
+ "19.000"
+ ],
+ "réponse": "22.000",
+ "anecdote": "Quasi tutte le sere da marzo a settembre, gli spettacoli hanno luogo e hanno il tema delle antiche lotte dei gladiatori."
+ },
+ {
+ "id": 20,
+ "question": "Quanti pezzi contenevano il palazzo imperiale nella Città Proibita ?",
+ "propositions": [
+ "7.777",
+ "6.666",
+ "9.999",
+ "8.888"
+ ],
+ "réponse": "9.999",
+ "anecdote": "La cifra di 9.999 è spiegata dal fatto che solo le loro divinità potevano costruire un palazzo con 10.000 pezzi."
+ }
+ ],
+ "expert": [
+ {
+ "id": 21,
+ "question": "Qual è la lunghezza totale del Golden Gate Bridge a San Francisco ?",
+ "propositions": [
+ "1 280 m",
+ "1 073 m",
+ "1 146 m",
+ "996 m"
+ ],
+ "réponse": "1 280 m",
+ "anecdote": "Il Golden Gate Bridge fu, fino al 1964, il ponte sospeso più lungo del mondo e rimane un famoso monumento di San Francisco."
+ },
+ {
+ "id": 22,
+ "question": "Quante canzoni di Elvis Presley erano al primo posto nella hit parade americana ?",
+ "propositions": [
+ "12",
+ "18",
+ "16",
+ "14"
+ ],
+ "réponse": "18",
+ "anecdote": "Elvis ha contribuito a diffondere il nascente genere rockabilly, un energico mix di musica country e rhythm and blues."
+ },
+ {
+ "id": 23,
+ "question": "Nella mitologia greca, quanto ha visto il gigante Argos ?",
+ "propositions": [
+ "40",
+ "80",
+ "100",
+ "60"
+ ],
+ "réponse": "100",
+ "anecdote": "Ci sono sempre cinquanta che dormono e cinquanta che guardano, così che è impossibile ingannare la sua vigilanza."
+ },
+ {
+ "id": 24,
+ "question": "Quante volte l'area della Cina è più grande di quella del Giappone ?",
+ "propositions": [
+ "9",
+ "39",
+ "19",
+ "29"
+ ],
+ "réponse": "39",
+ "anecdote": "Dal 1945, il Giappone ha formato un arcipelago di 6.852 isole, le quattro più grandi delle quali sono Hokkaido, Honshu, Shikoku e Kyushu."
+ },
+ {
+ "id": 25,
+ "question": "Qual è la lunghezza della catena montuosa delle Ande a 6.962 metri ?",
+ "propositions": [
+ "6.700 km",
+ "8.300 km",
+ "9.700 km",
+ "7.100 km"
+ ],
+ "réponse": "7.100 km",
+ "anecdote": "La Cordigliera delle Ande inizia in Venezuela e attraversa poi Colombia, Ecuador, Perù, Bolivia, Cile e Argentina."
+ },
+ {
+ "id": 26,
+ "question": "Quanto dura il tunnel ferroviario giapponese di Seikan ?",
+ "propositions": [
+ "37 km",
+ "53 km",
+ "29 km",
+ "42 km"
+ ],
+ "réponse": "53 km",
+ "anecdote": "Il tunnel di Seikan è leggermente più lungo del tunnel sotto la Manica e ha una sezione di 23,3 km sotto il fondo del mare."
+ },
+ {
+ "id": 27,
+ "question": "Quanti coriandoli sono stati lanciati a John Glenn dopo il suo famoso viaggio nello spazio ?",
+ "propositions": [
+ "4,437 tonnellate",
+ "2,828 tonnellate",
+ "1,732 tonnellate",
+ "3,474 tonnellate"
+ ],
+ "réponse": "3,474 tonnellate",
+ "anecdote": "Dopo aver lasciato la NASA nel 1963, iniziò una carriera politica senza successo che lo costrinse a rivolgersi al mondo degli affari."
+ },
+ {
+ "id": 28,
+ "question": "Quanti soldati ha l'esercito sepolto dell'Imperatore Qin ?",
+ "propositions": [
+ "8.000",
+ "6.000",
+ "4.000",
+ "10.000"
+ ],
+ "réponse": "8.000",
+ "anecdote": "I colori minerali sono stati applicati dopo la cottura sulle statue, rendendo così possibile distinguere le diverse unità."
+ },
+ {
+ "id": 29,
+ "question": "In quale anno Nicolas Appert ha scoperto il barattolo di latta ?",
+ "propositions": [
+ "1795",
+ "1829",
+ "1847",
+ "1902"
+ ],
+ "réponse": "1795",
+ "anecdote": "L'inscatolamento può essere definito come un processo di conservazione che consiste nella sterilizzazione a caldo delle merci deperibili."
+ },
+ {
+ "id": 30,
+ "question": "Qual è il numero di isole presenti in tutta la Finlandia ?",
+ "propositions": [
+ "160.000",
+ "140.000",
+ "180.000",
+ "120.000"
+ ],
+ "réponse": "180.000",
+ "anecdote": "La maggior parte delle isole si trova nel sud-ovest, nell'arcipelago di Aland e lungo la costa meridionale del Golfo di Finlandia."
+ }
+ ]
+ },
+ "nl": {
+ "débutant": [
+ {
+ "id": 1,
+ "question": "Hoeveel werken heeft Hercules uitgevoerd voor Eurystheus, koning van Tiryns ?",
+ "propositions": [
+ "100",
+ "10",
+ "40",
+ "12"
+ ],
+ "réponse": "12",
+ "anecdote": "Hebreeuws komt overeen met Roman Hercules, Phenician Melqart, Artifical Circle en Kakasbos in Klein-Azië."
+ },
+ {
+ "id": 2,
+ "question": "Op welke leeftijd kreeg Nadia Comaneci de perfecte score van 10 op de Olympische Spelen ?",
+ "propositions": [
+ "13 jaar oud",
+ "16 jaar oud",
+ "15 jaar oud",
+ "14 jaar oud"
+ ],
+ "réponse": "14 jaar oud",
+ "anecdote": "Nadia Comaneci werd Amerikaan genaturaliseerd na haar sportcarrière en had dit land nog nooit in competitie vertegenwoordigd."
+ },
+ {
+ "id": 3,
+ "question": "Wat is het verschil tussen het 87 en het 86 vierkant ?",
+ "propositions": [
+ "87",
+ "173",
+ "86",
+ "1"
+ ],
+ "réponse": "173",
+ "anecdote": "Elk strikt positief reëel getal is het kwadraat van precies twee getallen, één strikt positief, de andere strikt negatief."
+ },
+ {
+ "id": 4,
+ "question": "Hoeveel duizenden passagiers kon de Titanic aan boord houden ?",
+ "propositions": [
+ "3000",
+ "1.000",
+ "2.000",
+ "4.000"
+ ],
+ "réponse": "3000",
+ "anecdote": "De romp van de Titanic was uitgerust met zestien waterdichte compartimenten om het schip tegen waterwegen te beschermen."
+ },
+ {
+ "id": 5,
+ "question": "In welk jaar werd Karel de Grote tot keizer gekroond in Rome ?",
+ "propositions": [
+ "700",
+ "800",
+ "900",
+ "600"
+ ],
+ "réponse": "800",
+ "anecdote": "Soeverein hervormer, cultureel bewust, hij beschermt de kunst en letters en is de oorsprong van de Karolingische renaissance."
+ },
+ {
+ "id": 6,
+ "question": "Wat is de waarde in millimeters van een inch in maat ?",
+ "propositions": [
+ "16 mm",
+ "32 mm",
+ "25 mm",
+ "45 mm"
+ ],
+ "réponse": "25 mm",
+ "anecdote": "De duim is een eenheid die dateert uit de Middeleeuwen en wordt nu gebruikt voor bandenmaten of computerschermen."
+ },
+ {
+ "id": 7,
+ "question": "Hoe oud was Mozart toen zijn eerste opera in het openbaar werd uitgevoerd ?",
+ "propositions": [
+ "17 jaar",
+ "11 jaar",
+ "13 jaar oud",
+ "15 jaar"
+ ],
+ "réponse": "13 jaar oud",
+ "anecdote": "Op zijn 35e stierf Mozart met achterlating van 626 kunstwerken die alle muzikale genres van zijn tijd omvatten."
+ },
+ {
+ "id": 8,
+ "question": "Hoeveel Argonauten vergezelden Jason in de Griekse mythologie ?",
+ "propositions": [
+ "40",
+ "500",
+ "100",
+ "50"
+ ],
+ "réponse": "50",
+ "anecdote": "De Argonauts-pest heeft aanleiding gegeven tot verschillende smeekbeden die vrijelijk geïnspireerd zijn door verschillende bronnen van mythen."
+ },
+ {
+ "id": 9,
+ "question": "In welk jaar vond het eerste Filmfestival van Cannes plaats ?",
+ "propositions": [
+ "1976",
+ "1946",
+ "1966",
+ "1956"
+ ],
+ "réponse": "1946",
+ "anecdote": "Het festival werd in 1946 opgericht op initiatief van Jean Zay, minister van Nationale Educatie en Schone Kunsten van het Volksfront."
+ },
+ {
+ "id": 10,
+ "question": "Hoeveel jaar heeft Robinson Crusoë op zijn eiland doorgebracht ?",
+ "propositions": [
+ "16",
+ "28",
+ "20",
+ "24"
+ ],
+ "réponse": "28",
+ "anecdote": "« Robinson Crusoe » is een Engelse roman geschreven door Daniel Defoe, wiens verhaal is geïnspireerd op het leven van Alexander Selkirk."
+ }
+ ],
+ "confirmé": [
+ {
+ "id": 11,
+ "question": "Hoeveel computers zijn in een kilobyte berekend ?",
+ "propositions": [
+ "32",
+ "1 024",
+ "512",
+ "256"
+ ],
+ "réponse": "1 024",
+ "anecdote": "De term wordt gebruikt als een computer-meeteenheid om geheugenopslagcapaciteit aan te geven."
+ },
+ {
+ "id": 12,
+ "question": "In welk jaar won Michel Preud'homme de Lev Yachine-prijs ?",
+ "propositions": [
+ "1988",
+ "1992",
+ "1994",
+ "1990"
+ ],
+ "réponse": "1994",
+ "anecdote": "Michel Preud'homme bekleedde de coachingspost bij Standard de Liege, nadat hij de sportdirecteur van dezelfde club was."
+ },
+ {
+ "id": 13,
+ "question": "Hoeveel heeft de site van Carnac menhirs in zijn afstemming ?",
+ "propositions": [
+ "2 934",
+ "1 934",
+ "2 394",
+ "1 394"
+ ],
+ "réponse": "2 934",
+ "anecdote": "De site van Carnac ligt aan de noordelijke grens van Mor Braz, tussen de Golf van Morbihan in het oosten en het schiereiland Quiberon in het westen."
+ },
+ {
+ "id": 14,
+ "question": "Hoeveel tot nu toe zijn bekende natuurlijke satellieten rond Jupiter ?",
+ "propositions": [
+ "49",
+ "39",
+ "69",
+ "59"
+ ],
+ "réponse": "69",
+ "anecdote": "Jupiter is de tweede planeet van het zonnestelsel, na Saturnus, met het grootste aantal waargenomen natuurlijke satellieten."
+ },
+ {
+ "id": 15,
+ "question": "Hoe ver is de vertreklijn van de eerste horde naar de 400 m hindernis ?",
+ "propositions": [
+ "37 m",
+ "29 m",
+ "45 m",
+ "18 m"
+ ],
+ "réponse": "45 m",
+ "anecdote": "De beste mannelijke atleten eindigen de race in ongeveer 47 seconden en de vrouwelijke atleten in ongeveer 53 seconden."
+ },
+ {
+ "id": 16,
+ "question": "Hoeveel wedstrijden heeft het Belgische nationale voetbalteam gespeeld met Guy Thys ?",
+ "propositions": [
+ "120",
+ "80",
+ "100",
+ "140"
+ ],
+ "réponse": "100",
+ "anecdote": "Guy Thys werd geboren in Antwerpen en zoon van Ivan Thys en was de coach van het meest succesvolle Belgische nationale voetbalteam."
+ },
+ {
+ "id": 17,
+ "question": "Wat is het percentage silicium dat wordt gebruikt in de samenstelling van de terrestrische schors ?",
+ "propositions": [
+ "8%",
+ "25%",
+ "19%",
+ "32%"
+ ],
+ "réponse": "25%",
+ "anecdote": "Silicium is relatief slechts in relatief kleine hoeveelheden aanwezig in de materie die de levenden vormt."
+ },
+ {
+ "id": 18,
+ "question": "Hoeveel jaar is Ferdinand Marcos president van de Filipijnen geweest ?",
+ "propositions": [
+ "19",
+ "21",
+ "25",
+ "17"
+ ],
+ "réponse": "21",
+ "anecdote": "Marcos kan worden beschouwd als een expert in het uitbetalen van fondsen: hij zou miljarden dollars van de Filippijnse schatkist hebben afgewend."
+ },
+ {
+ "id": 19,
+ "question": "Hoeveel toeschouwers kunnen vandaag de arena's van Verona verwelkomen ?",
+ "propositions": [
+ "19.000",
+ "16.000",
+ "22.000",
+ "13 000"
+ ],
+ "réponse": "22.000",
+ "anecdote": "Bijna elke avond van maart tot september vinden er shows plaats met het thema van oude gladiatorengevechten."
+ },
+ {
+ "id": 20,
+ "question": "Hoeveel stukken bevatten het keizerlijk paleis in de Verboden Stad ?",
+ "propositions": [
+ "8.888",
+ "9.999",
+ "7.777",
+ "6.666"
+ ],
+ "réponse": "9.999",
+ "anecdote": "Het cijfer van 9.999 wordt verklaard door het feit dat alleen hun godheden een paleis mochten bouwen met 10.000 stuks."
+ }
+ ],
+ "expert": [
+ {
+ "id": 21,
+ "question": "Wat is de totale lengte van de Golden Gate Bridge in San Francisco ?",
+ "propositions": [
+ "1 146 m",
+ "1 280 m",
+ "1 073 m",
+ "996 m"
+ ],
+ "réponse": "1 280 m",
+ "anecdote": "De Golden Gate Bridge was tot 1964 de langste hangbrug ter wereld en blijft een beroemd monument van San Francisco."
+ },
+ {
+ "id": 22,
+ "question": "Hoeveel nummers van Elvis Presley waren nummer één in de Amerikaanse hitlijsten ?",
+ "propositions": [
+ "12",
+ "14",
+ "16",
+ "18"
+ ],
+ "réponse": "18",
+ "anecdote": "Elvis heeft het ontluikende rockabilly-genre gepopulariseerd, een energieke mix van countrymuziek en ritme en blues."
+ },
+ {
+ "id": 23,
+ "question": "In de Griekse mythologie, hoeveel had de reus Argos ogen ?",
+ "propositions": [
+ "80",
+ "100",
+ "60",
+ "40"
+ ],
+ "réponse": "100",
+ "anecdote": "Er zijn altijd vijftig die slapen en vijftig die waken, zodat het onmogelijk is om zijn waakzaamheid te misleiden."
+ },
+ {
+ "id": 24,
+ "question": "Hoe vaak is China's gebied groter dan dat van Japan ?",
+ "propositions": [
+ "9",
+ "29",
+ "39",
+ "19"
+ ],
+ "réponse": "39",
+ "anecdote": "Sinds 1945 heeft Japan een archipel gevormd van 6.852 eilanden, waarvan de vier grootste zijn Hokkaido, Honshu, Shikoku en Kyushu."
+ },
+ {
+ "id": 25,
+ "question": "Hoe lang is het Andesgebergte op 6.962 meter ?",
+ "propositions": [
+ "9.700 km",
+ "8.300 km",
+ "6.700 km",
+ "7.100 km"
+ ],
+ "réponse": "7.100 km",
+ "anecdote": "De Andes-cordillera begint in Venezuela en passeert vervolgens Colombia, Ecuador, Peru, Bolivia, Chili en Argentinië."
+ },
+ {
+ "id": 26,
+ "question": "Hoe lang is de Seikan Japanese Railway Tunnel ?",
+ "propositions": [
+ "42 km",
+ "29 km",
+ "37 km",
+ "53 km"
+ ],
+ "réponse": "53 km",
+ "anecdote": "De Seikan-tunnel is iets langer dan de Kanaaltunnel en heeft een deel van 23,3 km onder de zeebodem."
+ },
+ {
+ "id": 27,
+ "question": "Hoeveel confetti werden er naar John Glenn gegooid na zijn beroemde ruimtereis ?",
+ "propositions": [
+ "4.437 ton",
+ "3,474 ton",
+ "1.732 ton",
+ "2.828 ton"
+ ],
+ "réponse": "3,474 ton",
+ "anecdote": "Nadat hij in 1963 de NASA had verlaten, begon hij aan een niet-succesvolle politieke carrière die hem dwong zich tot het bedrijfsleven te wenden."
+ },
+ {
+ "id": 28,
+ "question": "Hoeveel soldaten heeft het leger van de keizer Qin ?",
+ "propositions": [
+ "10.000",
+ "8,000",
+ "6.000",
+ "4.000"
+ ],
+ "réponse": "8,000",
+ "anecdote": "Minerale kleuren werden aangebracht na het koken op de standbeelden, waardoor het mogelijk was om de verschillende eenheden te onderscheiden."
+ },
+ {
+ "id": 29,
+ "question": "In welk jaar heeft Nicolas Appert het blik ontdekt ?",
+ "propositions": [
+ "1902",
+ "1829",
+ "1795",
+ "1847"
+ ],
+ "réponse": "1795",
+ "anecdote": "Inblikken kan worden gedefinieerd als een proces van conservering dat bestaat uit het steriliseren door warmte van de bederfelijke goederen."
+ },
+ {
+ "id": 30,
+ "question": "Hoe groot is het aantal eilanden in heel Finland ?",
+ "propositions": [
+ "160.000",
+ "120.000",
+ "180.000",
+ "140.000"
+ ],
+ "réponse": "180.000",
+ "anecdote": "De meeste eilanden liggen in het zuidwesten, in de Aland-archipel en aan de zuidkust van de Finse Golf."
+ }
+ ]
+ }
+ }
+}
\ No newline at end of file
diff --git a/misc/quiz/openquizzdb/peuples-monde.json b/misc/quiz/openquizzdb/peuples-monde.json
new file mode 100644
index 0000000..3c7858f
--- /dev/null
+++ b/misc/quiz/openquizzdb/peuples-monde.json
@@ -0,0 +1,410 @@
+{
+ "fournisseur": "OpenQuizzDB - Fournisseur de contenu libre (https://www.openquizzdb.org)",
+ "licence": "CC BY-SA",
+ "rédacteur": "Philippe Bresoux",
+ "difficulté": "5 / 5",
+ "version": 1,
+ "mise-à-jour": "2024-11-07",
+ "catégorie-nom-slogan": {
+ "fr": {
+ "catégorie": "Pays du monde",
+ "nom": "Peuples du monde",
+ "slogan": "Les cultures des peuples évoluent"
+ },
+ "en": {
+ "catégorie": "Country of the world",
+ "nom": "Peoples of the world",
+ "slogan": "The cultures of peoples evolve"
+ },
+ "es": {
+ "catégorie": "País del mundo",
+ "nom": "Pueblos del mundo",
+ "slogan": "Las culturas de los pueblos evolucionan"
+ },
+ "it": {
+ "catégorie": "Paese del mondo",
+ "nom": "Popoli del mondo",
+ "slogan": "Le culture dei popoli si evolvono"
+ },
+ "de": {
+ "catégorie": "Land der Welt",
+ "nom": "Völker der Welt",
+ "slogan": "Die Kulturen der Völker entwickeln sich"
+ },
+ "nl": {
+ "catégorie": "Land van de wereld",
+ "nom": "Volkeren van de wereld",
+ "slogan": "De culturen van volkeren evolueren"
+ }
+ },
+ "quizz": {
+ "fr": {
+ "débutant": [
+ {
+ "id": 1,
+ "question": "Quel pays abrite la terre du peuple Kabyle, le long du littoral et des massifs montagneux ?",
+ "propositions": [
+ "Tunisie",
+ "Algérie",
+ "Maroc",
+ "Libye"
+ ],
+ "réponse": "Algérie",
+ "anecdote": "Les Kabyles ont constitué le milieu le plus favorable au développement de la revendication identitaire berbère."
+ },
+ {
+ "id": 2,
+ "question": "Quel peuple germanique s'installa au Ve siècle dans l'actuelle Espagne ?",
+ "propositions": [
+ "Ostrogoths",
+ "Wisigoths",
+ "Jutes",
+ "Burgondes"
+ ],
+ "réponse": "Wisigoths",
+ "anecdote": "Le royaume wisigoth a existé de 418 à 711, à la suite des Grandes invasions et jusqu'au Haut Moyen Âge."
+ },
+ {
+ "id": 3,
+ "question": "Lequel de ces pays ne compte aucun peuple aborigène ?",
+ "propositions": [
+ "Australie",
+ "Canada",
+ "Japon",
+ "Brésil"
+ ],
+ "réponse": "Brésil",
+ "anecdote": "Le mot « aborigène » renvoie à celui dont les ancêtres sont les premiers habitants connus de sa terre natale."
+ },
+ {
+ "id": 4,
+ "question": "Dans lequel de ces pays les Kurdes n'ont-ils pas de population significative ?",
+ "propositions": [
+ "Turquie",
+ "Iran",
+ "Géorgie",
+ "Irak"
+ ],
+ "réponse": "Géorgie",
+ "anecdote": "Depuis un siècle, certains Kurdes luttent pour leur autodétermination, afin d'avoir leur propre patrie, le Kurdistan."
+ },
+ {
+ "id": 5,
+ "question": "Le mot « lusitanien » désigne un peuple originaire de quel pays ?",
+ "propositions": [
+ "Maroc",
+ "Espagne",
+ "Italie",
+ "Portugal"
+ ],
+ "réponse": "Portugal",
+ "anecdote": "Les historiens et les archéologues sont indécis sur les origines ethniques des Lusitaniens."
+ },
+ {
+ "id": 6,
+ "question": "Lequel de ces peuples des Balkans est également appelé « Hellènes » ?",
+ "propositions": [
+ "Les Albanais",
+ "Les Serbes",
+ "Les Grecs",
+ "Les Bulgares"
+ ],
+ "réponse": "Les Grecs",
+ "anecdote": "Sous l'Empire romain, le terme « Hellènes » servit à désigner toutes les personnes n'étant pas de confession juive."
+ },
+ {
+ "id": 7,
+ "question": "Pour les Roms, comment se nomme un homme étranger à leur population ?",
+ "propositions": [
+ "Minouche",
+ "Djodjo",
+ "Sind",
+ "Gadjo"
+ ],
+ "réponse": "Gadjo",
+ "anecdote": "Les Roms sont aussi désignés en France comme des Bohémiens, Gitans, Manouches ou Romanichels."
+ },
+ {
+ "id": 8,
+ "question": "Lequel de ces peuples autochtones vit en Nouvelle-Zélande ?",
+ "propositions": [
+ "Les Moriori",
+ "Les Maoris",
+ "Les Malais",
+ "Les Maasaï"
+ ],
+ "réponse": "Les Maoris",
+ "anecdote": "Installés par vagues successives à partir du VIIIe siècle, les Maoris sont aujourd'hui plus de 700 000."
+ },
+ {
+ "id": 9,
+ "question": "Quel peuple de l'Himalaya vit depuis 1950 sous domination chinoise ?",
+ "propositions": [
+ "Les Népalais",
+ "Les Tibétains",
+ "Les Indiens",
+ "Les Cambodgiens"
+ ],
+ "réponse": "Les Tibétains",
+ "anecdote": "La population tibétaine totale est d'environ 6.6 millions, vivant principalement en République populaire de Chine."
+ },
+ {
+ "id": 10,
+ "question": "Lequel de ces termes faisait autrefois référence aux Vikings ?",
+ "propositions": [
+ "Germains",
+ "Normands",
+ "Gallois",
+ "Bretons"
+ ],
+ "réponse": "Normands",
+ "anecdote": "Les peuples en contact avec les Vikings leur ont donné différents noms : Normands, Danois ou Rus."
+ }
+ ],
+ "confirmé": [
+ {
+ "id": 11,
+ "question": "Dans quel pays vivent les Samaritains, signifiant ceux qui gardent ?",
+ "propositions": [
+ "Russie",
+ "Israël",
+ "France",
+ "États-Unis"
+ ],
+ "réponse": "Israël",
+ "anecdote": "Ils ne se considèrent pas comme Juifs, mais comme des descendants des anciens Israélites du royaume antique de Samarie."
+ },
+ {
+ "id": 12,
+ "question": "En France, en quelle année les « nomades » sont-ils devenus des « gens du voyage » ?",
+ "propositions": [
+ "1989",
+ "1979",
+ "1999",
+ "1969"
+ ],
+ "réponse": "1969",
+ "anecdote": "La loi du 3 janvier 1969 concerne les personnes n'ayant ni domicile ni résidence fixes de plus de six mois."
+ },
+ {
+ "id": 13,
+ "question": "Laquelle de ces propositions désigne un peuple originaire des Pays-Bas ?",
+ "propositions": [
+ "Helléniques",
+ "Lusitaniens",
+ "Bataves",
+ "Wallons"
+ ],
+ "réponse": "Bataves",
+ "anecdote": "Avant et après la conquête romaine, les Bataves peuvent être aussi décrits en tant que Belges des bords du Rhin."
+ },
+ {
+ "id": 14,
+ "question": "Quelle est la religion dominante chez les Wolofs, vivant principalement au Sénégal ?",
+ "propositions": [
+ "Judaïsme",
+ "Bouddhisme",
+ "Christianisme",
+ "Islam"
+ ],
+ "réponse": "Islam",
+ "anecdote": "Encore de religion traditionnelle, les Wolofs pratiquaient le totémisme, le matriarcat et l'hommage aux ancêtres."
+ },
+ {
+ "id": 15,
+ "question": "Dans quel pays, le septième le plus grand du monde, vit le peuple Kannada ?",
+ "propositions": [
+ "Russie",
+ "Canada",
+ "Inde",
+ "Afrique du Sud"
+ ],
+ "réponse": "Inde",
+ "anecdote": "Ce peuple fait partie des groupes minoritaires comme le peuple hindi, ourdou et malayalam."
+ },
+ {
+ "id": 16,
+ "question": "Quel peuple antique occupait autrefois les territoires de l'actuelle Bulgarie ?",
+ "propositions": [
+ "Les Wisigothes",
+ "Les Alains",
+ "Les Scythes",
+ "Les Thraces"
+ ],
+ "réponse": "Les Thraces",
+ "anecdote": "Orale, la culture des Thraces était faite de légendes et de mythes incluant la croyance en l'immortalité."
+ },
+ {
+ "id": 17,
+ "question": "Laquelle de ces propositions ne désigne pas un peuple du Caucase ?",
+ "propositions": [
+ "Tchétchène",
+ "Mingrélien",
+ "Turkmène",
+ "Ossète"
+ ],
+ "réponse": "Turkmène",
+ "anecdote": "Historiquement, les Turkmènes ont été présents en Perse (Iran) où ils ont fondé plusieurs dynasties."
+ },
+ {
+ "id": 18,
+ "question": "Par quelle tribu amérindienne les chevaux appaloosa sont-ils dressés ?",
+ "propositions": [
+ "Les Nez-Percés",
+ "Les Cherokees",
+ "Les Kiowas",
+ "Les Navajos"
+ ],
+ "réponse": "Les Nez-Percés",
+ "anecdote": "La grande particularité de ces chevaux est d'avoir très souvent une robe tachetée."
+ },
+ {
+ "id": 19,
+ "question": "Quel signe trouve-t-on sur le drapeau du peuple Acadien ?",
+ "propositions": [
+ "Un lion",
+ "Un dragon",
+ "Une étoile",
+ "Un cercle"
+ ],
+ "réponse": "Une étoile",
+ "anecdote": "Les Acadiens sont descendants des premiers colons français et européens établis en Acadie à l'époque de la Nouvelle-France."
+ },
+ {
+ "id": 20,
+ "question": "Combien compte-t-on d'Irlandais aux États-Unis, avec presque dix fois plus qu'en Irlande ?",
+ "propositions": [
+ "60 millions",
+ "80 millions",
+ "20 millions",
+ "40 millions"
+ ],
+ "réponse": "40 millions",
+ "anecdote": "Environ la moitié de la population irlandaise mondiale vit aux États-Unis."
+ }
+ ],
+ "expert": [
+ {
+ "id": 21,
+ "question": "Quelle est l'origine du peuple Tatars vivant en Europe orientale ?",
+ "propositions": [
+ "Turque",
+ "Chinoise",
+ "Mongole",
+ "Ouzbek"
+ ],
+ "réponse": "Turque",
+ "anecdote": "Aujourd'hui, parmi les Tatars, on trouve des musulmans et des chrétiens orthodoxes (notamment en Russie)."
+ },
+ {
+ "id": 22,
+ "question": "Dans quel pays vivent les Chaouis, dans le massif des Aurès ?",
+ "propositions": [
+ "Égypte",
+ "Maroc",
+ "Tunisie",
+ "Algérie"
+ ],
+ "réponse": "Algérie",
+ "anecdote": "Les Chaouis sont le second groupe berbérophone algérien par le nombre de locuteurs."
+ },
+ {
+ "id": 23,
+ "question": "Combien d'ethnies sont officiellement reconnues en Chine ?",
+ "propositions": [
+ "66",
+ "46",
+ "36",
+ "56"
+ ],
+ "réponse": "56",
+ "anecdote": "Parmi ces ethnies, appelées « nationalités », les Han représentent 92 % de la population chinoise."
+ },
+ {
+ "id": 24,
+ "question": "Dans quel pays les Parses se sont-ils installés au XIIIe siècle ?",
+ "propositions": [
+ "Inde",
+ "Égypte",
+ "Chine",
+ "Afghanistan"
+ ],
+ "réponse": "Inde",
+ "anecdote": "Les Parses descendent des anciens Perses qui émigrèrent en Inde pour se soustraire aux persécutions musulmanes."
+ },
+ {
+ "id": 25,
+ "question": "Environ combien d'Afrikaners vivent actuellement en Afrique du Sud ?",
+ "propositions": [
+ "9 millions",
+ "6 millions",
+ "3 millions",
+ "12 millions"
+ ],
+ "réponse": "3 millions",
+ "anecdote": "On peut aussi les désigner par le terme « Hollandais du Cap » qui est plus précis que le terme « Afrikaner »."
+ },
+ {
+ "id": 26,
+ "question": "Combien d'Inuits vivent aux États-Unis, au Canada et au Groenland ?",
+ "propositions": [
+ "600 000",
+ "450 000",
+ "150 000",
+ "300 000"
+ ],
+ "réponse": "150 000",
+ "anecdote": "Plusieurs questions politiques se posent au sujet des Inuits, principalement des revendications territoriales."
+ },
+ {
+ "id": 27,
+ "question": "Sous quel autre nom est aussi connu le peuple Mohicans ?",
+ "propositions": [
+ "Gens du Cheval",
+ "Gens du Chien",
+ "Gens du Loup",
+ "Gens du Serpent"
+ ],
+ "réponse": "Gens du Loup",
+ "anecdote": "Le roman de James Fenimore Cooper « Le Dernier des Mohicans » parle effectivement d'une tribu Mohican."
+ },
+ {
+ "id": 28,
+ "question": "Quel peuple asiatique se nomme lui-même hangul ?",
+ "propositions": [
+ "Chinoise",
+ "Coréen",
+ "Vietnamien",
+ "Japonais"
+ ],
+ "réponse": "Coréen",
+ "anecdote": "Le hangeul, alphabet officiel du coréen, comprend 40 lettres, appelées jamos."
+ },
+ {
+ "id": 29,
+ "question": "Dans quel pays le peuple des Caraïbes vivait-il avant la fin du IXe siècle ?",
+ "propositions": [
+ "Canada",
+ "Mexique",
+ "Brésil",
+ "Venezuela"
+ ],
+ "réponse": "Venezuela",
+ "anecdote": "Le nom international de « Caraïbes » leur a été définitivement attribué après l'arrivée des Européens dans le Nouveau Monde."
+ },
+ {
+ "id": 30,
+ "question": "Dans quel pays vivent les Ladins, parlant une des plus rares langues d'Europe ?",
+ "propositions": [
+ "Allemagne",
+ "Espagne",
+ "Italie",
+ "Pays-Bas"
+ ],
+ "réponse": "Italie",
+ "anecdote": "Le drapeau des Ladins, de couleur bleu, blanc, vert, contient souvent un bélier en son milieu."
+ }
+ ]
+ }
+ }
+}
\ No newline at end of file
diff --git a/misc/quiz/openquizzdb/programmation.json b/misc/quiz/openquizzdb/programmation.json
new file mode 100644
index 0000000..b55cced
--- /dev/null
+++ b/misc/quiz/openquizzdb/programmation.json
@@ -0,0 +1,410 @@
+{
+ "fournisseur": "OpenQuizzDB - Fournisseur de contenu libre (https://www.openquizzdb.org)",
+ "licence": "CC BY-SA",
+ "rédacteur": "Philippe Bresoux",
+ "difficulté": "3 / 5",
+ "version": 8,
+ "mise-à-jour": "2022-01-25",
+ "catégorie-nom-slogan": {
+ "fr": {
+ "catégorie": "Informatique",
+ "nom": "Programmation",
+ "slogan": "Écriture de logiciels informatiques"
+ },
+ "en": {
+ "catégorie": "Computer science",
+ "nom": "People: Oct 2018",
+ "slogan": "They made the news"
+ },
+ "es": {
+ "catégorie": "Ciencias de la Computación",
+ "nom": "Gente: oct. de 2018",
+ "slogan": "Fueron noticia"
+ },
+ "it": {
+ "catégorie": "Informatica",
+ "nom": "Persone: ottobre 2018",
+ "slogan": "Hanno fatto notizia"
+ },
+ "de": {
+ "catégorie": "Informatik",
+ "nom": "Personen: Okt. 2018",
+ "slogan": "Sie machten die Nachrichten"
+ },
+ "nl": {
+ "catégorie": "Computertechnologie",
+ "nom": "Mensen: okt 2018",
+ "slogan": "Ze haalden het nieuws"
+ }
+ },
+ "quizz": {
+ "fr": {
+ "débutant": [
+ {
+ "id": 1,
+ "question": "Quel langage orienté objet a été créé par des employés de Sun Microsystems ?",
+ "propositions": [
+ "Perl",
+ "Python",
+ "Java",
+ "Ruby"
+ ],
+ "réponse": "Java",
+ "anecdote": "Un logiciel écrit en Java a pour particularité d'être compilé vers un code intermédiaire qui peut être exécutée dans une VM."
+ },
+ {
+ "id": 2,
+ "question": "Quel langage de programmation a le même nom qu'une espèce de serpent ?",
+ "propositions": [
+ "Boa",
+ "Python",
+ "Vipère",
+ "Cobra"
+ ],
+ "réponse": "Python",
+ "anecdote": "Python est placé sous une licence libre proche de la licence BSD et fonctionne sur la plupart des plateformes informatiques."
+ },
+ {
+ "id": 3,
+ "question": "Quel langage a permis de créer des sites web comme Facebook et Wikipédia ?",
+ "propositions": [
+ "Assembleur",
+ "Fortran",
+ "Scala",
+ "PHP"
+ ],
+ "réponse": "PHP",
+ "anecdote": "PHP est considéré comme une des bases de la création de sites web dits dynamiques mais également des applications web."
+ },
+ {
+ "id": 4,
+ "question": "Quelle collection d'outils, utiles à la création du design, a été créée par Twitter ?",
+ "propositions": [
+ "Bootstrap",
+ "Flutter",
+ "React",
+ "Fortran"
+ ],
+ "réponse": "Bootstrap",
+ "anecdote": "Avant l'arrivée de Bootstrap, plusieurs bibliothèques existaient, ce qui menait à des incohérences et à un coût de maintenance élevé."
+ },
+ {
+ "id": 5,
+ "question": "Quel langage de programmation compilé est un niveau au-dessus de C ?",
+ "propositions": [
+ "Go",
+ "Java",
+ "C++",
+ "Perl"
+ ],
+ "réponse": "C++",
+ "anecdote": "L'encapsulation permet de faire abstraction du fonctionnement interne d'une classe et de ne se préoccuper que des services rendus."
+ },
+ {
+ "id": 6,
+ "question": "Quel nom donne-t-on à un défaut de conception d'un programme informatique ?",
+ "propositions": [
+ "Commit",
+ "Lisp",
+ "Bug",
+ "Rollback"
+ ],
+ "réponse": "Bug",
+ "anecdote": "La gravité du dysfonctionnement peut aller de bénigne à majeure, tels un plantage du système pouvant entraîner de graves accidents."
+ },
+ {
+ "id": 7,
+ "question": "Quel célèbre langage a été inventé courant 1972 dans les laboratoires Bell ?",
+ "propositions": [
+ "Fortran",
+ "RPG",
+ "COBOL",
+ "C"
+ ],
+ "réponse": "C",
+ "anecdote": "Inventé au début des années 1970 pour réécrire Unix, C est devenu un des langages les plus utilisés, encore de nos jours."
+ },
+ {
+ "id": 8,
+ "question": "Quels mots sont souvent utilisés pour vite tester un logiciel simple sans erreur ?",
+ "propositions": [
+ "Happy day",
+ "Well done",
+ "No bug",
+ "Hello world"
+ ],
+ "réponse": "Hello world",
+ "anecdote": "C'est souvent le programme le plus simple qu'on essaie de faire fonctionner en apprenant un nouveau langage de programmation."
+ },
+ {
+ "id": 9,
+ "question": "Quel EDI propriétaire sous Windows a été créé en 1995 par Borland ?",
+ "propositions": [
+ "WinDev",
+ "Ada",
+ "Visual Basic",
+ "Delphi"
+ ],
+ "réponse": "Delphi",
+ "anecdote": "Delphi est apparu comme une alternative viable pour de nombreux développeurs qui souhaitaient programmer sous Windows."
+ },
+ {
+ "id": 10,
+ "question": "Quel langage de programmation libre utilise les extensions rb et rbw ?",
+ "propositions": [
+ "Ruby",
+ "RPG",
+ "Ada",
+ "React"
+ ],
+ "réponse": "Ruby",
+ "anecdote": "Frustré par son expérience en développement Smalltalk et Lisp, Yukihiro Matsumoto a commencé à créer Ruby en 1993 sous Emacs."
+ }
+ ],
+ "confirmé": [
+ {
+ "id": 11,
+ "question": "Quel langage créé en 1987 par Larry Wall traite de l'information textuelle ?",
+ "propositions": [
+ "PHP",
+ "Python",
+ "Perl",
+ "Java"
+ ],
+ "réponse": "Perl",
+ "anecdote": "Ce langage s'inspire des structures de contrôle et d'impression du langage C, mais aussi de langages de scripts sed, awk et shell (sh)."
+ },
+ {
+ "id": 12,
+ "question": "Quelle bibliothèque JavaScript libre est développée par Meta depuis 2013 ?",
+ "propositions": [
+ "Scala",
+ "Go",
+ "React",
+ "Kotlin"
+ ],
+ "réponse": "React",
+ "anecdote": "La bibliothèque se démarque de ses concurrents par sa flexibilité et ses performances, en travaillant avec un DOM virtuel."
+ },
+ {
+ "id": 13,
+ "question": "Quel langage développé par Microsoft a pris fin en 1998 avec la version 6 ?",
+ "propositions": [
+ "Fortran",
+ "Visual Basic",
+ "Assembleur",
+ "Ruby"
+ ],
+ "réponse": "Visual Basic",
+ "anecdote": "Dans une étude conduite en 2005, 62 % des développeurs interrogés auraient déclaré utiliser l'une ou l'autre forme de Visual Basic."
+ },
+ {
+ "id": 14,
+ "question": "Quel est le langage de plus bas niveau qui représente le langage machine ?",
+ "propositions": [
+ "Scala",
+ "C",
+ "Assembleur",
+ "C++"
+ ],
+ "réponse": "Assembleur",
+ "anecdote": "Les combinaisons de bits du langage machine sont représentées par des symboles dits mnémoniques, c'est-à-dire faciles à retenir."
+ },
+ {
+ "id": 15,
+ "question": "Quel nom de langage de programmation a été choisi en l'honneur d'Ada Lovelace ?",
+ "propositions": [
+ "Alo",
+ "Lovelace",
+ "Ada",
+ "Algol"
+ ],
+ "réponse": "Ada",
+ "anecdote": "Augusta Ada King, comtesse de Lovelace, née à Londres le 10 décembre 1815, est une pionnière de la science informatique."
+ },
+ {
+ "id": 16,
+ "question": "Quel atelier de génie logiciel pour applications Windows utilise le Wlangage ?",
+ "propositions": [
+ "WebDev",
+ "Delphi",
+ "Go",
+ "WinDev"
+ ],
+ "réponse": "WinDev",
+ "anecdote": "WebDev et WinDev Mobile utilisent le WLangage et les mêmes concepts pour la génération de sites Web et d'applications mobiles."
+ },
+ {
+ "id": 17,
+ "question": "Quelle société a annoncé en 2015 le passage en open source du langage Swift ?",
+ "propositions": [
+ "Facebook",
+ "Twitter",
+ "Google",
+ "Apple"
+ ],
+ "réponse": "Apple",
+ "anecdote": "Jugé plus simple et plus concis que l'Objective-C, Swift a été bien accueilli par les développeurs habitués aux technologies d'Apple."
+ },
+ {
+ "id": 18,
+ "question": "Quel logiciel de gestion de versions décentralisé a été créé par Linus Torvalds ?",
+ "propositions": [
+ "Monotone",
+ "Mercurial",
+ "Git",
+ "Bazaar"
+ ],
+ "réponse": "Git",
+ "anecdote": "Depuis les années 2010, il s'agit du logiciel de gestion de versions le plus populaire dans le développement logiciel et web."
+ },
+ {
+ "id": 19,
+ "question": "Quel langage fut utilisé dès les premières générations d'IBM AS/400 ?",
+ "propositions": [
+ "RPG",
+ "Ruby",
+ "Java",
+ "Python"
+ ],
+ "réponse": "RPG",
+ "anecdote": "Destiné aux entreprises et laboratoires, le langage RPG est né en 1959 et se pratiquait sur les systèmes 3 ou sur IBM/360 (1965)."
+ },
+ {
+ "id": 20,
+ "question": "Quelle entité informatique permet d'encapsuler une portion de code ?",
+ "propositions": [
+ "Variable",
+ "Routine",
+ "Constante",
+ "Extension"
+ ],
+ "réponse": "Routine",
+ "anecdote": "Les routines permettent de structurer la programmation d'un problème en décomposant le programme en portions de code."
+ }
+ ],
+ "expert": [
+ {
+ "id": 21,
+ "question": "Quel langage de programmation est utilisé dans les applications Microsoft Office ?",
+ "propositions": [
+ "JavaScript",
+ "Visual Basic",
+ "Lisp",
+ "Go"
+ ],
+ "réponse": "Visual Basic",
+ "anecdote": "Dans une étude conduite en 2005, 62 % des développeurs interrogés auraient déclaré utiliser l'une ou l'autre forme de Visual Basic."
+ },
+ {
+ "id": 22,
+ "question": "Quel nouveau logiciel peut être créé à partir du code source d'un logiciel existant ?",
+ "propositions": [
+ "Scrub",
+ "Prank",
+ "Grab",
+ "Fork"
+ ],
+ "réponse": "Fork",
+ "anecdote": "Les forks sont courants dans les logiciels libres, dont les licences permettent l'utilisation, la modification et la redistribution du code."
+ },
+ {
+ "id": 23,
+ "question": "Créé en 1957, quel fut le premier langage de programmation de haut niveau ?",
+ "propositions": [
+ "Algol",
+ "Lisp",
+ "Fortran",
+ "COBOL"
+ ],
+ "réponse": "Fortran",
+ "anecdote": "Quickstart Fortran permet d'installer facilement Fortran sous Microsoft Windows, sans nécessiter les droits d'administration."
+ },
+ {
+ "id": 24,
+ "question": "Quel est le langage de programmation possédant le plus large écosystème ?",
+ "propositions": [
+ "Python",
+ "JavaScript",
+ "Java",
+ "RPG"
+ ],
+ "réponse": "JavaScript",
+ "anecdote": "Le langage a été créé en dix jours en mai 1995 pour le compte de la Netscape Communications Corporation par Brendan Eich."
+ },
+ {
+ "id": 25,
+ "question": "Quel langage intègre programmation orientée objet et fonctionnelle ?",
+ "propositions": [
+ "Perl",
+ "Scala",
+ "PHP",
+ "Go"
+ ],
+ "réponse": "Scala",
+ "anecdote": "Il concilie ainsi ces deux paradigmes opposés et offre au développeur la possibilité de choisir le paradigme le plus approprié."
+ },
+ {
+ "id": 26,
+ "question": "Quel langage, développé par Google, est inspiré de C et de Pascal ?",
+ "propositions": [
+ "Go",
+ "Ruby",
+ "Scala",
+ "Fortran"
+ ],
+ "réponse": "Go",
+ "anecdote": "En raison de sa simplicité, il est concevable de l'utiliser aussi bien pour écrire des applications, des scripts ou de grands systèmes."
+ },
+ {
+ "id": 27,
+ "question": "Quel anglicisme désigne l'enregistrement effectif d'une transaction ?",
+ "propositions": [
+ "Rollback",
+ "Fallin",
+ "Commit",
+ "Backup"
+ ],
+ "réponse": "Commit",
+ "anecdote": "Le terme anglais fait référence à la commande éponyme présente dans la plupart des systèmes de gestion de base de données."
+ },
+ {
+ "id": 28,
+ "question": "Quel langage doit son nom à une île située près de Saint-Pétersbourg ?",
+ "propositions": [
+ "Wolin",
+ "Kotlin",
+ "Mohni",
+ "Uznam"
+ ],
+ "réponse": "Kotlin",
+ "anecdote": "Kotlin est devenu officiellement en 2019 le langage de programmation voulu et recommandé par le géant américain Google."
+ },
+ {
+ "id": 29,
+ "question": "Quel kit de développement logiciel open-source a été créé par Google ?",
+ "propositions": [
+ "Tinder",
+ "Twitter",
+ "Flutter",
+ "Flubber"
+ ],
+ "réponse": "Flutter",
+ "anecdote": "Flutter génère des applications pour Android, iOS, Linux, Mac, Windows, Google Fuchsia et le web à partir d'une base de code."
+ },
+ {
+ "id": 30,
+ "question": "Quel fut le premier système d'exploitation à utiliser Objective-C ?",
+ "propositions": [
+ "GeoWorks",
+ "JavaOS",
+ "NeXTSTEP",
+ "AmigaOS"
+ ],
+ "réponse": "NeXTSTEP",
+ "anecdote": "Objective-C est beaucoup utilisé sur Macintosh, notamment pour les API Cocoa de Mac OS X et, plus récemment pour les iPhone."
+ }
+ ]
+ }
+ }
+}
\ No newline at end of file
diff --git a/misc/quiz/openquizzdb/superstition.json b/misc/quiz/openquizzdb/superstition.json
new file mode 100644
index 0000000..607bd8c
--- /dev/null
+++ b/misc/quiz/openquizzdb/superstition.json
@@ -0,0 +1,2250 @@
+{
+ "fournisseur": "OpenQuizzDB - Fournisseur de contenu libre (https://www.openquizzdb.org)",
+ "licence": "CC BY-SA",
+ "rédacteur": "Catherine De Smeytere",
+ "difficulté": "2 / 5",
+ "version": 5,
+ "mise-à-jour": "2023-12-02",
+ "catégorie-nom-slogan": {
+ "fr": {
+ "catégorie": "Culture générale",
+ "nom": "Superstitions",
+ "slogan": "Croyances sur un fond de vérité"
+ },
+ "en": {
+ "catégorie": "General knowledge",
+ "nom": "Superstitions",
+ "slogan": "Beliefs based on truth"
+ },
+ "es": {
+ "catégorie": "Cultura general",
+ "nom": "Supersticiones",
+ "slogan": "Creencias basadas en la verdad"
+ },
+ "it": {
+ "catégorie": "Cultura generale",
+ "nom": "Superstizioni",
+ "slogan": "Credenze basate sulla verità"
+ },
+ "de": {
+ "catégorie": "Allgemeine Kultur",
+ "nom": "Aberglaube",
+ "slogan": "Auf Wahrheit basierende Überzeugungen"
+ },
+ "nl": {
+ "catégorie": "Algemene cultuur",
+ "nom": "Bijgeloof",
+ "slogan": "Overtuigingen gebaseerd op waarheid"
+ }
+ },
+ "quizz": {
+ "fr": {
+ "débutant": [
+ {
+ "id": 1,
+ "question": "Briser un miroir peut vous apporter combien d'années de malheur ?",
+ "propositions": [
+ "Dix",
+ "Vingt",
+ "Cinq",
+ "Sept"
+ ],
+ "réponse": "Sept",
+ "anecdote": "Dans l'Antiquité, certains peuples y voyaient le reflet de l'âme, briser un miroir revenait donc à détruire l'âme de son propriétaire."
+ },
+ {
+ "id": 2,
+ "question": "Quelle couleur est proscrite pour un vêtement lors d'un spectacle ?",
+ "propositions": [
+ "Rouge",
+ "Orange",
+ "Verte",
+ "Jaune"
+ ],
+ "réponse": "Verte",
+ "anecdote": "La légende raconte que Molière est mort peu après la représentation du « Malade Imaginaire », alors vêtu d'un costume vert."
+ },
+ {
+ "id": 3,
+ "question": "Quel nombre est à la base de nombreuses superstitions ?",
+ "propositions": [
+ "13",
+ "101",
+ "666",
+ "27"
+ ],
+ "réponse": "13",
+ "anecdote": "La superstition du vendredi 13 est parfois reliée au vendredi 13 octobre 1307, date où le roi Philippe le Bel fit tuer des citoyens."
+ },
+ {
+ "id": 4,
+ "question": "Où ne faut-il pas passer en croisant une échelle sur un trottoir ?",
+ "propositions": [
+ "Dessus",
+ "Dessous",
+ "À gauche",
+ "À droite"
+ ],
+ "réponse": "Dessous",
+ "anecdote": "Passer sous une échelle reviendrait à briser la Sainte Trinité et à commettre un sacrilège. Cela relève aussi de la simple prudence."
+ },
+ {
+ "id": 5,
+ "question": "Quelle est la couleur du chat qui peut vous amener mauvais présage ?",
+ "propositions": [
+ "Noire",
+ "Blanc",
+ "Roux",
+ "Gris"
+ ],
+ "réponse": "Noire",
+ "anecdote": "Cette croyance bien incrustée date du Moyen-Âge, où les chats noirs étaient représentés comme compagnons des sorcières."
+ },
+ {
+ "id": 6,
+ "question": "Sur quoi faut-il marcher du pied gauche pour favoriser la chance ?",
+ "propositions": [
+ "Chewing-gum",
+ "Caillou",
+ "Fourmi",
+ "Crotte"
+ ],
+ "réponse": "Crotte",
+ "anecdote": "Se promener en rue et marcher sur une crotte de chien n'est jamais agréable, mais du pied gauche, la chance sera au coin de la rue."
+ },
+ {
+ "id": 7,
+ "question": "Que faut-il accrocher au-dessus d'une porte d'entrée pour porter bonheur ?",
+ "propositions": [
+ "Fleurs séchées",
+ "Fer à cheval",
+ "Cadre photo",
+ "Horloge"
+ ],
+ "réponse": "Fer à cheval",
+ "anecdote": "Cette vertu légendaire viendrait du fait qu'un fer à cheval égaré et revendu au forgeron permettait d'en récolter quelques espèces."
+ },
+ {
+ "id": 8,
+ "question": "Quel objet, une fois jeté dans une fontaine, porterait bonheur ?",
+ "propositions": [
+ "Pièce de monnaie",
+ "Clé de maison",
+ "Caillou blanc",
+ "Chaussure"
+ ],
+ "réponse": "Pièce de monnaie",
+ "anecdote": "Une fontaine est d'abord le lieu d'une source, d'une eau vive qui sort de terre, selon le premier dictionnaire de l'Académie française."
+ },
+ {
+ "id": 9,
+ "question": "Quelle plante protégerait contre les esprits maléfiques et les vampires ?",
+ "propositions": [
+ "Ail",
+ "Céleri",
+ "Origan",
+ "Estragon"
+ ],
+ "réponse": "Ail",
+ "anecdote": "Une superstition persistante a investi l'ail de puissants pouvoirs, en particulier celui de chasser les mauvais esprits de la maison."
+ },
+ {
+ "id": 10,
+ "question": "Que ne faut-il pas ouvrir à l'intérieur de sa maison ?",
+ "propositions": [
+ "Parapluie",
+ "Tenture",
+ "Fenêtre",
+ "Coffre à bijoux"
+ ],
+ "réponse": "Parapluie",
+ "anecdote": "Le mécanisme d'ouverture des parapluies à armature métallique était dangereux et pouvait blesser quelqu'un ou abîmer un objet."
+ }
+ ],
+ "confirmé": [
+ {
+ "id": 11,
+ "question": "Quel aliment, posé à l'envers sur une table, porterait malheur ?",
+ "propositions": [
+ "Tomate",
+ "Aubergine",
+ "Poivron",
+ "Pain"
+ ],
+ "réponse": "Pain",
+ "anecdote": "Les boulangers avaient pour habitude de réserver une miche de pain pour le bourreau, celle-ci étant souvent posée à l'envers."
+ },
+ {
+ "id": 12,
+ "question": "Quel matériau faut-il toucher pour conjurer le mauvais sort ?",
+ "propositions": [
+ "Bois",
+ "Marbre",
+ "Cuivre",
+ "Plomb"
+ ],
+ "réponse": "Bois",
+ "anecdote": "Le bois représenterait la Croix du Christ, et donc toucher du bois reviendrait à formuler une prière, un appel pour éviter le malheur."
+ },
+ {
+ "id": 13,
+ "question": "La patte de quel animal retrouve-t-on par superstition sur certains porte-clés ?",
+ "propositions": [
+ "Chameau",
+ "Chien",
+ "Brebis",
+ "Lapin"
+ ],
+ "réponse": "Lapin",
+ "anecdote": "La patte de lapin, partie non consommée qui sèche et se conserve facilement, a été employée comme talisman par diverses cultures."
+ },
+ {
+ "id": 14,
+ "question": "Quel mot utilise-t-on parfois au lieu de l'expression « bonne chance » ?",
+ "propositions": [
+ "Merde",
+ "Étron",
+ "Crotte",
+ "Bouse"
+ ],
+ "réponse": "Merde",
+ "anecdote": "Son origine remonte au théâtre français, où les acteurs utilisaient l'expression avant une représentation pour conjurer le mauvais sort."
+ },
+ {
+ "id": 15,
+ "question": "Qu'est-il préférable de voir dans le ciel avant de faire un voeu ?",
+ "propositions": [
+ "Soleil",
+ "Lune",
+ "Étoile filante",
+ "Étoile polaire"
+ ],
+ "réponse": "Étoile filante",
+ "anecdote": "Une étoile filante est un petit corps circulant dans l'espace à une vitesse pouvant atteindre 42 km/s dans un référentiel lié au Soleil."
+ },
+ {
+ "id": 16,
+ "question": "De quelle couleur est le pompon du bonnet de marin français ?",
+ "propositions": [
+ "Jaune",
+ "Verte",
+ "Bleue",
+ "Rouge"
+ ],
+ "réponse": "Rouge",
+ "anecdote": "Traditionnellement associé au dieu de la mer dans de nombreuses cultures, toucher le pompon rouge protégerait des mauvais esprits."
+ },
+ {
+ "id": 17,
+ "question": "Quel objet de la cuisine, une fois renversé, porterait malheur ?",
+ "propositions": [
+ "Salière",
+ "Carafe",
+ "Verre",
+ "Casserole"
+ ],
+ "réponse": "Salière",
+ "anecdote": "Au Moyen Âge, renverser sur la table le sel très coûteux était un malheur. Aujourd'hui, on pose la salière à côté du voisin de table."
+ },
+ {
+ "id": 18,
+ "question": "Que ne faut-il pas faire avec les verres en trinquant avec des amis ?",
+ "propositions": [
+ "Les croiser",
+ "Les retourner",
+ "Les secouer",
+ "Les lancer"
+ ],
+ "réponse": "Les croiser",
+ "anecdote": "Il est de coutume de trinquer en regardant l'autre personne dans les yeux, mais également de ne pas boire avant d'avoir trinqué."
+ },
+ {
+ "id": 19,
+ "question": "Combien d'amandes faut-il dans sa poche droite pour éviter la foudre ?",
+ "propositions": [
+ "Douze",
+ "Neuf",
+ "Trois",
+ "Six"
+ ],
+ "réponse": "Trois",
+ "anecdote": "Si une femme trouve deux amandes dans un même noyau, il y aura très probablement la naissance de jumeaux dans la famille."
+ },
+ {
+ "id": 20,
+ "question": "Dans quel moyen de transport ne faut-il pas faire sa demande en mariage ?",
+ "propositions": [
+ "Métro",
+ "Avion",
+ "Taxi",
+ "Bus"
+ ],
+ "réponse": "Bus",
+ "anecdote": "On dit qu'il porte malchance à un homme de faire une proposition de mariage dans un bus, un train ou tout autre lieu public."
+ }
+ ],
+ "expert": [
+ {
+ "id": 21,
+ "question": "Au Brésil, quel objet ne faut-il surtout pas déposer sur le sol ?",
+ "propositions": [
+ "Montre",
+ "Paire de gants",
+ "Sac à main",
+ "Chapeau"
+ ],
+ "réponse": "Sac à main",
+ "anecdote": "Pour les Brésiliens, laisser un sac à main toucher le sol est une grave erreur et apporterait la pauvreté, d'où les accroches-sac."
+ },
+ {
+ "id": 22,
+ "question": "Que vaut-il mieux ne pas se couper avant de passer un examen ?",
+ "propositions": [
+ "Ongles",
+ "Doigt",
+ "Cheveux",
+ "Barbe"
+ ],
+ "réponse": "Cheveux",
+ "anecdote": "Cette superstition, originaire de Russie, aurait pour conséquence de supprimer le savoir (durement) acquis lors de vos sessions."
+ },
+ {
+ "id": 23,
+ "question": "Quel objet, reçu ou donné, aurait pour effet de briser une amitié ?",
+ "propositions": [
+ "Scie",
+ "Couteau",
+ "Marteau",
+ "Tournevis"
+ ],
+ "réponse": "Couteau",
+ "anecdote": "Cet objet (ainsi que tous les objets pointus ou coupants) briserait l'amitié, à moins de l'échanger contre une pièce de monnaie."
+ },
+ {
+ "id": 24,
+ "question": "En Turquie, qu'est-il préférable de ne pas mâcher la nuit ?",
+ "propositions": [
+ "Chocolat",
+ "Chewing-gum",
+ "Caramel",
+ "Raisin"
+ ],
+ "réponse": "Chewing-gum",
+ "anecdote": "En Turquie, il est déconseillé de mâcher un chewing-gum la nuit car il deviendrait ensuite la chair des morts à la tombée du jour."
+ },
+ {
+ "id": 25,
+ "question": "Quel objet, posé sur un lit, pourrait attirer le mauvais sort ?",
+ "propositions": [
+ "Clé de maison",
+ "Journal",
+ "Chapeau",
+ "Peignoir"
+ ],
+ "réponse": "Chapeau",
+ "anecdote": "À une époque plus ancienne, les hommes ôtaient leur chapeau lorsqu'ils entraient dans la chambre où reposait un mort."
+ },
+ {
+ "id": 26,
+ "question": "Que faut-il jeter par-dessus son épaule gauche contre le mauvais sort ?",
+ "propositions": [
+ "Du pain",
+ "Du blé",
+ "Du sel",
+ "Du riz"
+ ],
+ "réponse": "Du sel",
+ "anecdote": "Jeter une pincée de sel par-dessus son épaule gauche pour aveugler ou repousser les mauvais esprits qui se trouveraient derrière soi."
+ },
+ {
+ "id": 27,
+ "question": "Se promener avec quel objet vide en main porterait malheur ?",
+ "propositions": [
+ "Porte-monnaie",
+ "Sac à dos",
+ "Étui à lunettes",
+ "Seau"
+ ],
+ "réponse": "Seau",
+ "anecdote": "Les Russes croient en cette superstition du fait que le Tsar Alexander a été assassiné avec un seau vide dans les mains."
+ },
+ {
+ "id": 28,
+ "question": "Quel insecte, une fois attrapé, vous fournirait santé et bonheur ?",
+ "propositions": [
+ "Bourdon",
+ "Coccinelle",
+ "Libellule",
+ "Mouche"
+ ],
+ "réponse": "Coccinelle",
+ "anecdote": "Dans certaines cultures, on dit que le nombre de points présents sur le dos de la coccinelle indique le niveau de chance accordé."
+ },
+ {
+ "id": 29,
+ "question": "Que faut-il éviter de croiser à table sous peine de malheur ?",
+ "propositions": [
+ "Deux fourchettes",
+ "Deux cuillères",
+ "Deux serviettes",
+ "Deux couteaux"
+ ],
+ "réponse": "Deux couteaux",
+ "anecdote": "Durant l'époque médiévale, où les couteaux étaient souvent utilisés comme armes, les croiser pouvait représenter un danger potentiel."
+ },
+ {
+ "id": 30,
+ "question": "En Angleterre, avoir un aphte dans la bouche vous fait passer pour quoi ?",
+ "propositions": [
+ "Un vaurien",
+ "Un traître",
+ "Un menteur",
+ "Un tricheur"
+ ],
+ "réponse": "Un menteur",
+ "anecdote": "On peut parfois associer les aphtes à la malchance ou à une mauvaise hygiène buccale, mais il n'y a pas de corrélation directe."
+ }
+ ]
+ },
+ "en": {
+ "débutant": [
+ {
+ "id": 1,
+ "question": "Breaking a mirror can bring you how many years of bad luck ?",
+ "propositions": [
+ "Ten",
+ "Twenty",
+ "Five",
+ "Seven"
+ ],
+ "réponse": "Seven",
+ "anecdote": "In Antiquity, some peoples saw in it the reflection of the soul, so breaking a mirror was tantamount to destroying the soul of its owner."
+ },
+ {
+ "id": 2,
+ "question": "What color is prohibited for clothing during a show ?",
+ "propositions": [
+ "Orange",
+ "Red",
+ "Yellow",
+ "Green"
+ ],
+ "réponse": "Green",
+ "anecdote": "Legend has it that Molière died shortly after the performance of the « Malade Imaginaire », while dressed in a green suit."
+ },
+ {
+ "id": 3,
+ "question": "What number is the basis of many superstitions ?",
+ "propositions": [
+ "13",
+ "666",
+ "27",
+ "101"
+ ],
+ "réponse": "13",
+ "anecdote": "The Friday the 13th superstition is sometimes linked to Friday, October 13, 1307, when King Philip the Fair had citizens killed."
+ },
+ {
+ "id": 4,
+ "question": "Where should you not pass when crossing a ladder on a sidewalk ?",
+ "propositions": [
+ "Below",
+ "Top",
+ "Right",
+ "Left"
+ ],
+ "réponse": "Below",
+ "anecdote": "To go under a ladder would be to break the Holy Trinity and commit sacrilege. This is also just a matter of caution."
+ },
+ {
+ "id": 5,
+ "question": "What is the color of the cat that can bring you a bad omen ?",
+ "propositions": [
+ "White",
+ "Redhead",
+ "Gray",
+ "Black"
+ ],
+ "réponse": "Black",
+ "anecdote": "This well-established belief dates back to the Middle Ages, when black cats were represented as companions of witches."
+ },
+ {
+ "id": 6,
+ "question": "What should you step on with your left foot to promote luck ?",
+ "propositions": [
+ "ant",
+ "Pebble",
+ "poo",
+ "chewing gum"
+ ],
+ "réponse": "poo",
+ "anecdote": "Walking down the street and stepping on dog poop is never pleasant, but with your left foot, luck will be around the corner."
+ },
+ {
+ "id": 7,
+ "question": "What should be hung above a front door to bring good luck ?",
+ "propositions": [
+ "Dried flowers",
+ "Clock",
+ "Picture frame",
+ "Horseshoe"
+ ],
+ "réponse": "Horseshoe",
+ "anecdote": "This legendary virtue would come from the fact that a horseshoe lost and resold to the blacksmith made it possible to harvest a few species."
+ },
+ {
+ "id": 8,
+ "question": "What object, once thrown into a fountain, would bring good luck ?",
+ "propositions": [
+ "Shoe",
+ "Coin",
+ "House key",
+ "White pebble"
+ ],
+ "réponse": "Coin",
+ "anecdote": "A fountain is first and foremost the place of a spring, of living water that comes out of the ground, according to the first dictionary of the French Academy."
+ },
+ {
+ "id": 9,
+ "question": "Which plant would protect against evil spirits and vampires ?",
+ "propositions": [
+ "Garlic",
+ "Oregano",
+ "Tarragon",
+ "Celery"
+ ],
+ "réponse": "Garlic",
+ "anecdote": "A persistent superstition has invested garlic with powerful powers, in particular that of driving away evil spirits from the house."
+ },
+ {
+ "id": 10,
+ "question": "What should not be opened inside his house ?",
+ "propositions": [
+ "Hanging",
+ "Jewelry box",
+ "Umbrella",
+ "Window"
+ ],
+ "réponse": "Umbrella",
+ "anecdote": "The opening mechanism of metal frame umbrellas was dangerous and could injure someone or damage an object."
+ }
+ ],
+ "confirmé": [
+ {
+ "id": 11,
+ "question": "What food, placed upside down on a table, would bring bad luck ?",
+ "propositions": [
+ "Eggplant",
+ "Tomato",
+ "Bread",
+ "Pepper"
+ ],
+ "réponse": "Bread",
+ "anecdote": "Bakers used to reserve a loaf of bread for the executioner, which was often placed upside down."
+ },
+ {
+ "id": 12,
+ "question": "What material should you touch to ward off bad luck ?",
+ "propositions": [
+ "Lead",
+ "Marble",
+ "Wood",
+ "Copper"
+ ],
+ "réponse": "Wood",
+ "anecdote": "The wood would represent the Cross of Christ, and therefore touching wood would amount to formulating a prayer, a call to avoid misfortune."
+ },
+ {
+ "id": 13,
+ "question": "Which animal's paw is found on some keychains ?",
+ "propositions": [
+ "Dog",
+ "Sheep",
+ "Rabbit",
+ "camel"
+ ],
+ "réponse": "Rabbit",
+ "anecdote": "The rabbit's foot, an uneaten part that dries and is easily stored, has been used as a talisman by various cultures."
+ },
+ {
+ "id": 14,
+ "question": "What word is sometimes used instead of the phrase « good luck » ?",
+ "propositions": [
+ "Dung",
+ "turd",
+ "poo",
+ "Shit"
+ ],
+ "réponse": "Shit",
+ "anecdote": "Its origin dates back to French theater, where actors used the expression before a performance to ward off bad luck."
+ },
+ {
+ "id": 15,
+ "question": "What is best to see in the sky before making a wish ?",
+ "propositions": [
+ "Sun",
+ "North Star",
+ "Moon",
+ "shooting star"
+ ],
+ "réponse": "shooting star",
+ "anecdote": "A shooting star is a small body circulating in space at a speed of up to 42 km/s in a reference frame linked to the Sun."
+ },
+ {
+ "id": 16,
+ "question": "What color is the pompom on the French sailor's cap ?",
+ "propositions": [
+ "Blue",
+ "Green",
+ "Red",
+ "Yellow"
+ ],
+ "réponse": "Red",
+ "anecdote": "Traditionally associated with the god of the sea in many cultures, touching the red pompom is said to protect against evil spirits."
+ },
+ {
+ "id": 17,
+ "question": "What object in the kitchen, once knocked over, would bring bad luck ?",
+ "propositions": [
+ "Saucepan",
+ "Glass",
+ "Decanter",
+ "Salt shaker"
+ ],
+ "réponse": "Salt shaker",
+ "anecdote": "In the Middle Ages, spilling the very expensive salt on the table was a misfortune. Today, we put the salt shaker next to the table neighbor."
+ },
+ {
+ "id": 18,
+ "question": "What not to do with the glasses when clinking glasses with friends ?",
+ "propositions": [
+ "Shake them",
+ "Throw them",
+ "Cross them",
+ "Return them"
+ ],
+ "réponse": "Cross them",
+ "anecdote": "It is customary to toast while looking the other person in the eye, but also not to drink before having toasted."
+ },
+ {
+ "id": 19,
+ "question": "How many almonds does it take in its right pocket to avoid lightning ?",
+ "propositions": [
+ "New",
+ "Six",
+ "Three",
+ "Twelve"
+ ],
+ "réponse": "Three",
+ "anecdote": "If a woman finds two almonds in one kernel, there will most likely be twins in the family."
+ },
+ {
+ "id": 20,
+ "question": "In which means of transport should you not make your marriage proposal ?",
+ "propositions": [
+ "Airplane",
+ "Metro",
+ "Buses",
+ "Taxi"
+ ],
+ "réponse": "Buses",
+ "anecdote": "It is said to be bad luck for a man to make a marriage proposal on a bus, train or any other public place."
+ }
+ ],
+ "expert": [
+ {
+ "id": 21,
+ "question": "In Brazil, what object should you absolutely not put on the ground ?",
+ "propositions": [
+ "Pair of gloves",
+ "Watch",
+ "Handbag",
+ "Hat"
+ ],
+ "réponse": "Handbag",
+ "anecdote": "For Brazilians, letting a handbag touch the ground is a big mistake and would bring poverty, hence the bag hooks."
+ },
+ {
+ "id": 22,
+ "question": "What is better not to cut yourself before taking an exam ?",
+ "propositions": [
+ "Beard",
+ "Nails",
+ "Finger",
+ "Hair"
+ ],
+ "réponse": "Hair",
+ "anecdote": "This superstition, originating in Russia, would have the consequence of suppressing the (hard) knowledge acquired during your sessions."
+ },
+ {
+ "id": 23,
+ "question": "What object, received or given, would have the effect of breaking a friendship ?",
+ "propositions": [
+ "Hammer",
+ "Saw",
+ "Knife",
+ "Screwdriver"
+ ],
+ "réponse": "Knife",
+ "anecdote": "This item (and any sharp or pointed items) would break the friendship unless traded for a coin."
+ },
+ {
+ "id": 24,
+ "question": "In Turkey, what is better not to chew at night ?",
+ "propositions": [
+ "chewing gum",
+ "Grape",
+ "Chocolate",
+ "Toffee"
+ ],
+ "réponse": "chewing gum",
+ "anecdote": "In Turkey, it is not recommended to chew gum at night because it will then become the flesh of the dead at nightfall."
+ },
+ {
+ "id": 25,
+ "question": "What object, placed on a bed, could attract bad luck ?",
+ "propositions": [
+ "House key",
+ "Hat",
+ "Newspaper",
+ "Bathrobe"
+ ],
+ "réponse": "Hat",
+ "anecdote": "In earlier times, men took off their hats when they entered the chamber where a dead person lay."
+ },
+ {
+ "id": 26,
+ "question": "What should be thrown over his left shoulder against bad luck ?",
+ "propositions": [
+ "Rice",
+ "Salt",
+ "Wheat",
+ "Bread"
+ ],
+ "réponse": "Salt",
+ "anecdote": "Throw a pinch of salt over your left shoulder to blind or ward off evil spirits behind you."
+ },
+ {
+ "id": 27,
+ "question": "Walking around with what empty object in hand would bring bad luck ?",
+ "propositions": [
+ "Backpack",
+ "Glasses case",
+ "Wallet",
+ "Bucket"
+ ],
+ "réponse": "Bucket",
+ "anecdote": "Russians believe in this superstition from the fact that Tsar Alexander was assassinated with an empty bucket in his hands."
+ },
+ {
+ "id": 28,
+ "question": "Which insect, when caught, would provide you with health and happiness ?",
+ "propositions": [
+ "Bumblebee",
+ "Fly",
+ "Dragonfly",
+ "Ladybug"
+ ],
+ "réponse": "Ladybug",
+ "anecdote": "In some cultures, the number of dots on the ladybug's back is said to indicate the level of luck granted."
+ },
+ {
+ "id": 29,
+ "question": "What should you avoid meeting at the table on pain of misfortune ?",
+ "propositions": [
+ "Two towels",
+ "Two forks",
+ "Two Spoons",
+ "Two knives"
+ ],
+ "réponse": "Two knives",
+ "anecdote": "During medieval times, when knives were often used as weapons, crossing them could represent a potential danger."
+ },
+ {
+ "id": 30,
+ "question": "In England, having a canker sore in your mouth makes you look like what ?",
+ "propositions": [
+ "A liar",
+ "A scoundrel",
+ "A cheater",
+ "A traitor"
+ ],
+ "réponse": "A liar",
+ "anecdote": "Canker sores can sometimes be associated with bad luck or poor oral hygiene, but there is no direct correlation."
+ }
+ ]
+ },
+ "de": {
+ "débutant": [
+ {
+ "id": 1,
+ "question": "Wie viele Jahre Pech kann Ihnen das Zerbrechen eines Spiegels bringen ?",
+ "propositions": [
+ "Zwanzig",
+ "Fünf",
+ "Zehn",
+ "Sieben"
+ ],
+ "réponse": "Sieben",
+ "anecdote": "In der Antike sahen einige Völker darin das Spiegelbild der Seele, daher war das Zerbrechen eines Spiegels gleichbedeutend mit der Zerstörung der Seele seines Besitzers."
+ },
+ {
+ "id": 2,
+ "question": "Welche Farbe ist für Kleidung während einer Show verboten ?",
+ "propositions": [
+ "Grün",
+ "Rot",
+ "Orange",
+ "Gelb"
+ ],
+ "réponse": "Grün",
+ "anecdote": "Der Legende nach starb Molière kurz nach der Aufführung von « Malade Imaginaire » in einem grünen Anzug."
+ },
+ {
+ "id": 3,
+ "question": "Welche Zahl ist die Grundlage vieler Aberglauben ?",
+ "propositions": [
+ "666",
+ "13",
+ "27",
+ "101"
+ ],
+ "réponse": "13",
+ "anecdote": "Der Aberglaube vom Freitag, dem 13., wird manchmal mit Freitag, dem 13. Oktober 1307, in Verbindung gebracht, als König Philipp der Schöne Bürger töten ließ."
+ },
+ {
+ "id": 4,
+ "question": "Wo darf man beim Überqueren einer Leiter auf dem Gehweg nicht passieren ?",
+ "propositions": [
+ "Nach oben",
+ "Richtig",
+ "Links",
+ "Unten"
+ ],
+ "réponse": "Unten",
+ "anecdote": "Unter eine Leiter zu gehen wäre ein Bruch der Heiligen Dreifaltigkeit und ein Sakrileg. Auch das ist nur eine Frage der Vorsicht."
+ },
+ {
+ "id": 5,
+ "question": "Welche Farbe hat die Katze, die Ihnen ein schlechtes Omen bringen kann ?",
+ "propositions": [
+ "Grau",
+ "Weiß",
+ "Rothaarige",
+ "Schwarz"
+ ],
+ "réponse": "Schwarz",
+ "anecdote": "Dieser weit verbreitete Glaube geht auf das Mittelalter zurück, als schwarze Katzen als Gefährten von Hexen dargestellt wurden."
+ },
+ {
+ "id": 6,
+ "question": "Worauf sollte man mit dem linken Fuß treten, um Glück zu fördern ?",
+ "propositions": [
+ "Kiesel",
+ "Ameise",
+ "kacke",
+ "Kaugummi"
+ ],
+ "réponse": "kacke",
+ "anecdote": "Es ist nie angenehm, die Straße entlangzulaufen und dabei auf Hundekot zu treten, aber mit dem linken Fuß ist das Glück schon bald vorbei."
+ },
+ {
+ "id": 7,
+ "question": "Was sollte über einer Haustür aufgehängt werden, um Glück zu bringen ?",
+ "propositions": [
+ "Bilderrahmen",
+ "Uhr",
+ "Getrocknete Blumen",
+ "Hufeisen"
+ ],
+ "réponse": "Hufeisen",
+ "anecdote": "Diese legendäre Tugend entstand aus der Tatsache, dass ein verlorenes und an den Schmied weiterverkauftes Hufeisen die Ernte einiger Arten ermöglichte."
+ },
+ {
+ "id": 8,
+ "question": "Welcher Gegenstand würde Glück bringen, wenn er einmal in einen Brunnen geworfen wird ?",
+ "propositions": [
+ "Weißer Kieselstein",
+ "Hausschlüssel",
+ "Münze",
+ "Schuh"
+ ],
+ "réponse": "Münze",
+ "anecdote": "Laut dem ersten Wörterbuch der Französischen Akademie ist ein Brunnen in erster Linie der Ort einer Quelle, eines lebendigen Wassers, das aus der Erde kommt."
+ },
+ {
+ "id": 9,
+ "question": "Welche Pflanze schützt vor bösen Geistern und Vampiren ?",
+ "propositions": [
+ "Oregano",
+ "Estragon",
+ "Sellerie",
+ "Knoblauch"
+ ],
+ "réponse": "Knoblauch",
+ "anecdote": "Ein hartnäckiger Aberglaube verleiht dem Knoblauch mächtige Kräfte, insbesondere die, böse Geister aus dem Haus zu vertreiben."
+ },
+ {
+ "id": 10,
+ "question": "Was sollte in seinem Haus nicht geöffnet werden ?",
+ "propositions": [
+ "Regenschirm",
+ "Hängend",
+ "Fenster",
+ "Schmuckschatulle"
+ ],
+ "réponse": "Regenschirm",
+ "anecdote": "Der Öffnungsmechanismus von Regenschirmen mit Metallrahmen war gefährlich und konnte Personen verletzen oder Gegenstände beschädigen."
+ }
+ ],
+ "confirmé": [
+ {
+ "id": 11,
+ "question": "Welches Essen würde Unglück bringen, wenn es verkehrt herum auf einen Tisch gelegt würde ?",
+ "propositions": [
+ "Aubergine",
+ "Tomate",
+ "Brot",
+ "Pfeffer"
+ ],
+ "réponse": "Brot",
+ "anecdote": "Bäcker reservierten für den Henker einen Laib Brot, der oft umgedreht abgelegt wurde."
+ },
+ {
+ "id": 12,
+ "question": "Welches Material sollte man anfassen, um Unglück abzuwehren ?",
+ "propositions": [
+ "Blei",
+ "Marmor",
+ "Kupfer",
+ "Holz"
+ ],
+ "réponse": "Holz",
+ "anecdote": "Das Holz würde das Kreuz Christi darstellen, und daher würde die Berührung des Holzes einem Gebet gleichkommen, einem Aufruf, Unglück zu vermeiden."
+ },
+ {
+ "id": 13,
+ "question": "Welche Tierpfote ist auf manchen Schlüsselanhängern zu finden ?",
+ "propositions": [
+ "Kaninchen",
+ "Hund",
+ "Schaf",
+ "Kamel"
+ ],
+ "réponse": "Kaninchen",
+ "anecdote": "Die Hasenpfote, ein nicht gefressener Teil, der trocknet und leicht aufbewahrt werden kann, wurde von verschiedenen Kulturen als Talisman verwendet."
+ },
+ {
+ "id": 14,
+ "question": "Welches Wort wird manchmal anstelle der Phrase « Viel Glück » verwendet ?",
+ "propositions": [
+ "Scheiße",
+ "Scheißhaufen",
+ "Mist",
+ "kacke"
+ ],
+ "réponse": "Scheiße",
+ "anecdote": "Sein Ursprung geht auf das französische Theater zurück, wo Schauspieler den Ausdruck vor einer Aufführung verwendeten, um Unglück abzuwehren."
+ },
+ {
+ "id": 15,
+ "question": "Was sollte man am besten am Himmel sehen, bevor man sich etwas wünscht ?",
+ "propositions": [
+ "Nordstern",
+ "Sonne",
+ "Sternschnuppe",
+ "Mond"
+ ],
+ "réponse": "Sternschnuppe",
+ "anecdote": "Eine Sternschnuppe ist ein kleiner Körper, der mit einer Geschwindigkeit von bis zu 42 km/s in einem mit der Sonne verbundenen Bezugssystem im Weltraum kreist."
+ },
+ {
+ "id": 16,
+ "question": "Welche Farbe hat der Pompon auf der französischen Matrosenmütze ?",
+ "propositions": [
+ "Rot",
+ "Grün",
+ "Blau",
+ "Gelb"
+ ],
+ "réponse": "Rot",
+ "anecdote": "In vielen Kulturen wird er traditionell mit dem Gott des Meeres in Verbindung gebracht. Das Berühren des roten Pompons soll vor bösen Geistern schützen."
+ },
+ {
+ "id": 17,
+ "question": "Welcher umgeworfene Gegenstand in der Küche würde Unglück bringen ?",
+ "propositions": [
+ "Glas",
+ "Topf",
+ "Dekanter",
+ "Salzstreuer"
+ ],
+ "réponse": "Salzstreuer",
+ "anecdote": "Im Mittelalter war es ein Unglück, das sehr teure Salz auf dem Tisch zu verschütten. Heute haben wir den Salzstreuer neben den Tischnachbarn gestellt."
+ },
+ {
+ "id": 18,
+ "question": "Was sollte man beim Anstoßen mit Freunden nicht mit den Gläsern machen ?",
+ "propositions": [
+ "Gib sie zurück",
+ "Überquere sie",
+ "Schütteln Sie sie",
+ "Wirf sie"
+ ],
+ "réponse": "Überquere sie",
+ "anecdote": "Es ist üblich, beim Anstoßen dem anderen in die Augen zu schauen, aber man darf auch nicht trinken, bevor man angestoßen hat."
+ },
+ {
+ "id": 19,
+ "question": "Wie viele Mandeln braucht es in der rechten Tasche, um einem Blitz zu entgehen ?",
+ "propositions": [
+ "Zwölf",
+ "Sechs",
+ "Drei",
+ "Neu"
+ ],
+ "réponse": "Drei",
+ "anecdote": "Wenn eine Frau zwei Mandeln in einem Kern findet, gibt es höchstwahrscheinlich Zwillinge in der Familie."
+ },
+ {
+ "id": 20,
+ "question": "In welchem Verkehrsmittel sollten Sie Ihren Heiratsantrag nicht machen ?",
+ "propositions": [
+ "Busse",
+ "Flugzeug",
+ "U-Bahn",
+ "Taxi"
+ ],
+ "réponse": "Busse",
+ "anecdote": "Es soll Unglück bringen, wenn ein Mann im Bus, Zug oder an einem anderen öffentlichen Ort einen Heiratsantrag macht."
+ }
+ ],
+ "expert": [
+ {
+ "id": 21,
+ "question": "Welchen Gegenstand sollte man in Brasilien auf keinen Fall auf den Boden legen ?",
+ "propositions": [
+ "Ansehen",
+ "Handtasche",
+ "Hut",
+ "Paar Handschuhe"
+ ],
+ "réponse": "Handtasche",
+ "anecdote": "Für Brasilianer ist es ein großer Fehler, eine Handtasche den Boden berühren zu lassen und würde Armut mit sich bringen, daher die Taschenhaken."
+ },
+ {
+ "id": 22,
+ "question": "Was ist besser, sich vor einer Prüfung nicht zu schneiden ?",
+ "propositions": [
+ "Finger",
+ "Nägel",
+ "Bart",
+ "Haare"
+ ],
+ "réponse": "Haare",
+ "anecdote": "Dieser aus Russland stammende Aberglaube hätte zur Folge, dass das in Ihren Sitzungen erworbene (harte) Wissen unterdrückt würde."
+ },
+ {
+ "id": 23,
+ "question": "Welcher erhaltene oder gegebene Gegenstand würde dazu führen, dass eine Freundschaft zerbricht ?",
+ "propositions": [
+ "Messer",
+ "Hammer",
+ "Schraubendreher",
+ "Säge"
+ ],
+ "réponse": "Messer",
+ "anecdote": "Dieser Gegenstand (und alle scharfen oder spitzen Gegenstände) würden die Freundschaft zerstören, wenn er nicht gegen eine Münze eingetauscht würde."
+ },
+ {
+ "id": 24,
+ "question": "Was sollte man in der Türkei nachts besser nicht kauen ?",
+ "propositions": [
+ "Traube",
+ "Kaugummi",
+ "Toffee",
+ "Schokolade"
+ ],
+ "réponse": "Kaugummi",
+ "anecdote": "In der Türkei ist es nicht empfehlenswert, nachts Kaugummi zu kauen, da dieser bei Einbruch der Dunkelheit zum Fleisch der Toten wird."
+ },
+ {
+ "id": 25,
+ "question": "Welcher Gegenstand könnte auf einem Bett Unglück anlocken ?",
+ "propositions": [
+ "Hausschlüssel",
+ "Zeitung",
+ "Bademantel",
+ "Hut"
+ ],
+ "réponse": "Hut",
+ "anecdote": "In früheren Zeiten nahmen Männer ihre Hüte ab, wenn sie die Kammer betraten, in der ein Verstorbener lag."
+ },
+ {
+ "id": 26,
+ "question": "Was sollte man ihm gegen Pech über die linke Schulter werfen ?",
+ "propositions": [
+ "Brot",
+ "Reis",
+ "Salz",
+ "Weizen"
+ ],
+ "réponse": "Salz",
+ "anecdote": "Werfen Sie eine Prise Salz über Ihre linke Schulter, um böse Geister hinter Ihnen zu blenden oder abzuwehren."
+ },
+ {
+ "id": 27,
+ "question": "Mit welchem leeren Gegenstand in der Hand herumzulaufen würde Unglück bringen ?",
+ "propositions": [
+ "Rucksack",
+ "Brillenetui",
+ "Geldbörse",
+ "Eimer"
+ ],
+ "réponse": "Eimer",
+ "anecdote": "Die Russen glauben an diesen Aberglauben, da Zar Alexander mit einem leeren Eimer in der Hand ermordet wurde."
+ },
+ {
+ "id": 28,
+ "question": "Welches Insekt würde Ihnen Gesundheit und Glück bescheren, wenn es gefangen wird ?",
+ "propositions": [
+ "Libelle",
+ "Fliegen",
+ "Marienkäfer",
+ "Hummel"
+ ],
+ "réponse": "Marienkäfer",
+ "anecdote": "In einigen Kulturen soll die Anzahl der Punkte auf dem Rücken des Marienkäfers den Grad des gewährten Glücks anzeigen."
+ },
+ {
+ "id": 29,
+ "question": "Was sollten Sie aus Angst vor Unglück vermeiden, sich am Tisch zu treffen ?",
+ "propositions": [
+ "Zwei Löffel",
+ "Zwei Messer",
+ "Zwei Handtücher",
+ "Zwei Gabeln"
+ ],
+ "réponse": "Zwei Messer",
+ "anecdote": "Im Mittelalter, als Messer oft als Waffen verwendet wurden, konnte das Kreuzen mit Messern eine potenzielle Gefahr darstellen."
+ },
+ {
+ "id": 30,
+ "question": "Wie sieht man in England aus, wenn man ein Krebsgeschwür im Mund hat ?",
+ "propositions": [
+ "Ein Lügner",
+ "Ein Schurke",
+ "Ein Verräter",
+ "Ein Betrüger"
+ ],
+ "réponse": "Ein Lügner",
+ "anecdote": "Krebsgeschwüre können manchmal mit Pech oder schlechter Mundhygiene in Verbindung gebracht werden, es besteht jedoch kein direkter Zusammenhang."
+ }
+ ]
+ },
+ "es": {
+ "débutant": [
+ {
+ "id": 1,
+ "question": "¿Romper un espejo puede traerte cuántos años de mala suerte ?",
+ "propositions": [
+ "Siete",
+ "Cinco",
+ "Veinte",
+ "Diez"
+ ],
+ "réponse": "Siete",
+ "anecdote": "En la Antigüedad, algunos pueblos veían en él el reflejo del alma, por lo que romper un espejo equivalía a destruir el alma de su dueño."
+ },
+ {
+ "id": 2,
+ "question": "¿Qué color está prohibido para la ropa durante un espectáculo ?",
+ "propositions": [
+ "rojo",
+ "amarillo",
+ "Verde",
+ "Naranja"
+ ],
+ "réponse": "Verde",
+ "anecdote": "Cuenta la leyenda que Molière murió poco después de la representación del « Malade Imaginaire », vestido con un traje verde."
+ },
+ {
+ "id": 3,
+ "question": "¿Qué número es la base de muchas supersticiones ?",
+ "propositions": [
+ "27",
+ "101",
+ "13",
+ "666"
+ ],
+ "réponse": "13",
+ "anecdote": "La superstición del viernes 13 a veces se relaciona con el viernes 13 de octubre de 1307, cuando el rey Felipe el Hermoso hizo matar a los ciudadanos."
+ },
+ {
+ "id": 4,
+ "question": "¿Por dónde no debe pasar al cruzar una escalera en una acera ?",
+ "propositions": [
+ "Arriba",
+ "Derecha",
+ "Abajo",
+ "Izquierda"
+ ],
+ "réponse": "Abajo",
+ "anecdote": "Pasar por debajo de una escalera sería romper la Santísima Trinidad y cometer un sacrilegio. Esto también es solo una cuestión de precaución."
+ },
+ {
+ "id": 5,
+ "question": "¿Cuál es el color del gato que te puede traer un mal presagio ?",
+ "propositions": [
+ "Negro",
+ "Blanco",
+ "gris",
+ "Pelirroja"
+ ],
+ "réponse": "Negro",
+ "anecdote": "Esta creencia bien establecida se remonta a la Edad Media, cuando los gatos negros eran representados como compañeros de las brujas."
+ },
+ {
+ "id": 6,
+ "question": "¿Qué debes pisar con el pie izquierdo para promover la suerte ?",
+ "propositions": [
+ "caca",
+ "goma de mascar",
+ "hormiga",
+ "Guijarro"
+ ],
+ "réponse": "caca",
+ "anecdote": "Caminar por la calle y pisar caca de perro nunca es agradable, pero con el pie izquierdo, la suerte estará a la vuelta de la esquina."
+ },
+ {
+ "id": 7,
+ "question": "¿Qué se debe colgar sobre la puerta de entrada para traer buena suerte ?",
+ "propositions": [
+ "Flores secas",
+ "Reloj",
+ "herradura",
+ "Marco de fotos"
+ ],
+ "réponse": "herradura",
+ "anecdote": "Esta virtud legendaria vendría del hecho de que una herradura perdida y revendida al herrero permitió recolectar algunas especies."
+ },
+ {
+ "id": 8,
+ "question": "¿Qué objeto, una vez arrojado a una fuente, traería buena suerte ?",
+ "propositions": [
+ "Llave de la casa",
+ "Zapato",
+ "Moneda",
+ "Guijarro blanco"
+ ],
+ "réponse": "Moneda",
+ "anecdote": "Una fuente es ante todo el lugar de un manantial, de agua viva que brota de la tierra, según el primer diccionario de la Academia Francesa."
+ },
+ {
+ "id": 9,
+ "question": "¿Qué planta protegería contra los espíritus malignos y los vampiros ?",
+ "propositions": [
+ "orégano",
+ "ajo",
+ "Apio",
+ "Estragón"
+ ],
+ "réponse": "ajo",
+ "anecdote": "Una superstición persistente ha dotado al ajo de poderosos poderes, en particular el de ahuyentar a los malos espíritus de la casa."
+ },
+ {
+ "id": 10,
+ "question": "¿Qué no se debe abrir dentro de su casa ?",
+ "propositions": [
+ "Joyero",
+ "Paraguas",
+ "Ventana",
+ "Colgando"
+ ],
+ "réponse": "Paraguas",
+ "anecdote": "El mecanismo de apertura de los paraguas con armazón de metal era peligroso y podía herir a alguien o dañar un objeto."
+ }
+ ],
+ "confirmé": [
+ {
+ "id": 11,
+ "question": "¿Qué comida, colocada boca abajo sobre una mesa, traería mala suerte ?",
+ "propositions": [
+ "Tomate",
+ "Pimienta",
+ "Berenjena",
+ "Pan"
+ ],
+ "réponse": "Pan",
+ "anecdote": "Los panaderos solían reservar una hogaza de pan para el verdugo, que a menudo se colocaba boca abajo."
+ },
+ {
+ "id": 12,
+ "question": "¿Qué material debes tocar para alejar la mala suerte ?",
+ "propositions": [
+ "Plomo",
+ "Cobre",
+ "Madera",
+ "Mármol"
+ ],
+ "réponse": "Madera",
+ "anecdote": "El madero representaría la Cruz de Cristo, y por tanto tocar el madero equivaldría a formular una oración, una llamada para evitar la desgracia."
+ },
+ {
+ "id": 13,
+ "question": "¿Qué pata de animal se encuentra en algunos llaveros ?",
+ "propositions": [
+ "perro",
+ "Conejo",
+ "Ovejas",
+ "camello"
+ ],
+ "réponse": "Conejo",
+ "anecdote": "La pata de conejo, una parte no consumida que se seca y se almacena fácilmente, ha sido utilizada como talismán por diversas culturas."
+ },
+ {
+ "id": 14,
+ "question": "¿Qué palabra se usa a veces en lugar de la frase « ebuena suerte » ?",
+ "propositions": [
+ "Zurullo",
+ "Mierda",
+ "Caca",
+ "Estiércol"
+ ],
+ "réponse": "Mierda",
+ "anecdote": "Su origen se remonta al teatro francés, donde los actores usaban la expresión antes de una función para ahuyentar la mala suerte."
+ },
+ {
+ "id": 15,
+ "question": "¿Qué es mejor ver en el cielo antes de pedir un deseo ?",
+ "propositions": [
+ "Estrella del Norte",
+ "Luna",
+ "estrella fugaz",
+ "sol"
+ ],
+ "réponse": "estrella fugaz",
+ "anecdote": "Una estrella fugaz es un pequeño cuerpo que circula en el espacio a una velocidad de hasta 42 km/s en un marco de referencia vinculado al Sol."
+ },
+ {
+ "id": 16,
+ "question": "¿De qué color es el pompón de la gorra de marinero francés ?",
+ "propositions": [
+ "amarillo",
+ "Azul",
+ "rojo",
+ "Verde"
+ ],
+ "réponse": "rojo",
+ "anecdote": "Asociado tradicionalmente con el dios del mar en muchas culturas, se dice que tocar el pompón rojo protege contra los malos espíritus."
+ },
+ {
+ "id": 17,
+ "question": "¿Qué objeto de la cocina, una vez volcado, traería mala suerte ?",
+ "propositions": [
+ "Vidrio",
+ "cacerola",
+ "Decantador",
+ "Salero"
+ ],
+ "réponse": "Salero",
+ "anecdote": "En la Edad Media, derramar la carísima sal sobre la mesa era una desgracia. Hoy, ponemos el salero al lado de la mesa del vecino."
+ },
+ {
+ "id": 18,
+ "question": "¿Qué no hacer con las copas al chocar copas con amigos ?",
+ "propositions": [
+ "Sacúdelos",
+ "Devuélvelos",
+ "cruzarlos",
+ "Tíralos"
+ ],
+ "réponse": "cruzarlos",
+ "anecdote": "Es costumbre brindar mirando a la otra persona a los ojos, pero también no beber antes de haber brindado."
+ },
+ {
+ "id": 19,
+ "question": "¿Cuántas almendras lleva en el bolsillo derecho para evitar un rayo ?",
+ "propositions": [
+ "Seis",
+ "Tres",
+ "Doce",
+ "Nuevo"
+ ],
+ "réponse": "Tres",
+ "anecdote": "Si una mujer encuentra dos almendras en un grano, lo más probable es que haya gemelos en la familia."
+ },
+ {
+ "id": 20,
+ "question": "¿En qué medio de transporte no debes hacer tu propuesta de matrimonio ?",
+ "propositions": [
+ "Avión",
+ "Autobuses",
+ "Metro",
+ "Taxis"
+ ],
+ "réponse": "Autobuses",
+ "anecdote": "Se dice que trae mala suerte que un hombre haga una propuesta de matrimonio en un autobús, tren o cualquier otro lugar público."
+ }
+ ],
+ "expert": [
+ {
+ "id": 21,
+ "question": "En Brasil, ¿qué objeto no deberías poner en el suelo en absoluto ?",
+ "propositions": [
+ "Reloj",
+ "Bolso",
+ "Par de guantes",
+ "Sombrero"
+ ],
+ "réponse": "Bolso",
+ "anecdote": "Para los brasileños, dejar que un bolso toque el suelo es un gran error y traería pobreza, por lo tanto, los ganchos del bolso."
+ },
+ {
+ "id": 22,
+ "question": "¿Qué es mejor no cortarse antes de hacer un examen ?",
+ "propositions": [
+ "Cabello",
+ "Dedo",
+ "Barba",
+ "Uñas"
+ ],
+ "réponse": "Cabello",
+ "anecdote": "Esta superstición, originaria de Rusia, tendría como consecuencia suprimir los (duros) conocimientos adquiridos durante tus sesiones."
+ },
+ {
+ "id": 23,
+ "question": "¿Qué objeto, recibido o dado, tendría el efecto de romper una amistad ?",
+ "propositions": [
+ "destornillador",
+ "Sierra",
+ "cuchillo",
+ "Martillo"
+ ],
+ "réponse": "cuchillo",
+ "anecdote": "Este artículo (y cualquier artículo afilado o puntiagudo) rompería la amistad a menos que se intercambie por una moneda."
+ },
+ {
+ "id": 24,
+ "question": "En Turquía, ¿qué es mejor no masticar por la noche ?",
+ "propositions": [
+ "goma de mascar",
+ "Chocolatada",
+ "Uva",
+ "caramelo"
+ ],
+ "réponse": "goma de mascar",
+ "anecdote": "En Turquía no se recomienda masticar chicle por la noche porque luego se convertirá en la carne de los muertos al caer la noche."
+ },
+ {
+ "id": 25,
+ "question": "¿Qué objeto, colocado sobre una cama, podría atraer la mala suerte ?",
+ "propositions": [
+ "Albornoz",
+ "Llave de la casa",
+ "Periódico",
+ "Sombrero"
+ ],
+ "réponse": "Sombrero",
+ "anecdote": "En épocas anteriores, los hombres se quitaban el sombrero cuando entraban en la cámara donde yacía un muerto."
+ },
+ {
+ "id": 26,
+ "question": "¿Qué hay que tirar por encima del hombro izquierdo contra la mala suerte ?",
+ "propositions": [
+ "Sal",
+ "Arroz",
+ "Trigo",
+ "Pan"
+ ],
+ "réponse": "Sal",
+ "anecdote": "Tira una pizca de sal sobre tu hombro izquierdo para cegar o alejar a los malos espíritus detrás de ti."
+ },
+ {
+ "id": 27,
+ "question": "¿Pasear con qué objeto vacío en la mano traería mala suerte ?",
+ "propositions": [
+ "Estuche para gafas",
+ "Cartera",
+ "Mochila",
+ "Cubo"
+ ],
+ "réponse": "Cubo",
+ "anecdote": "Los rusos creen en esta superstición por el hecho de que el zar Alejandro fue asesinado con un balde vacío en sus manos."
+ },
+ {
+ "id": 28,
+ "question": "¿Qué insecto, cuando lo atrapas, te proporcionará salud y felicidad ?",
+ "propositions": [
+ "Volar",
+ "Mariquita",
+ "abejorro",
+ "Libélula"
+ ],
+ "réponse": "Mariquita",
+ "anecdote": "En algunas culturas, se dice que la cantidad de puntos en la espalda de la mariquita indica el nivel de suerte otorgado."
+ },
+ {
+ "id": 29,
+ "question": "¿Qué debe evitar reunirse en la mesa so pena de desgracia ?",
+ "propositions": [
+ "Dos tenedores",
+ "Dos cuchillos",
+ "dos cucharas",
+ "Dos toallas"
+ ],
+ "réponse": "Dos cuchillos",
+ "anecdote": "Durante la época medieval, cuando los cuchillos se usaban a menudo como armas, cruzarlos podía representar un peligro potencial."
+ },
+ {
+ "id": 30,
+ "question": "En Inglaterra, ¿tener una afta en la boca te hace ver como qué ?",
+ "propositions": [
+ "Un tramposo",
+ "Un sinvergüenza",
+ "un traidor",
+ "un mentiroso"
+ ],
+ "réponse": "un mentiroso",
+ "anecdote": "Las aftas bucales a veces se pueden asociar con mala suerte o mala higiene bucal, pero no existe una correlación directa."
+ }
+ ]
+ },
+ "it": {
+ "débutant": [
+ {
+ "id": 1,
+ "question": "Rompere uno specchio può portarti quanti anni di sfortuna ?",
+ "propositions": [
+ "Cinque",
+ "Dieci",
+ "Venti",
+ "Sette"
+ ],
+ "réponse": "Sette",
+ "anecdote": "Nell'antichità, alcuni popoli vedevano in esso il riflesso dell'anima, quindi rompere uno specchio equivaleva a distruggere l'anima del suo proprietario."
+ },
+ {
+ "id": 2,
+ "question": "Di che colore è vietato l'abbigliamento durante uno spettacolo ?",
+ "propositions": [
+ "Arancione",
+ "Verde",
+ "Rosso",
+ "Giallo"
+ ],
+ "réponse": "Verde",
+ "anecdote": "La leggenda narra che Molière morì poco dopo la rappresentazione di « Malade Imaginaire », mentre indossava un abito verde."
+ },
+ {
+ "id": 3,
+ "question": "Quale numero è alla base di molte superstizioni ?",
+ "propositions": [
+ "101",
+ "13",
+ "27",
+ "666"
+ ],
+ "réponse": "13",
+ "anecdote": "La superstizione del venerdì 13 è talvolta collegata a venerdì 13 ottobre 1307, quando il re Filippo il Bello fece uccidere i cittadini."
+ },
+ {
+ "id": 4,
+ "question": "Dove non dovresti passare quando attraversi una scala su un marciapiede ?",
+ "propositions": [
+ "Sotto",
+ "Superiore",
+ "Destra",
+ "Sinistra"
+ ],
+ "réponse": "Sotto",
+ "anecdote": "Andare sotto una scala significherebbe infrangere la Santissima Trinità e commettere sacrilegio. Anche questa è solo una questione di cautela."
+ },
+ {
+ "id": 5,
+ "question": "Qual è il colore del gatto che può portarti un cattivo presagio ?",
+ "propositions": [
+ "Bianco",
+ "Grigio",
+ "Nero",
+ "Rossa"
+ ],
+ "réponse": "Nero",
+ "anecdote": "Questa radicata credenza risale al Medioevo, quando i gatti neri venivano rappresentati come compagni delle streghe."
+ },
+ {
+ "id": 6,
+ "question": "Cosa dovresti calpestare con il piede sinistro per favorire la fortuna ?",
+ "propositions": [
+ "formica",
+ "gomma da masticare",
+ "Sasso",
+ "cacca"
+ ],
+ "réponse": "cacca",
+ "anecdote": "Camminare per strada e calpestare la cacca del cane non è mai piacevole, ma con il piede sinistro la fortuna sarà dietro l'angolo."
+ },
+ {
+ "id": 7,
+ "question": "Cosa dovrebbe essere appeso sopra una porta d'ingresso per portare fortuna ?",
+ "propositions": [
+ "Fiori secchi",
+ "Orologio",
+ "Ferro di cavallo",
+ "Cornice"
+ ],
+ "réponse": "Ferro di cavallo",
+ "anecdote": "Questa leggendaria virtù deriverebbe dal fatto che un ferro di cavallo smarrito e rivenduto al fabbro consentiva di raccoglierne alcune specie."
+ },
+ {
+ "id": 8,
+ "question": "Quale oggetto, una volta gettato in una fontana, porterebbe fortuna ?",
+ "propositions": [
+ "Scarpa",
+ "Moneta",
+ "Ciottolo bianco",
+ "Chiave di casa"
+ ],
+ "réponse": "Moneta",
+ "anecdote": "Una fontana è prima di tutto il luogo di una sorgente, dell'acqua viva che sgorga dal terreno, secondo il primo dizionario dell'Accademia di Francia."
+ },
+ {
+ "id": 9,
+ "question": "Quale pianta proteggerebbe dagli spiriti maligni e dai vampiri ?",
+ "propositions": [
+ "Dragoncello",
+ "Origano",
+ "Aglio",
+ "Sedano"
+ ],
+ "réponse": "Aglio",
+ "anecdote": "Una persistente superstizione ha investito l'aglio di potenti poteri, in particolare quello di allontanare dalla casa gli spiriti maligni."
+ },
+ {
+ "id": 10,
+ "question": "Cosa non dovrebbe essere aperto all'interno della sua casa ?",
+ "propositions": [
+ "Ombrello",
+ "Portagioie",
+ "Appeso",
+ "Finestra"
+ ],
+ "réponse": "Ombrello",
+ "anecdote": "Il meccanismo di apertura degli ombrelli con struttura in metallo era pericoloso e poteva ferire qualcuno o danneggiare un oggetto."
+ }
+ ],
+ "confirmé": [
+ {
+ "id": 11,
+ "question": "Quale cibo, messo capovolto su un tavolo, porterebbe sfortuna ?",
+ "propositions": [
+ "Pepe",
+ "Pane",
+ "Melanzane",
+ "Pomodoro"
+ ],
+ "réponse": "Pane",
+ "anecdote": "I fornai erano soliti riservare al carnefice una pagnotta, che spesso veniva messa a testa in giù."
+ },
+ {
+ "id": 12,
+ "question": "Quale materiale dovresti toccare per scongiurare la sfortuna ?",
+ "propositions": [
+ "Rame",
+ "Legno",
+ "Piombo",
+ "Marmo"
+ ],
+ "réponse": "Legno",
+ "anecdote": "Il legno rappresenterebbe la Croce di Cristo, e quindi toccare il legno equivarrebbe a formulare una preghiera, un appello per evitare la sfortuna."
+ },
+ {
+ "id": 13,
+ "question": "Quale zampa di animale si trova su alcuni portachiavi ?",
+ "propositions": [
+ "Cane",
+ "Coniglio",
+ "Pecore",
+ "cammello"
+ ],
+ "réponse": "Coniglio",
+ "anecdote": "La zampa di coniglio, una parte non consumata che si asciuga e si conserva facilmente, è stata usata come talismano da varie culture."
+ },
+ {
+ "id": 14,
+ "question": "Quale parola viene talvolta usata al posto della frase « ebuona fortuna » ?",
+ "propositions": [
+ "stronzo",
+ "Merda",
+ "cacca",
+ "Sterco"
+ ],
+ "réponse": "Merda",
+ "anecdote": "La sua origine risale al teatro francese, dove gli attori usavano l'espressione prima di uno spettacolo per scongiurare la sfortuna."
+ },
+ {
+ "id": 15,
+ "question": "Cosa è meglio vedere nel cielo prima di esprimere un desiderio ?",
+ "propositions": [
+ "Luna",
+ "Stella Polare",
+ "Sole",
+ "stella cadente"
+ ],
+ "réponse": "stella cadente",
+ "anecdote": "Una stella cadente è un piccolo corpo che circola nello spazio a una velocità fino a 42 km/s in un sistema di riferimento collegato al Sole."
+ },
+ {
+ "id": 16,
+ "question": "Di che colore è il pompon sul berretto da marinaio francese ?",
+ "propositions": [
+ "Verde",
+ "Blu",
+ "Giallo",
+ "Rosso"
+ ],
+ "réponse": "Rosso",
+ "anecdote": "Tradizionalmente associato al dio del mare in molte culture, si dice che toccare il pompon rosso protegga dagli spiriti maligni."
+ },
+ {
+ "id": 17,
+ "question": "Quale oggetto in cucina, una volta rovesciato, porterebbe sfortuna ?",
+ "propositions": [
+ "Pentola",
+ "Vetro",
+ "Decanter",
+ "Saliera"
+ ],
+ "réponse": "Saliera",
+ "anecdote": "Nel Medioevo, versare il costosissimo sale sulla tavola era una disgrazia. Oggi mettiamo la saliera accanto al vicino di tavola."
+ },
+ {
+ "id": 18,
+ "question": "Cosa non fare con i bicchieri quando si fa tintinnare i bicchieri con gli amici ?",
+ "propositions": [
+ "Scuotili",
+ "Lanciali",
+ "Incrociali",
+ "Restituiscili"
+ ],
+ "réponse": "Incrociali",
+ "anecdote": "È consuetudine brindare guardando l'interlocutore negli occhi, ma anche non bere prima di aver brindato."
+ },
+ {
+ "id": 19,
+ "question": "Quante mandorle ci mette nella tasca destra per evitare i fulmini ?",
+ "propositions": [
+ "Nuovo",
+ "Tre",
+ "Dodici",
+ "Sei"
+ ],
+ "réponse": "Tre",
+ "anecdote": "Se una donna trova due mandorle in un nocciolo, molto probabilmente ci saranno gemelli in famiglia."
+ },
+ {
+ "id": 20,
+ "question": "In quale mezzo di trasporto non dovresti fare la tua proposta di matrimonio ?",
+ "propositions": [
+ "Aereo",
+ "Taxi",
+ "Autobus",
+ "Metropolitana"
+ ],
+ "réponse": "Autobus",
+ "anecdote": "Si dice che porti sfortuna per un uomo fare una proposta di matrimonio su un autobus, un treno o qualsiasi altro luogo pubblico."
+ }
+ ],
+ "expert": [
+ {
+ "id": 21,
+ "question": "In Brasile, quale oggetto non dovresti assolutamente mettere a terra ?",
+ "propositions": [
+ "Guarda",
+ "Borsa",
+ "Paio di guanti",
+ "Cappello"
+ ],
+ "réponse": "Borsa",
+ "anecdote": "Per i brasiliani, lasciare che una borsetta tocchi terra è un grosso errore e porterebbe povertà, da qui i ganci per borse."
+ },
+ {
+ "id": 22,
+ "question": "Cosa è meglio non tagliarsi prima di sostenere un esame ?",
+ "propositions": [
+ "Dito",
+ "Unghie",
+ "Capelli",
+ "Barba"
+ ],
+ "réponse": "Capelli",
+ "anecdote": "Questa superstizione, originaria della Russia, avrebbe la conseguenza di sopprimere le (dure) conoscenze acquisite durante le vostre sedute."
+ },
+ {
+ "id": 23,
+ "question": "Quale oggetto, ricevuto o donato, avrebbe l'effetto di rompere un'amicizia ?",
+ "propositions": [
+ "Coltello",
+ "visto",
+ "Martello",
+ "Cacciavite"
+ ],
+ "réponse": "Coltello",
+ "anecdote": "Questo oggetto (e qualsiasi oggetto affilato o appuntito) spezzerebbe l'amicizia a meno che non venga scambiato con una moneta."
+ },
+ {
+ "id": 24,
+ "question": "In Turchia, cosa è meglio non masticare di notte ?",
+ "propositions": [
+ "Cioccolato",
+ "gomma da masticare",
+ "Uva",
+ "Caramella"
+ ],
+ "réponse": "gomma da masticare",
+ "anecdote": "In Turchia, è sconsigliato masticare gomma di notte perché diventerà carne di morto al calar della notte."
+ },
+ {
+ "id": 25,
+ "question": "Quale oggetto, posto su un letto, potrebbe attirare la sfortuna ?",
+ "propositions": [
+ "Giornale",
+ "Cappello",
+ "Accappatoio",
+ "Chiave di casa"
+ ],
+ "réponse": "Cappello",
+ "anecdote": "In passato, gli uomini si toglievano il cappello quando entravano nella camera dove giaceva un morto."
+ },
+ {
+ "id": 26,
+ "question": "Cosa dovrebbe essere gettato sulla sua spalla sinistra contro la sfortuna ?",
+ "propositions": [
+ "Grano",
+ "Pane",
+ "Sale",
+ "Riso"
+ ],
+ "réponse": "Sale",
+ "anecdote": "Getta un pizzico di sale sulla spalla sinistra per accecare o allontanare gli spiriti maligni dietro di te."
+ },
+ {
+ "id": 27,
+ "question": "Andare in giro con quale oggetto vuoto in mano porterebbe sfortuna ?",
+ "propositions": [
+ "Zaino",
+ "Custodia per occhiali",
+ "Secchio",
+ "Portafoglio"
+ ],
+ "réponse": "Secchio",
+ "anecdote": "I russi credono in questa superstizione dal fatto che lo zar Alessandro fu assassinato con un secchio vuoto tra le mani."
+ },
+ {
+ "id": 28,
+ "question": "Quale insetto, una volta catturato, ti darebbe salute e felicità ?",
+ "propositions": [
+ "Vola",
+ "Libellula",
+ "Coccinella",
+ "Bombo"
+ ],
+ "réponse": "Coccinella",
+ "anecdote": "In alcune culture, si dice che il numero di punti sul dorso della coccinella indichi il livello di fortuna concesso."
+ },
+ {
+ "id": 29,
+ "question": "Cosa dovresti evitare di incontrare a tavola pena la sfortuna ?",
+ "propositions": [
+ "Due asciugamani",
+ "Due cucchiai",
+ "Due forchette",
+ "Due coltelli"
+ ],
+ "réponse": "Due coltelli",
+ "anecdote": "In epoca medievale, quando i coltelli erano spesso usati come armi, incrociarli poteva rappresentare un potenziale pericolo."
+ },
+ {
+ "id": 30,
+ "question": "In Inghilterra, avere un mal di ulcera in bocca ti fa sembrare cosa ?",
+ "propositions": [
+ "Un traditore",
+ "Un mascalzone",
+ "Un bugiardo",
+ "Un imbroglione"
+ ],
+ "réponse": "Un bugiardo",
+ "anecdote": "Le afte a volte possono essere associate a sfortuna o scarsa igiene orale, ma non esiste una correlazione diretta."
+ }
+ ]
+ },
+ "nl": {
+ "débutant": [
+ {
+ "id": 1,
+ "question": "Het breken van een spiegel kan je hoeveel jaren pech brengen ?",
+ "propositions": [
+ "Vijf",
+ "zeven",
+ "Tien",
+ "Twintig"
+ ],
+ "réponse": "zeven",
+ "anecdote": "In de oudheid zagen sommige volkeren de weerspiegeling van de ziel erin, dus het breken van een spiegel kwam neer op het vernietigen van de ziel van de eigenaar."
+ },
+ {
+ "id": 2,
+ "question": "Welke kleur is verboden voor kleding tijdens een show ?",
+ "propositions": [
+ "rood",
+ "Groen",
+ "Geel",
+ "Oranje"
+ ],
+ "réponse": "Groen",
+ "anecdote": "Volgens de legende stierf Molière kort na de uitvoering van « Malade Imaginaire », gekleed in een groen pak."
+ },
+ {
+ "id": 3,
+ "question": "Welk getal is de basis van veel bijgeloof ?",
+ "propositions": [
+ "27",
+ "101",
+ "666",
+ "13"
+ ],
+ "réponse": "13",
+ "anecdote": "Het bijgeloof van vrijdag de 13e wordt soms in verband gebracht met vrijdag 13 oktober 1307, toen koning Filips de Schone burgers liet vermoorden."
+ },
+ {
+ "id": 4,
+ "question": "Waar mag je niet langs bij het oversteken van een ladder op een stoep ?",
+ "propositions": [
+ "Juist",
+ "Links",
+ "Boven",
+ "Hieronder"
+ ],
+ "réponse": "Hieronder",
+ "anecdote": "Onder een ladder doorgaan zou neerkomen op het breken van de Heilige Drie-eenheid en het plegen van heiligschennis."
+ },
+ {
+ "id": 5,
+ "question": "Wat is de kleur van de kat die je een slecht voorteken kan brengen ?",
+ "propositions": [
+ "Zwart",
+ "Wit",
+ "Roodharige",
+ "grijs"
+ ],
+ "réponse": "Zwart",
+ "anecdote": "Dit gevestigde geloof dateert uit de Middeleeuwen, toen zwarte katten werden voorgesteld als metgezellen van heksen."
+ },
+ {
+ "id": 6,
+ "question": "Waar moet je op stappen met je linkervoet om geluk te bevorderen ?",
+ "propositions": [
+ "Kiezel",
+ "mier",
+ "kauwgom",
+ "poep"
+ ],
+ "réponse": "poep",
+ "anecdote": "Over straat lopen en op hondenpoep stappen is nooit prettig, maar met je linkervoet ligt het geluk om de hoek."
+ },
+ {
+ "id": 7,
+ "question": "Wat moet er boven een voordeur worden gehangen om geluk te brengen ?",
+ "propositions": [
+ "Hoefijzer",
+ "Droogbloemen",
+ "Fotolijstje",
+ "Klok"
+ ],
+ "réponse": "Hoefijzer",
+ "anecdote": "Deze legendarische deugd zou voortkomen uit het feit dat een verloren en doorverkocht hoefijzer aan de smid het mogelijk maakte om een \u200b\u200bpaar soorten te oogsten."
+ },
+ {
+ "id": 8,
+ "question": "Welk voorwerp, eenmaal in een fontein gegooid, zou geluk brengen ?",
+ "propositions": [
+ "Munt",
+ "Schoen",
+ "Witte kiezelsteen",
+ "Huissleutel"
+ ],
+ "réponse": "Munt",
+ "anecdote": "Een fontein is in de eerste plaats de plaats van een bron, van levend water dat uit de grond komt, aldus het eerste woordenboek van de Franse Académie."
+ },
+ {
+ "id": 9,
+ "question": "Welke plant zou beschermen tegen boze geesten en vampiers ?",
+ "propositions": [
+ "Dragon",
+ "Selderij",
+ "Oregano",
+ "Knoflook"
+ ],
+ "réponse": "Knoflook",
+ "anecdote": "Door een aanhoudend bijgeloof heeft knoflook krachtige krachten gekregen, met name om boze geesten uit huis te verdrijven."
+ },
+ {
+ "id": 10,
+ "question": "Wat mag niet worden geopend in zijn huis ?",
+ "propositions": [
+ "Paraplu",
+ "Venster",
+ "Sieradendoos",
+ "Hangend"
+ ],
+ "réponse": "Paraplu",
+ "anecdote": "Het openingsmechanisme van paraplu's met een metalen frame was gevaarlijk en kon iemand verwonden of een object beschadigen."
+ }
+ ],
+ "confirmé": [
+ {
+ "id": 11,
+ "question": "Welk voedsel, ondersteboven op een tafel geplaatst, zou ongeluk brengen ?",
+ "propositions": [
+ "Peper",
+ "Brood",
+ "Tomaat",
+ "Aubergine"
+ ],
+ "réponse": "Brood",
+ "anecdote": "Vroeger bewaarden bakkers een brood voor de beul, dat vaak ondersteboven werd gelegd."
+ },
+ {
+ "id": 12,
+ "question": "Welk materiaal moet je aanraken om pech af te weren ?",
+ "propositions": [
+ "Leiden",
+ "Marmer",
+ "Hout",
+ "Koper"
+ ],
+ "réponse": "Hout",
+ "anecdote": "Het hout zou het Kruis van Christus voorstellen, en daarom zou het aanraken van hout neerkomen op het formuleren van een gebed, een oproep om ongeluk te vermijden."
+ },
+ {
+ "id": 13,
+ "question": "Van welk dier staat de poot op sommige sleutelhangers ?",
+ "propositions": [
+ "Hond",
+ "Schapen",
+ "Konijn",
+ "kameel"
+ ],
+ "réponse": "Konijn",
+ "anecdote": "De poot van het konijn, een niet opgegeten deel dat droogt en gemakkelijk kan worden opgeborgen, wordt door verschillende culturen als talisman gebruikt."
+ },
+ {
+ "id": 14,
+ "question": "Welk woord wordt soms gebruikt in plaats van de uitdrukking « veel succes » ?",
+ "propositions": [
+ "drol",
+ "Mest",
+ "poep",
+ "Shit"
+ ],
+ "réponse": "Shit",
+ "anecdote": "De oorsprong gaat terug tot het Franse theater, waar acteurs de uitdrukking voor een optreden gebruikten om pech af te weren."
+ },
+ {
+ "id": 15,
+ "question": "Wat kun je het beste in de lucht zien voordat je een wens doet ?",
+ "propositions": [
+ "Maan",
+ "Poolster",
+ "vallende ster",
+ "zon"
+ ],
+ "réponse": "vallende ster",
+ "anecdote": "Een vallende ster is een klein lichaam dat in de ruimte circuleert met een snelheid tot 42 km/s in een referentiekader gekoppeld aan de zon."
+ },
+ {
+ "id": 16,
+ "question": "Welke kleur heeft de pompon op de Franse zeemanspet ?",
+ "propositions": [
+ "Groen",
+ "Blauw",
+ "Geel",
+ "rood"
+ ],
+ "réponse": "rood",
+ "anecdote": "Traditioneel geassocieerd met de god van de zee in veel culturen, wordt gezegd dat het aanraken van de rode pompon beschermt tegen boze geesten."
+ },
+ {
+ "id": 17,
+ "question": "Welk voorwerp in de keuken zou, eenmaal omgestoten, ongeluk brengen ?",
+ "propositions": [
+ "Karaf",
+ "Glas",
+ "Zoutstrooier",
+ "Steelpan"
+ ],
+ "réponse": "Zoutstrooier",
+ "anecdote": "In de Middeleeuwen was het een ongeluk om het peperdure zout op tafel te morsen. Vandaag hebben we het zoutvaatje naast de tafelbuurman gezet."
+ },
+ {
+ "id": 18,
+ "question": "Wat niet te doen met de bril bij het klinken van een bril met vrienden ?",
+ "propositions": [
+ "Retourneer ze",
+ "Steek ze over",
+ "Schud ze",
+ "Gooi ze"
+ ],
+ "réponse": "Steek ze over",
+ "anecdote": "Het is gebruikelijk om te proosten terwijl je de ander in de ogen kijkt, maar ook om niet te drinken voordat je hebt geproost."
+ },
+ {
+ "id": 19,
+ "question": "Hoeveel amandelen heeft hij in zijn rechterzak om bliksem te voorkomen ?",
+ "propositions": [
+ "Nieuw",
+ "Zes",
+ "Drie",
+ "Twaalf"
+ ],
+ "réponse": "Drie",
+ "anecdote": "Als een vrouw twee amandelen in één pit vindt, zal er hoogstwaarschijnlijk een tweeling in de familie zijn."
+ },
+ {
+ "id": 20,
+ "question": "In welk vervoermiddel mag u uw huwelijksaanzoek niet doen ?",
+ "propositions": [
+ "metro",
+ "Bussen",
+ "Vliegtuig",
+ "taxiën"
+ ],
+ "réponse": "Bussen",
+ "anecdote": "Er wordt gezegd dat het ongeluk brengt als een man een huwelijksaanzoek doet in een bus, trein of een andere openbare plaats."
+ }
+ ],
+ "expert": [
+ {
+ "id": 21,
+ "question": "Welk voorwerp mag je in Brazilië absoluut niet op de grond zetten ?",
+ "propositions": [
+ "Kijk",
+ "Paar handschoenen",
+ "Handtas",
+ "Hoed"
+ ],
+ "réponse": "Handtas",
+ "anecdote": "Voor Brazilianen is het een grote vergissing om een \u200b\u200bhandtas de grond te laten raken, wat armoede zou veroorzaken, vandaar de tashaken."
+ },
+ {
+ "id": 22,
+ "question": "Wat is beter om jezelf niet te snijden voordat je een examen aflegt ?",
+ "propositions": [
+ "Haar",
+ "Baard",
+ "Nagels",
+ "Vinger"
+ ],
+ "réponse": "Haar",
+ "anecdote": "Dit bijgeloof, afkomstig uit Rusland, zou tot gevolg hebben dat de tijdens je sessies opgedane (harde) kennis wordt onderdrukt."
+ },
+ {
+ "id": 23,
+ "question": "Welk voorwerp, ontvangen of gegeven, zou een vriendschap kunnen verbreken ?",
+ "propositions": [
+ "zag",
+ "Hamer",
+ "Schroevendraaier",
+ "Mes"
+ ],
+ "réponse": "Mes",
+ "anecdote": "Dit item (en alle scherpe of puntige items) zou de vriendschap verbreken, tenzij het wordt geruild voor een munt."
+ },
+ {
+ "id": 24,
+ "question": "Wat is in Turkije beter om's nachts niet te kauwen ?",
+ "propositions": [
+ "Druif",
+ "Toffee",
+ "kauwgom",
+ "Chocolade"
+ ],
+ "réponse": "kauwgom",
+ "anecdote": "In Turkije wordt het afgeraden om 's nachts kauwgom te kauwen, omdat het dan 's avonds het vlees van de doden wordt."
+ },
+ {
+ "id": 25,
+ "question": "Welk voorwerp, geplaatst op een bed, zou ongeluk kunnen aantrekken ?",
+ "propositions": [
+ "Krant",
+ "Badjas",
+ "Huissleutel",
+ "Hoed"
+ ],
+ "réponse": "Hoed",
+ "anecdote": "Vroeger namen mannen hun hoed af als ze de kamer binnengingen waar een dode lag."
+ },
+ {
+ "id": 26,
+ "question": "Wat moet er over zijn linkerschouder worden gegooid tegen pech ?",
+ "propositions": [
+ "Tarwe",
+ "Brood",
+ "Rijst",
+ "Zout"
+ ],
+ "réponse": "Zout",
+ "anecdote": "Gooi een snufje zout over je linkerschouder om boze geesten achter je te verblinden of af te weren."
+ },
+ {
+ "id": 27,
+ "question": "Rondlopen met welk leeg voorwerp in de hand zou ongeluk brengen ?",
+ "propositions": [
+ "Portemonnee",
+ "Emmer",
+ "Brillenkoker",
+ "Rugzak"
+ ],
+ "réponse": "Emmer",
+ "anecdote": "Russen geloven in dit bijgeloof vanwege het feit dat tsaar Alexander werd vermoord met een lege emmer in zijn handen."
+ },
+ {
+ "id": 28,
+ "question": "Welk insect, als het wordt gevangen, zou je gezondheid en geluk geven ?",
+ "propositions": [
+ "Libel",
+ "Hommel",
+ "Lieveheersbeestje",
+ "Vlieg"
+ ],
+ "réponse": "Lieveheersbeestje",
+ "anecdote": "In sommige culturen wordt gezegd dat het aantal stippen op de rug van het lieveheersbeestje het toegekende geluksniveau aangeeft."
+ },
+ {
+ "id": 29,
+ "question": "Wat moet je op straffe van tegenslag vermijden aan tafel te ontmoeten ?",
+ "propositions": [
+ "Twee Lepels",
+ "Twee messen",
+ "Twee vorken",
+ "Twee handdoeken"
+ ],
+ "réponse": "Twee messen",
+ "anecdote": "In de Middeleeuwen, toen messen vaak als wapen werden gebruikt, kon het kruisen ervan een potentieel gevaar vormen."
+ },
+ {
+ "id": 30,
+ "question": "In Engeland, als je een aft in je mond hebt, zie je er zo uit ?",
+ "propositions": [
+ "Een verrader",
+ "Een bedrieger",
+ "Een schurk",
+ "Een leugenaar"
+ ],
+ "réponse": "Een leugenaar",
+ "anecdote": "Aften kunnen soms in verband worden gebracht met pech of een slechte mondhygiëne, maar er is geen direct verband."
+ }
+ ]
+ }
+ }
+}
\ No newline at end of file