showoff 0.18.2 → 0.19.0

Sign up to get free protection for your applications and to get access to all the features.
checksums.yaml CHANGED
@@ -1,7 +1,7 @@
1
1
  ---
2
2
  SHA1:
3
- metadata.gz: 5049af41567ade99af8a0949da8f756bdbe4eaad
4
- data.tar.gz: 09b6a2ba7fadc69530ac3465a1a5497576fc5319
3
+ metadata.gz: 1601282ce5936996277f4a1309c7535641626225
4
+ data.tar.gz: da0de8e6681c74330610564866696c2812acccc9
5
5
  SHA512:
6
- metadata.gz: 4332919c9668a1549a91512a74b0b91ec86b8f930a29779dc10c5b0858e4d418cf3a9efe7dddf6977b890e8a16ed13a0e4a8a5ce2a1293040ee59501d954c410
7
- data.tar.gz: 720a04998515eba5fa39ff989e18b6a351d69bbcd56a2e55bb435f5b596987e5ffb930d07fa7f4c337060de5f5c7624a02aa5a6f899e9ca1aea1c648c66ade89
6
+ metadata.gz: 13d3baa8ec51274dfb9727449373436dd1c8ca08072e38ca1599673d36bc292686c3f12d73f1ac7295df709f90a6cd48e08671502cafd6550918f54dc1e7f23a
7
+ data.tar.gz: d2fd23fe45cf664d86dc8e4eaf4b3f73ac26ac41f65d7643b5de07058ad7386091c4a39246658ca51ec052edc81f4b1edfaf854d683ff462c79202878dcb5f91
data/Rakefile CHANGED
@@ -16,6 +16,18 @@ def next_version(type = :patch)
16
16
  n.join '.'
17
17
  end
18
18
 
19
+ def translate(text, lang)
20
+ require 'net/http'
21
+ require 'uri'
22
+ require 'json'
23
+
24
+ uri = URI.parse("https://translate.googleapis.com/translate_a/single?client=gtx&sl=en&tl=#{lang}&dt=t&q=#{URI.escape(text)}")
25
+ result = Net::HTTP.get_response(uri)
26
+ data = JSON.parse(result.body);
27
+
28
+ data.first.map { |sentence| sentence.first }.join
29
+ end
30
+
19
31
  desc "Build Docker image"
20
32
  task 'docker' do
21
33
  Dir.chdir('build') do
@@ -74,18 +86,19 @@ desc 'Validate translation files'
74
86
  task 'lang:check' do
75
87
  require 'yaml'
76
88
 
77
- def compare_keys(left, right, name, stack=nil)
89
+ def compare_keys(left, right, code, name, stack=nil)
78
90
  left.each do |key, val|
79
91
  inner = stack.nil? ? key : "#{stack}.#{key}"
80
92
  compare = right[key]
81
93
 
82
94
  case compare
83
95
  when Hash
84
- compare_keys(val, compare, name, inner)
96
+ compare_keys(val, compare, code, name, inner)
85
97
  when String
86
98
  next
87
99
  when NilClass
88
100
  puts "Error: '#{inner}' is missing from #{name}"
101
+ puts " ↳ maybe: #{translate(val, code)}" if val.is_a? String
89
102
  else
90
103
  puts "Error: '#{inner}' in #{name} is a #{compare.class}, not a Hash"
91
104
  end
@@ -102,7 +115,7 @@ task 'lang:check' do
102
115
  key = lang.keys.first
103
116
 
104
117
  puts "Error: #{langfile} has the wrong language code (#{key})" unless code == key
105
- compare_keys(canonical['en'], lang[key], langfile)
118
+ compare_keys(canonical['en'], lang[key], code, langfile)
106
119
  end
107
120
  end
108
121
 
@@ -71,7 +71,7 @@ class ShowOff < Sinatra::Application
71
71
 
72
72
  def initialize(app=nil)
73
73
  super(app)
74
- @logger = Logger.new(STDOUT)
74
+ @logger = Logger.new(STDERR)
75
75
  @logger.formatter = proc { |severity,datetime,progname,msg| "#{progname} #{msg}\n" }
76
76
  @logger.level = settings.verbose ? Logger::DEBUG : Logger::WARN
77
77
 
@@ -107,6 +107,9 @@ class ShowOff < Sinatra::Application
107
107
  settings.pres_template = showoff_json["templates"]
108
108
  end
109
109
 
110
+ # if no sections are provided, we'll just start from cwd
111
+ settings.showoff_config['sections'] ||= ['.']
112
+
110
113
  # code execution timeout
111
114
  settings.showoff_config['timeout'] ||= 15
112
115
 
@@ -262,7 +265,9 @@ class ShowOff < Sinatra::Application
262
265
  end
263
266
 
264
267
  def preshow_files
265
- Dir.glob("#{settings.pres_dir}/_preshow/*").map { |path| File.basename(path) }.to_json
268
+ files = Dir.glob("#{settings.pres_dir}/_preshow/*")
269
+ files.reject! { |path| ['.txt', '.md'].include? File.extname(path) }
270
+ files.map { |path| File.basename(path) }.to_json
266
271
  end
267
272
 
268
273
  # return a list of keys associated with a given action in the keymap
@@ -378,7 +383,7 @@ class ShowOff < Sinatra::Application
378
383
  end
379
384
  end
380
385
 
381
- def process_markdown(name, section, content, opts={:static=>false, :pdf=>false, :print=>false, :toc=>false, :supplemental=>nil, :section=>nil})
386
+ def process_markdown(name, section, content, opts={:static=>false, :pdf=>false, :print=>false, :toc=>false, :supplemental=>nil, :section=>nil, :merged=>false})
382
387
  if settings.encoding and content.respond_to?(:force_encoding)
383
388
  content.force_encoding(settings.encoding)
384
389
  end
@@ -418,26 +423,30 @@ class ShowOff < Sinatra::Application
418
423
  @section_minor = 0
419
424
  end
420
425
 
421
- if opts[:supplemental]
422
- # if we're looking for supplemental material, only include the content we want
423
- next unless slide.classes.include? 'supplemental'
424
- next unless slide.classes.include? opts[:supplemental]
425
- else
426
- # otherwise just skip all supplemental material completely
427
- next if slide.classes.include? 'supplemental'
428
- end
426
+ # merged output means that we just want to generate *everything*. This is used by internal,
427
+ # methods such as content validation, where we want all content represented.
428
+ unless opts[:merged]
429
+ if opts[:supplemental]
430
+ # if we're looking for supplemental material, only include the content we want
431
+ next unless slide.classes.include? 'supplemental'
432
+ next unless slide.classes.include? opts[:supplemental]
433
+ else
434
+ # otherwise just skip all supplemental material completely
435
+ next if slide.classes.include? 'supplemental'
436
+ end
429
437
 
430
- unless opts[:toc]
431
- # just drop the slide if we're not generating a table of contents
432
- next if slide.classes.include? 'toc'
433
- end
438
+ unless opts[:toc]
439
+ # just drop the slide if we're not generating a table of contents
440
+ next if slide.classes.include? 'toc'
441
+ end
434
442
 
435
- if opts[:print]
436
- # drop all slides not intended for the print version
437
- next if slide.classes.include? 'noprint'
438
- else
439
- # drop slides that are intended for the print version only
440
- next if slide.classes.include? 'printonly'
443
+ if opts[:print]
444
+ # drop all slides not intended for the print version
445
+ next if slide.classes.include? 'noprint'
446
+ else
447
+ # drop slides that are intended for the print version only
448
+ next if slide.classes.include? 'printonly'
449
+ end
441
450
  end
442
451
 
443
452
  @slide_count += 1
@@ -803,7 +812,7 @@ class ShowOff < Sinatra::Application
803
812
  begin
804
813
  tools = '<div class="tools">'
805
814
  tools << "<input type=\"button\" class=\"display\" value=\"#{I18n.t('forms.display')}\">"
806
- tools << "<input type=\"submit\" value=\"#{I18n.t('forms.save')}\" disabled=\"disabled\">"
815
+ tools << "<input type=\"submit\" class=\"save\" value=\"#{I18n.t('forms.save')}\" disabled=\"disabled\">"
807
816
  tools << '</div>'
808
817
  form = "<form id='#{title}' action='/form/#{title}' method='POST'>#{content}#{tools}</form>"
809
818
  doc = Nokogiri::HTML::DocumentFragment.parse(form)
@@ -1257,7 +1266,7 @@ class ShowOff < Sinatra::Application
1257
1266
  assets.uniq.join("\n")
1258
1267
  end
1259
1268
 
1260
- def slides(static=false)
1269
+ def slides(static=false, merged=false)
1261
1270
  @logger.info "Cached presentations: #{@@cache.keys}"
1262
1271
 
1263
1272
  # if we have a cache and we're not asking to invalidate it
@@ -1269,7 +1278,7 @@ class ShowOff < Sinatra::Application
1269
1278
  ShowOffUtils.update(settings.verbose) if settings.url
1270
1279
 
1271
1280
  @@slide_titles = []
1272
- content = get_slides_html(:static=>static)
1281
+ content = get_slides_html(:static=>static, :merged=>merged)
1273
1282
 
1274
1283
  # allow command line cache disabling
1275
1284
  @@cache[@locale] = content unless settings.nocache
@@ -1525,9 +1534,12 @@ class ShowOff < Sinatra::Application
1525
1534
  classes = executable ? 'code.execute' : 'code'
1526
1535
 
1527
1536
  slide = "#{path}.md"
1528
- return unless File.exist? slide
1537
+ return [] unless File.exist? slide
1529
1538
 
1530
1539
  content = File.read(slide)
1540
+ return [] if content.nil?
1541
+ return [] if content.empty?
1542
+
1531
1543
  if defined? num
1532
1544
  content = content.split(/^\<?!SLIDE/m).reject { |sl| sl.empty? }[num-1]
1533
1545
  end
@@ -1,3 +1,3 @@
1
1
  # No namespace here since ShowOff is a class and I'd have to inherit from
2
2
  # Sinatra::Application (which we don't want to load here)
3
- SHOWOFF_VERSION = '0.18.2'
3
+ SHOWOFF_VERSION = '0.19.0'
@@ -100,7 +100,7 @@ class ShowOffUtils
100
100
  def self.info(config, json = false)
101
101
  ShowOffUtils.presentation_config_file = config
102
102
  showoff = ShowOff.new!
103
- content = showoff.slides
103
+ content = showoff.slides(false, true)
104
104
  dom = Nokogiri::HTML(content)
105
105
 
106
106
  data = {}
@@ -436,7 +436,7 @@ class ShowOffUtils
436
436
 
437
437
  logger.debug data
438
438
  if data.is_a?(Hash)
439
- # dup so we don't overwrite the original data structutre and make it impossible to re-localize
439
+ # dup so we don't overwrite the original data structure and make it impossible to re-localize
440
440
  sections = data['sections'].dup
441
441
  else
442
442
  sections = data.dup
@@ -25,6 +25,7 @@ de:
25
25
  close: Schließen
26
26
  help: Drücke das <code>?</code> für Hilfe.
27
27
  anonymous: Alle Feedbacks sind anonym.
28
+ sending: Senden ...
28
29
  navigation:
29
30
  next: Nächste Folie
30
31
  previous: Vorherige Folie
@@ -39,6 +40,28 @@ de:
39
40
  prompt: Beginn in Minuten?
40
41
  resume: "Fortsetzen in Minuten:"
41
42
 
43
+ tour:
44
+ reset: Vorschläge Zurücksetzen
45
+ welcome: <h3>Willkommen bei Showoff</h3>Lass mich dich herum zeigen. Nachdem du diese Tour beendet hast, wird es nicht wieder zeigen.
46
+ displayview: Klicken Sie auf diese Schaltfläche, um das Anzeigefenster zu öffnen. Dann ziehe es auf den Projektor.
47
+ annotations: Zeichnen Sie auf Ihren Dias überall, wo die Präsentation angezeigt wird.
48
+ timer: Stellen Sie einen Countdown-Timer ein, damit Sie im Tempo bleiben können.
49
+ pace: Publikum Mitglieder können dies zu sagen, wenn Sie sich zu schnell bewegen. Versuchen Sie, die Anzeige zentriert zu halten.
50
+ questions: Fragen, die von Publikumsmitgliedern gefragt werden, werden hier angezeigt. Sie sehen auch eine Zähleranzeige auf der Anzeigefenster, wenn Sie Fragen zu beantworten haben.
51
+ notes: Konfigurieren Sie die Notizenanzeige durch Zoomen von Text, Größenänderung des Fensters oder sogar in ein neues Fenster.
52
+ slidesource: Hier wird der Name der Folie angezeigt.
53
+ settings: Möchten Sie ein anderes Präsentationslayout? Wähle das und andere Einstellungen hier.
54
+ edit: Diese Schaltfläche öffnet Ihren Web-Editor - in der Regel so etwas wie GitHub.
55
+ report: Vergessen Sie nicht, Probleme zu melden, wenn Sie sie sehen.
56
+ activity:
57
+ count: Dies wird auf Null zählen, während die Zuschauer ihre Arbeit beenden. Die Präsentation wird anhalten, bis sie fertig sind.
58
+ complete: Überprüfen Sie dieses Kontrollkästchen, wenn Sie bereit sind, weiterzumachen. Die Präsentation wird pausieren, während du arbeitest.
59
+ form:
60
+ responses: Als Fragen beantwortet werden, erscheinen sie als Balkendiagramm mit der Anzahl der Antworten auf jede Frage auf der rechten Seite.
61
+ display: Drücken Sie diese Taste, um einen Schnappschuss der Live-Antworten auf Folie zu präsentieren.
62
+ save: Drücken Sie diese Taste, um Ihre Antworten zu speichern. Die Präsentation wird bei der Beantwortung pausieren.
63
+ menu: Das Menü in dieser Ecke ermöglicht unabhängige Navigation, Datei-Download, Interaktivität und vieles mehr.
64
+
42
65
  downloads:
43
66
  title: Datei Downloads
44
67
 
@@ -25,6 +25,7 @@ en:
25
25
  close: Close
26
26
  help: Press <code>?</code> for help.
27
27
  anonymous: All features are anonymous.
28
+ sending: Sending...
28
29
  navigation:
29
30
  next: Next
30
31
  previous: Previous
@@ -39,6 +40,28 @@ en:
39
40
  prompt: Minutes from now to start?
40
41
  resume: "Resuming in:"
41
42
 
43
+ tour:
44
+ reset: Reset Hints
45
+ welcome: <h3>Welcome to Showoff</h3>Let me show you around. After you finish this tour, it won't show again.
46
+ displayview: Start by clicking this button to open the Display Window; then drag it onto the projector.
47
+ annotations: Draw on your slides everywhere the presentation is displayed.
48
+ timer: Set a countdown timer to help you stay on pace.
49
+ pace: Audience members can use this to tell you if you're moving too quickly. Try to keep the indicator centered.
50
+ questions: Questions asked by audience members are displayed here. You'll also see a count indicator on the Display Window when you have questions to answer.
51
+ notes: Configure the notes display by zooming text, resizing the pane, or even popping it out into a new window.
52
+ slidesource: The name of the slide is displayed here.
53
+ settings: Would you like a different presenter layout? Choose that and other settings here.
54
+ edit: This button will open your web-based editor--usually something like GitHub.
55
+ report: Don't forget to report issues when you see them.
56
+ activity:
57
+ count: This will count down as audience members mark their activity complete. Their presentations will pause until completed.
58
+ complete: Check this box when you're ready to move on. The presentation will pause while you're working.
59
+ form:
60
+ responses: As questions are answered, they'll show up as a bar chart with the number of answers to each question on the right.
61
+ display: Press this button to present a snapshot of the live responses on slide.
62
+ save: Press this button to save your responses. The presentation will pause while answering.
63
+ menu: The menu in this corner allows independent navigation, file downloading, interactivity, and more.
64
+
42
65
  downloads:
43
66
  title: File Downloads
44
67
 
@@ -25,6 +25,7 @@ es:
25
25
  close: Cerrar
26
26
  help: Presionar <code>?</code> para ver ayuda.
27
27
  anonymous: Todas las funciones son anónimas.
28
+ sending: Enviando...
28
29
  navigation:
29
30
  next: Siguiente
30
31
  previous: Anterior
@@ -39,6 +40,28 @@ es:
39
40
  prompt: Minutos desde ahora al comienzo?
40
41
  resume: "Continuando en:"
41
42
 
43
+ tour:
44
+ reset: Restablecer Sugerencias
45
+ welcome: <h3>Bienvenido a Showoff</h3>Permítanme mostrarles todo. Después de terminar este tour, no se mostrará de nuevo.
46
+ displayview: Comience haciendo clic en este botón para abrir la ventana de visualización; Luego arrástrelo al proyector
47
+ annotations: Dibuja tus diapositivas en todas partes donde se muestra la presentación.
48
+ timer: Establecer un temporizador de cuenta regresiva para ayudarle a mantenerse en el ritmo.
49
+ pace: Los miembros de la audiencia pueden usar esto para decirle si se mueve demasiado rápido. Trate de mantener el indicador centrado.
50
+ questions: Las preguntas hechas por los miembros de la audiencia se muestran aquí. También verá un indicador de recuento en la ventana de visualización cuando tenga preguntas que responder.
51
+ notes: Configure la visualización de notas ampliando el texto, cambiando el tamaño del panel o incluso haciéndolo saltar a una nueva ventana.
52
+ slidesource: Aquí se muestra el nombre de la diapositiva.
53
+ settings: ¿Quieres un diseño de presentador diferente? Elige eso y otros ajustes aquí.
54
+ edit: Este botón abrirá su editor basado en web - generalmente algo como GitHub.
55
+ report: No se olvide de informar de problemas cuando los vea.
56
+ activity:
57
+ count: Esto hará una cuenta regresiva a medida que los miembros de la audiencia marquen su actividad terminada. Las presentaciones se detendrán mientras funcionan.
58
+ complete: Marque esta casilla cuando esté listo para seguir adelante. La presentación se detendrá mientras trabaja.
59
+ form:
60
+ responses: A medida que las preguntas son contestadas, aparecerán como un gráfico de barras con el número de respuestas a cada pregunta de la derecha.
61
+ display: Presione este botón para presentar una instantánea de las respuestas en vivo en la diapositiva.
62
+ save: Pulse este botón para guardar sus respuestas. La presentación se detendrá mientras responde.
63
+ menu: El menú en esta esquina permite una navegación independiente, descarga de archivos, interactividad y mucho más.
64
+
42
65
  downloads:
43
66
  title: Descarga de Archivos
44
67
 
@@ -25,6 +25,7 @@ fr:
25
25
  close: Fermer
26
26
  help: Presse <code>?</code> pour aider.
27
27
  anonymous: Toutes les fonctionnalités sont anonymes.
28
+ sending: Envoi...
28
29
  navigation:
29
30
  next: Prochain
30
31
  previous: Précédent
@@ -39,6 +40,28 @@ fr:
39
40
  prompt: Minutes à partir de maintenant pour commencer?
40
41
  resume: "Reprise dans:"
41
42
 
43
+ tour:
44
+ reset: Restaurer des Conseils
45
+ welcome: <h3>Bienvenue dans Showoff</h3>Laissez-moi vous montrer. Après avoir terminé cette tournée, cela ne s'affichera plus encore.
46
+ displayview: Commencez par cliquer sur ce bouton pour ouvrir la fenêtre d'affichage; Puis faites-le glisser sur le projecteur.
47
+ annotations: Dessinez sur vos diapositives partout où la présentation s'affiche.
48
+ timer: Réglez un compte à rebours pour vous aider à rester en rythme.
49
+ pace: Les membres de l'audience peuvent utiliser cela pour vous dire si vous déménagez trop rapidement. Essayez de garder l'indicateur centré.
50
+ questions: Les questions posées par les membres de l'auditoire sont affichées ici. Vous verrez également un indicateur de compte-rendu sur la fenêtre d'affichage lorsque vous avez des questions à répondre.
51
+ notes: Configurez l'affichage des notes en faisant un zoom sur le texte, en redimensionnant ou en la diffusant dans une nouvelle fenêtre.
52
+ slidesource: Le nom de la diapositive s'affiche ici.
53
+ settings: Souhaitez-vous une disposition différente des présentateurs? Choisissez cela et d'autres paramètres ici.
54
+ edit: Ce bouton ouvrira votre éditeur Web - généralement quelque chose comme GitHub.
55
+ report: N'oubliez pas de signaler les problèmes lorsque vous les voyez.
56
+ activity:
57
+ count: Cela compte à zéro lorsque les membres du public marquent leur activité terminée. Leurs présentations seront mises en pause jusqu'à ce qu'elles soient complétées.
58
+ complete: Cochez cette case lorsque vous êtes prêt à passer à autre chose. La présentation s'arrêtera pendant que vous travaillez.
59
+ form:
60
+ responses: À mesure que les questions sont répondues, elles apparaîtront comme un graphique à barres avec le nombre de réponses à chaque question à droite.
61
+ display: Appuyez sur ce bouton pour présenter un instantané des réponses en direct sur la diapositive.
62
+ save: Appuyez sur ce bouton pour enregistrer vos réponses. La présentation s'arrêtera pendant que vous travaillez.
63
+ menu: Le menu dans ce coin permet une navigation indépendante, le téléchargement de fichiers, l'interactivité et plus encore.
64
+
42
65
  downloads:
43
66
  title: Téléchargements de fichiers
44
67
 
@@ -25,6 +25,7 @@ ja:
25
25
  close: 閉じる
26
26
  help: <code>?</code>キーを押してヘルプを表示します。
27
27
  anonymous: すべての機能は識別されません
28
+ sending: 送信...
28
29
  navigation:
29
30
  next: 次へ
30
31
  previous: 前へ
@@ -40,6 +41,28 @@ ja:
40
41
  prompt: 今から何分かかりますか?
41
42
  resume: "再開:"
42
43
 
44
+ tour:
45
+ reset: ヒントをリセットする
46
+ welcome: <h3>Showoffへようこそ</h3>私は周りを見せてあげましょう。このツアーを終えると、再び表示されません。
47
+ displayview: このボタンをクリックして表示ビューを開きます。 プロジェクタにドラッグします。
48
+ annotations: プレゼンテーションが表示されているすべての場所でスライドに描画します。
49
+ timer: ペースを維持するためのカウントダウンタイマーを設定します。
50
+ pace: オーディエンスのメンバーはこれを使って、あなたがあまりにも早く動いているかどうかを伝えることができます。 インジケータを中央に保つようにしてください。
51
+ questions: 聴衆からの質問がここに表示されます。回答する質問がある場合は、ディスプレイビューにカウントインジケータが表示されます。
52
+ notes: テキストをズームしたり、ペインのサイズを変更したり、新しいウィンドウにポップアップしたりすることによって、ノートの表示を設定します。
53
+ slidesource: スライドの名前がここに表示されます。
54
+ settings: 別のプレゼンターのレイアウトをご希望ですか?ここでその設定を選択してください。
55
+ edit: このボタンはWebベースのエディタを開きます - 通常はGitHubのようなものです。
56
+ report: 問題が発生したときに報告することを忘れないでください。
57
+ activity:
58
+ count: 聴衆のメンバーが活動を完了したことをマークすると、これはカウントダウンされます。彼らのプレゼンテーションは完了するまで中断されます。
59
+ complete: あなたが移動する準備ができたら、このボックスをチェックしてください。あなたが働いている間、プレゼンテーションは一時停止します。
60
+ form:
61
+ responses: 回答は棒グラフで表示され、右の各質問に対する回答の数が表示されます。
62
+ display: このボタンを押すと、ライブ応答のスナップショットがスライドに表示されます。
63
+ save: あなたの応答を保存するには、このボタンを押してください。プレゼンテーションは応答中に一時停止します。
64
+ menu: このコーナーのメニューは、独立したナビゲーション、ファイルのダウンロード、インタラクティブ機能などを可能にします。
65
+
43
66
  downloads:
44
67
  title: ファイルダウンロード
45
68
 
@@ -25,6 +25,7 @@ nl:
25
25
  close: Sluiten
26
26
  help: Druk op <code>?</code> voor help.
27
27
  anonymous: Alle opties zijn anoniem.
28
+ sending: Bezig met verzenden...
28
29
  navigation:
29
30
  next: Volgende
30
31
  previous: Vorige
@@ -39,6 +40,28 @@ nl:
39
40
  prompt: Hoeveel minuten tot het begin?
40
41
  resume: "Start over:"
41
42
 
43
+ tour:
44
+ reset: Reset Suggesties
45
+ welcome: <h3>Welkom bij Showoff</h3>Laat me je laten zien. Nadat u deze tour hebt afgerond, wordt het niet weer getoond.
46
+ displayview: Begin door op deze knop te klikken om het presentatiescherm te openen; Sleep het dan op de projector.
47
+ annotations: Teken op uw glijbanen overal waar de presentatie wordt weergegeven.
48
+ timer: Stel een countdown timer in om te helpen u op een rijtje te blijven.
49
+ pace: Publiekleden kunnen dit gebruiken om u te vertellen of u te snel beweegt. Probeer de indicator centraal te houden.
50
+ questions: Vragen die door leden worden gevraagd, worden hier weergegeven. U ziet ook een tellingsindicator in het presentatiescherm wanneer u vragen heeft om te beantwoorden.
51
+ notes: Configureer de notitiesweergave door tekst in te zoomen, het venster te wijzigen of zelfs het uit te blazen in een nieuw venster.
52
+ slidesource: De naam van de dia wordt hier weergegeven.
53
+ settings: Wilt u een andere presentatie layout? Kies die en andere instellingen hier.
54
+ edit: Deze knop zal uw web-based editor openen - meestal iets zoals GitHub.
55
+ report: Vergeet niet om problemen te melden wanneer u ze ziet.
56
+ activity:
57
+ count: Dit zal afnemen als de publiek hun activiteiten voltooit. Hun presentaties zullen pauzeren tot het voltooid is.
58
+ complete: Controleer dit vakje wanneer u klaar bent om door te gaan. De presentatie wordt onderbroken terwijl u werkt.
59
+ form:
60
+ responses: Naarmate de vragen worden beantwoord, worden ze weergegeven als een staafdiagram met het aantal antwoorden op elke vraag aan de rechterkant.
61
+ display: Druk op deze knop om een ​​momentopname van de live reacties op dia te presenteren.
62
+ save: Druk op deze knop om uw antwoorden op te slaan. De presentatie zal onderbreken tijdens het beantwoorden.
63
+ menu: Het menu in deze hoek zorgt voor onafhankelijke navigatie, bestand downloaden, interactiviteit en meer.
64
+
42
65
  downloads:
43
66
  title: Downloads
44
67
 
@@ -25,6 +25,7 @@ pt:
25
25
  close: Fechar
26
26
  help: Digite <code>?</code> para ajuda.
27
27
  anonymous: Todo conteúdo é anonimo.
28
+ sending: Enviando ...
28
29
  navigation:
29
30
  next: Próximo
30
31
  previous: Anterior
@@ -39,6 +40,28 @@ pt:
39
40
  prompt: Em quanto minutos começar?
40
41
  resume: "Resumindo em:"
41
42
 
43
+ tour:
44
+ reset: Dicas de Reinicialização
45
+ welcome: <h3>Bem-vindo ao Showoff</h3>Deixe-me mostrar-lhe. Depois de terminar esta turnê, não será exibida novamente.
46
+ displayview: Comece clicando neste botão para abrir a visualização de exibição; depois arraste-o para o projetor.
47
+ annotations: Desenhe nos seus slides em todos os lugares onde a apresentação é exibida.
48
+ timer: Defina um cronômetro para ajudá-lo a permanecer no ritmo.
49
+ pace: Os membros da audiência podem usar isso para dizer se você está se movendo muito rápido. Tente manter o indicador centrado.
50
+ questions: As perguntas feitas pelos membros da audiência são exibidas aqui. Você também verá um indicador de contagem na exibição de exibição quando tiver dúvidas para responder.
51
+ notes: Configure a exibição de notas ao ampliar o texto, redimensionar o painel ou até mesmo colocá-lo em uma nova janela.
52
+ slidesource: O nome do slide é exibido aqui.
53
+ settings: Você gostaria de um layout de apresentador diferente? Escolha essa e outras configurações aqui.
54
+ edit: Este botão abrirá seu editor baseado na web - geralmente algo como o GitHub.
55
+ report: Não se esqueça de relatar problemas quando você os vê.
56
+ activity:
57
+ count: Cela compte jusqu'à zéro lorsque les membres du public marquent leur activité terminée. Leurs présentations seront mises en pause jusqu'à ce qu'elles soient complétées.
58
+ complete: Marque esta caixa quando estiver pronto para seguir em frente. A apresentação irá pausar enquanto você está trabalhando.
59
+ form:
60
+ responses: À medida que as perguntas são respondidas, elas aparecerão como um gráfico de barras com o número de respostas a cada pergunta à direita.
61
+ display: Pressione este botão para apresentar um instantâneo das respostas ao vivo no slide.
62
+ save: Pressione este botão para salvar suas respostas. A apresentação irá pausar enquanto responde.
63
+ menu: O menu neste canto permite navegação independente, download de arquivos, interatividade e muito mais.
64
+
42
65
  downloads:
43
66
  title: Arquivos de Downloads
44
67