Merge branch 'develop' into feature/bca/rust_flavor

This commit is contained in:
valere 2023-02-07 11:36:11 +01:00
commit a70e3c2533
66 changed files with 515 additions and 220 deletions

1
changelog.d/6457.bugfix Normal file
View file

@ -0,0 +1 @@
Fix that replies to @roomba would be highlighted as a room ping. Contributed by Nico.

1
changelog.d/8058.misc Normal file
View file

@ -0,0 +1 @@
Improve the `CountUpTimer` implementation

View file

@ -110,7 +110,7 @@ class VideoViewHolder constructor(itemView: View) :
// Log.v("FOO", "isPlaying $isPlaying $progress/$duration") // Log.v("FOO", "isPlaying $isPlaying $progress/$duration")
eventListener?.get()?.onEvent(AttachmentEvents.VideoEvent(isPlaying, progress, duration)) eventListener?.get()?.onEvent(AttachmentEvents.VideoEvent(isPlaying, progress, duration))
} }
it.resume() it.start()
} }
} }
try { try {

View file

@ -53,4 +53,12 @@ android {
dependencies { dependencies {
implementation libs.jetbrains.coroutinesAndroid implementation libs.jetbrains.coroutinesAndroid
// TESTS
testImplementation libs.tests.junit
testImplementation libs.tests.kluent
testImplementation libs.mockk.mockk
testImplementation(libs.jetbrains.coroutinesTest) {
exclude group: "org.jetbrains.kotlinx", module: "kotlinx-coroutines-debug"
}
} }

View file

@ -16,43 +16,37 @@
package im.vector.lib.core.utils.timer package im.vector.lib.core.utils.timer
import im.vector.lib.core.utils.flow.tickerFlow
import kotlinx.coroutines.CoroutineScope import kotlinx.coroutines.CoroutineScope
import kotlinx.coroutines.Dispatchers import kotlinx.coroutines.Dispatchers
import kotlinx.coroutines.cancel import kotlinx.coroutines.Job
import kotlinx.coroutines.flow.filter import kotlinx.coroutines.delay
import kotlinx.coroutines.flow.launchIn import kotlinx.coroutines.launch
import kotlinx.coroutines.flow.map
import kotlinx.coroutines.flow.onEach
import java.util.concurrent.atomic.AtomicBoolean
import java.util.concurrent.atomic.AtomicLong import java.util.concurrent.atomic.AtomicLong
@OptIn(kotlinx.coroutines.ExperimentalCoroutinesApi::class) class CountUpTimer(
class CountUpTimer(initialTime: Long = 0L, private val intervalInMs: Long = 1_000) { private val coroutineScope: CoroutineScope = CoroutineScope(Dispatchers.Main),
private val clock: Clock = DefaultClock(),
private val intervalInMs: Long = 1_000,
) {
private val coroutineScope = CoroutineScope(Dispatchers.Main) private var counterJob: Job? = null
private val resumed: AtomicBoolean = AtomicBoolean(false)
private val clock: Clock = DefaultClock() private val lastTime: AtomicLong = AtomicLong(clock.epochMillis())
private val lastTime: AtomicLong = AtomicLong() private val elapsedTime: AtomicLong = AtomicLong(0)
private val elapsedTime: AtomicLong = AtomicLong(initialTime)
init {
startCounter()
}
private fun startCounter() { private fun startCounter() {
tickerFlow(coroutineScope, intervalInMs) counterJob = coroutineScope.launch {
.filter { resumed.get() } while (true) {
.map { elapsedTime() } delay(intervalInMs - elapsedTime() % intervalInMs)
.onEach { tickListener?.onTick(it) } tickListener?.onTick(elapsedTime())
.launchIn(coroutineScope) }
}
} }
var tickListener: TickListener? = null var tickListener: TickListener? = null
fun elapsedTime(): Long { fun elapsedTime(): Long {
return if (resumed.get()) { return if (counterJob?.isActive == true) {
val now = clock.epochMillis() val now = clock.epochMillis()
elapsedTime.addAndGet(now - lastTime.getAndSet(now)) elapsedTime.addAndGet(now - lastTime.getAndSet(now))
} else { } else {
@ -60,19 +54,27 @@ class CountUpTimer(initialTime: Long = 0L, private val intervalInMs: Long = 1_00
} }
} }
fun start(initialTime: Long = 0L) {
elapsedTime.set(initialTime)
resume()
}
fun pause() { fun pause() {
tickListener?.onTick(elapsedTime()) tickListener?.onTick(elapsedTime())
resumed.set(false) counterJob?.cancel()
counterJob = null
} }
fun resume() { fun resume() {
lastTime.set(clock.epochMillis()) lastTime.set(clock.epochMillis())
resumed.set(true) startCounter()
} }
fun stop() { fun stop() {
tickListener?.onTick(elapsedTime()) tickListener?.onTick(elapsedTime())
coroutineScope.cancel() counterJob?.cancel()
counterJob = null
elapsedTime.set(0L)
} }
fun interface TickListener { fun interface TickListener {

View file

@ -1,5 +1,5 @@
/* /*
* Copyright (c) 2021 New Vector Ltd * Copyright (c) 2023 New Vector Ltd
* *
* Licensed under the Apache License, Version 2.0 (the "License"); * Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License. * you may not use this file except in compliance with the License.
@ -14,23 +14,14 @@
* limitations under the License. * limitations under the License.
*/ */
package im.vector.app.core.time package im.vector.lib.core.utils.test.fakes
import javax.inject.Inject import im.vector.lib.core.utils.timer.Clock
import io.mockk.every
import io.mockk.mockk
interface Clock { class FakeClock : Clock by mockk() {
fun epochMillis(): Long fun givenEpoch(epoch: Long) {
} every { epochMillis() } returns epoch
class DefaultClock @Inject constructor() : Clock {
/**
* Provides a UTC epoch in milliseconds
*
* This value is not guaranteed to be correct with reality
* as a User can override the system time and date to any values.
*/
override fun epochMillis(): Long {
return System.currentTimeMillis()
} }
} }

View file

@ -0,0 +1,94 @@
/*
* Copyright (c) 2023 New Vector Ltd
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package im.vector.lib.core.utils.timer
import im.vector.lib.core.utils.test.fakes.FakeClock
import io.mockk.every
import io.mockk.mockk
import io.mockk.verifySequence
import kotlinx.coroutines.ExperimentalCoroutinesApi
import kotlinx.coroutines.test.advanceTimeBy
import kotlinx.coroutines.test.currentTime
import kotlinx.coroutines.test.runTest
import org.junit.Test
private const val AN_INTERVAL = 500L
private const val AN_INITIAL_TIME = 2_333L
@OptIn(ExperimentalCoroutinesApi::class)
internal class CountUpTimerTest {
private val fakeClock = FakeClock()
@Test
fun `when pausing and resuming the timer, the timer ticks the right values at the right moments`() = runTest {
every { fakeClock.epochMillis() } answers { currentTime }
val tickListener = mockk<CountUpTimer.TickListener>(relaxed = true)
val timer = CountUpTimer(
coroutineScope = this,
clock = fakeClock,
intervalInMs = AN_INTERVAL,
).also { it.tickListener = tickListener }
timer.start()
advanceTimeBy(AN_INTERVAL / 2) // no tick
timer.pause() // tick
advanceTimeBy(AN_INTERVAL * 10) // no tick
timer.resume() // no tick
advanceTimeBy(AN_INTERVAL * 4) // tick * 4
timer.stop() // tick
verifySequence {
tickListener.onTick(AN_INTERVAL / 2)
tickListener.onTick(AN_INTERVAL)
tickListener.onTick(AN_INTERVAL * 2)
tickListener.onTick(AN_INTERVAL * 3)
tickListener.onTick(AN_INTERVAL * 4)
tickListener.onTick(AN_INTERVAL * 4 + AN_INTERVAL / 2)
}
}
@Test
fun `given an initial time, the timer ticks the right values at the right moments`() = runTest {
every { fakeClock.epochMillis() } answers { currentTime }
val tickListener = mockk<CountUpTimer.TickListener>(relaxed = true)
val timer = CountUpTimer(
coroutineScope = this,
clock = fakeClock,
intervalInMs = AN_INTERVAL,
).also { it.tickListener = tickListener }
timer.start(AN_INITIAL_TIME)
advanceTimeBy(AN_INTERVAL) // tick
timer.pause() // tick
advanceTimeBy(AN_INTERVAL * 10) // no tick
timer.resume() // no tick
advanceTimeBy(AN_INTERVAL * 4) // tick * 4
timer.stop() // tick
val offset = AN_INITIAL_TIME % AN_INTERVAL
verifySequence {
tickListener.onTick(AN_INITIAL_TIME + AN_INTERVAL - offset)
tickListener.onTick(AN_INITIAL_TIME + AN_INTERVAL)
tickListener.onTick(AN_INITIAL_TIME + AN_INTERVAL * 2 - offset)
tickListener.onTick(AN_INITIAL_TIME + AN_INTERVAL * 3 - offset)
tickListener.onTick(AN_INITIAL_TIME + AN_INTERVAL * 4 - offset)
tickListener.onTick(AN_INITIAL_TIME + AN_INTERVAL * 5 - offset)
tickListener.onTick(AN_INITIAL_TIME + AN_INTERVAL * 5)
}
}
}

View file

@ -252,7 +252,7 @@
<string name="incoming_video_call">Saapuva videopuhelu</string> <string name="incoming_video_call">Saapuva videopuhelu</string>
<string name="incoming_voice_call">Saapuva puhelu</string> <string name="incoming_voice_call">Saapuva puhelu</string>
<string name="call_in_progress">Puhelu käynnissä…</string> <string name="call_in_progress">Puhelu käynnissä…</string>
<string name="call_error_user_not_responding">Toinen puoli ei vastannut.</string> <string name="call_error_user_not_responding">Toinen osapuoli ei vastannut.</string>
<string name="permissions_rationale_popup_title">Huomio</string> <string name="permissions_rationale_popup_title">Huomio</string>
<string name="permissions_rationale_msg_record_audio">${app_name} tarvitsee käyttöluvan mikrofoniin suorittakseen puheluita.</string> <string name="permissions_rationale_msg_record_audio">${app_name} tarvitsee käyttöluvan mikrofoniin suorittakseen puheluita.</string>
<string name="permissions_rationale_msg_camera_and_audio">${app_name} tarvitsee käyttöluvan kameraan ja mikrofoniin suorittakseen videopuheluita. <string name="permissions_rationale_msg_camera_and_audio">${app_name} tarvitsee käyttöluvan kameraan ja mikrofoniin suorittakseen videopuheluita.
@ -887,7 +887,7 @@
<string name="settings_discovery_disconnect_with_bound_pid">Jaat sähköpostiosoitteita tai puhelinnumeroita identiteettipalvelimella %1$s. Sinun täytyy yhdistää uudelleen palvelimeen %2$s, jotta voit lopettaa niiden jakamisen.</string> <string name="settings_discovery_disconnect_with_bound_pid">Jaat sähköpostiosoitteita tai puhelinnumeroita identiteettipalvelimella %1$s. Sinun täytyy yhdistää uudelleen palvelimeen %2$s, jotta voit lopettaa niiden jakamisen.</string>
<string name="settings_agree_to_terms">Hyväksy identiteettipalvelimen (%s) käyttöehdot salliaksesi, että sinut voi löytää sähköpostiosoitteen tai puhelinnumeron perusteella.</string> <string name="settings_agree_to_terms">Hyväksy identiteettipalvelimen (%s) käyttöehdot salliaksesi, että sinut voi löytää sähköpostiosoitteen tai puhelinnumeron perusteella.</string>
<string name="settings_discovery_disconnect_identity_server_info">Yhteyden katkaiseminen identiteettipalvelimeesi tarkoittaa, että muut käyttäjät eivät voi etsiä sinua etkä voi kutsua muita sähköpostin tai puhelinnumeron perusteella.</string> <string name="settings_discovery_disconnect_identity_server_info">Yhteyden katkaiseminen identiteettipalvelimeesi tarkoittaa, että muut käyttäjät eivät voi etsiä sinua etkä voi kutsua muita sähköpostin tai puhelinnumeron perusteella.</string>
<string name="settings_discovery_confirm_mail">Lähetimme sinulle vahvistussähköpostin osoitteeseen %s, tarkista sähköpostisi ja klikkaa vahvistuslinkkiä</string> <string name="settings_discovery_confirm_mail">Lähetimme sinulle sähköpostia osoitteeseen %s. Tarkista sähköpostisi ja klikkaa vahvistuslinkkiä.</string>
<string name="labs_allow_extended_logging">Ota yksityiskohtaiset lokit käyttöön.</string> <string name="labs_allow_extended_logging">Ota yksityiskohtaiset lokit käyttöön.</string>
<string name="error_terms_not_accepted">Yritä uudelleen, kun olet hyväksynyt kotipalvelimesi käyttöehdot.</string> <string name="error_terms_not_accepted">Yritä uudelleen, kun olet hyväksynyt kotipalvelimesi käyttöehdot.</string>
<string name="error_network_timeout">Palvelimen vastaus näyttäisi olevan liian hidas. Tämä voi johtua kehnosta yhteydestä tai palvelimella olevasta ongelmasta. Yritä hetken kuluttua uudelleen.</string> <string name="error_network_timeout">Palvelimen vastaus näyttäisi olevan liian hidas. Tämä voi johtua kehnosta yhteydestä tai palvelimella olevasta ongelmasta. Yritä hetken kuluttua uudelleen.</string>
@ -1026,7 +1026,7 @@
<string name="login_signin_to">Kirjaudu sisään palvelimeen %1$s</string> <string name="login_signin_to">Kirjaudu sisään palvelimeen %1$s</string>
<string name="login_signup">Rekisteröidy</string> <string name="login_signup">Rekisteröidy</string>
<string name="login_signin">Kirjaudu sisään</string> <string name="login_signin">Kirjaudu sisään</string>
<string name="login_signin_sso">Jatka kertakirjautumiseen</string> <string name="login_signin_sso">Jatka kertakirjautumisella</string>
<string name="login_server_url_form_modular_hint">Element Matrix Services in osoite</string> <string name="login_server_url_form_modular_hint">Element Matrix Services in osoite</string>
<string name="login_server_url_form_other_hint">Osoite</string> <string name="login_server_url_form_other_hint">Osoite</string>
<string name="login_server_url_form_modular_text">Korkealuokkaista isännöintiä organisaatioille</string> <string name="login_server_url_form_modular_text">Korkealuokkaista isännöintiä organisaatioille</string>
@ -1097,8 +1097,8 @@
<string name="login_validation_code_is_not_correct">Syöttämäsi koodi ei ole kelvollinen. Tarkista se.</string> <string name="login_validation_code_is_not_correct">Syöttämäsi koodi ei ole kelvollinen. Tarkista se.</string>
<string name="login_error_outdated_homeserver_title">Vanhentunut kotipalvelin</string> <string name="login_error_outdated_homeserver_title">Vanhentunut kotipalvelin</string>
<plurals name="login_error_limit_exceeded_retry_after"> <plurals name="login_error_limit_exceeded_retry_after">
<item quantity="one">Liian monta pyyntöä lähetettiin. Voit yrittää uudelleen 1 sekunnissa…</item> <item quantity="one">Liian monta pyyntöä lähetettiin. Voit yrittää uudelleen sekunnin kuluttua…</item>
<item quantity="other">Liian monta pyyntöä lähetettiin. Voit yrittää uudelleen %1$d sekunnissa…</item> <item quantity="other">Liian monta pyyntöä lähetettiin. Voit yrittää uudelleen %1$d sekunnin kuluttua…</item>
</plurals> </plurals>
<string name="seen_by">Nähneet</string> <string name="seen_by">Nähneet</string>
<string name="signed_out_title">Olet kirjautunut ulos</string> <string name="signed_out_title">Olet kirjautunut ulos</string>
@ -2068,7 +2068,7 @@
<string name="ftue_account_created_congratulations_title">Onnittelut!</string> <string name="ftue_account_created_congratulations_title">Onnittelut!</string>
<string name="ftue_account_created_personalize">Personoi profiili</string> <string name="ftue_account_created_personalize">Personoi profiili</string>
<string name="ftue_auth_use_case_skip_partial">ohittaa tämän kysymyksen</string> <string name="ftue_auth_use_case_skip_partial">ohittaa tämän kysymyksen</string>
<string name="ftue_auth_use_case_skip">Ei varmuutta vielä\? Voit %s</string> <string name="ftue_auth_use_case_skip">Etkö ole vielä varma\? Voit %s</string>
<string name="settings_discovery_no_policy_provided">Identiteettipalvelin ei tarjoa käytäntöä</string> <string name="settings_discovery_no_policy_provided">Identiteettipalvelin ei tarjoa käytäntöä</string>
<string name="settings_discovery_hide_identity_server_policy_title">Piilota identiteettipalvelimen käytäntö</string> <string name="settings_discovery_hide_identity_server_policy_title">Piilota identiteettipalvelimen käytäntö</string>
<string name="settings_discovery_show_identity_server_policy_title">Näytä identiteettipalvelimen käytäntö</string> <string name="settings_discovery_show_identity_server_policy_title">Näytä identiteettipalvelimen käytäntö</string>
@ -2307,4 +2307,54 @@
<item quantity="one">%1$d valittu</item> <item quantity="one">%1$d valittu</item>
<item quantity="other">%1$d valittu</item> <item quantity="other">%1$d valittu</item>
</plurals> </plurals>
</resources> <string name="voice_broadcast_buffering">Puskuroidaan…</string>
<string name="error_voice_message_broadcast_in_progress">Ääniviestiä ei voi aloittaa</string>
<string name="room_using_unstable_room_version">Tässä huoneessa on käytössä huoneversio %s, jonka tämä kotipalvelin on merkinnyt epävakaaksi.</string>
<string name="space_leave_radio_button_none">Älä poistu mistään</string>
<string name="space_leave_radio_button_all">Poistu kaikista</string>
<string name="a11y_delete_avatar">Poista profiilikuva</string>
<string name="a11y_change_avatar">Vaihda profiilikuva</string>
<string name="call_dial_pad_lookup_error">Puhelinnumeron haussa tapahtui virhe</string>
<plurals name="invitations_sent_to_one_and_more_users">
<item quantity="one">Kutsut lähetetty käyttäjälle %1$s ja yhdelle muulle</item>
<item quantity="other">Kutsut lähetetty käyttäjälle %1$s ja %2$d muulle</item>
</plurals>
<string name="invitations_sent_to_two_users">Kutsu lähetetty käyttäjille %1$s ja %2$s</string>
<string name="invitation_sent_to_one_user">Kutsu lähetetty käyttäjälle %1$s</string>
<string name="send_your_first_msg_to_invite">Kutsu %s keskusteluun lähettämällä ensimmäinen viesti</string>
<string name="this_is_the_beginning_of_dm">Tästä alkaa yksityisviestihistoriasi sinun ja käyttäjän %s välillä.</string>
<string name="this_is_the_beginning_of_room">%s alkaa tästä.</string>
<string name="encryption_misconfigured">Salaus on säädetty väärin</string>
<string name="encryption_has_been_misconfigured">Salaus on säädetty väärin.</string>
<string name="login_error_outdated_homeserver_warning_content">Tällä kotipalvelimella on vanha versio. Pyydä kotipalvelimesi ylläpitäjää päivittämään se. Voit jatkaa, mutta jotkin ominaisuudet eivät välttämättä toimi oikein.</string>
<string name="ftue_auth_choose_server_ems_cta">Ota yhteyttä</string>
<string name="login_social_continue_with">Jatka %s-kirjautumisella</string>
<string name="ftue_auth_create_account_sso_section_header">tai</string>
<string name="ftue_auth_sign_in_choose_server_header">Keskustelujesi koti</string>
<string name="ftue_auth_create_account_choose_server_header">Keskustelujesi koti</string>
<string name="ftue_auth_use_case_subtitle">Laitetaan yhteydet kuntoon</string>
<string name="ftue_auth_use_case_title">Kenen kanssa juttelet eniten\?</string>
<string name="ftue_auth_carousel_workplace_body">${app_name} toimii mainiosti työpaikallakin. Siihen luottavat maailman turvallisimmat organisaatiot.</string>
<string name="jitsi_leave_conf_to_join_another_one_content">Poistutaanko nykyisestä ryhmäpuhelusta ja vaihdetaan toiseen\?</string>
<string name="directory_add_a_new_server_error_already_added">Tämä palvelin on jo luettelossa</string>
<string name="directory_add_a_new_server_error">Tätä palvelinta tai sen huoneluetteloa ei löydy</string>
<string name="room_settings_room_access_entry_knock">Kuka vain voi koputtaa huoneeseen ja jäsenet voivat sen jälkeen hyväksyä tai hylätä</string>
<string name="room_alias_unpublish_confirmation">Poista osoitteen \"%1$s\" julkaiseminen\?</string>
<string name="room_settings_room_notifications_encryption_notice">Huomaa, että maininnat ja avainsanailmoitukset eivät ole käytössä salausta käyttävissä huoneissa mobiililaitteilla.</string>
<string name="settings_enable_direct_share_title">Ota suora jako käyttöön</string>
<string name="settings_autoplay_animated_images_summary">Toista aikajanalla olevat animoidut kuvat heti, kun ne näkyvät</string>
<string name="settings_autoplay_animated_images_title">Toista animoidut kuvat automaattisesti</string>
<string name="settings_mentions_and_keywords_encryption_notice">Et saa ilmoituksia maininnoista ja avainsanoista salausta käyttävissä huoneissa mobiililaitteilla.</string>
<string name="settings_room_upgrades">Huonepäivitykset</string>
<string name="settings_messages_by_bot">Botin lähettämät viestit</string>
<string name="settings_troubleshoot_test_system_settings_permission_failed">${app_name} tarvitsee luvan ilmoitusten näyttämiseen.
\nAnna lupa.</string>
<string name="room_permissions_upgrade_the_room">Päivitä huone</string>
<string name="labs_enable_deferred_dm_title">Ota lykätyt yksityisviestit käyttöön</string>
<string name="action_deselect_all">Poista valinta kaikista</string>
<string name="action_select_all">Valitse kaikki</string>
<string name="denied_permission_voice_message">Anna mikrofonin käyttöoikeus ääniviestien lähettämiseksi.</string>
<string name="denied_permission_camera">Anna kameran käyttöoikeus järjestelmän asetuksista tämän toiminnon suorittamiseksi.</string>
<string name="denied_permission_generic">Tämän toiminnon suorittaminen vaatii enemmän oikeuksia. Anna oikeudet järjestelmän asetuksista.</string>
<string name="notification_listening_for_notifications">Kuunnellaan ilmoituksia</string>
</resources>

View file

@ -2382,4 +2382,44 @@
<string name="action_got_it">Náði því</string> <string name="action_got_it">Náði því</string>
<string name="notice_voice_broadcast_ended_by_you">Þú endaðir talútsendingu.</string> <string name="notice_voice_broadcast_ended_by_you">Þú endaðir talútsendingu.</string>
<string name="notice_voice_broadcast_ended">%1$s endaði talútsendingu.</string> <string name="notice_voice_broadcast_ended">%1$s endaði talútsendingu.</string>
</resources> <string name="rich_text_editor_full_screen_toggle">Víxla heilskjásham af/á</string>
<string name="rich_text_editor_bullet_list">Víxla punktalista af/á</string>
<string name="rich_text_editor_numbered_list">Víxla tölusettum lista af/á</string>
<string name="rich_text_editor_link">Setja tengil</string>
<string name="rich_text_editor_format_underline">Virkja undirstrikun</string>
<string name="rich_text_editor_format_strikethrough">Virkja yfirstrikun</string>
<string name="rich_text_editor_format_italic">Virkja skáletrað snið</string>
<string name="rich_text_editor_format_bold">Virkja feitletrað snið</string>
<string name="device_manager_other_sessions_description_unverified_current_session">Óstaðfest · Núverandi setan þín</string>
<string name="device_manager_other_sessions_description_unverified">Óstaðfest - Síðasta virkni %1$s</string>
<string name="device_manager_other_sessions_description_verified">Staðfest - Síðasta virkni %1$s</string>
<string name="settings_troubleshoot_test_current_gateway">Núverandi gátt: %s</string>
<string name="settings_troubleshoot_test_current_endpoint_failed">Finn ekki endapunktinn.</string>
<string name="settings_troubleshoot_test_current_endpoint_success">Núverandi endapunktur: %s</string>
<string name="settings_troubleshoot_test_current_endpoint_title">Endapunktur</string>
<string name="settings_troubleshoot_test_distributors_title">Tiltækar aðferðir</string>
<string name="stop_voice_broadcast_content">Ertu viss um að þú viljir stöðva þessa beinu útsendingu\? Þetta mun stöðva útsendinguna og full skráning hennar verður tiltæk á spjallrásinni.</string>
<string name="stop_voice_broadcast_dialog_title">Stöðva beina útsendingu\?</string>
<string name="error_voice_broadcast_no_connection_recording">Villa í tengingu - Upptaka í bið</string>
<string name="error_voice_broadcast_unable_to_play">Tekst ekki að spila þessa talútsendingu.</string>
<string name="error_voice_broadcast_unauthorized_title">Get ekki byrjað nýja talútsendingu</string>
<string name="a11y_pause_voice_broadcast">setja talútsendingu í bið</string>
<string name="a11y_play_voice_broadcast">Spila eða halda áfram með talútsendingu</string>
<string name="a11y_stop_voice_broadcast_record">Stöðva upptöku á talútsendingu</string>
<string name="a11y_pause_voice_broadcast_record">Setja upptöku á talútsendingu í bið</string>
<string name="a11y_resume_voice_broadcast_record">Halda áfram með upptöku á talútsendingu</string>
<string name="settings_security_incognito_keyboard_title">Nafnlaust lyklaborð</string>
<string name="delete_event_dialog_reason_checkbox">Tilgreindu ástæðu</string>
<string name="settings_server_upload_size_title">Takmörk netþjóns á innsendingum skráa</string>
<string name="settings_rageshake_detection_threshold">Takmörk fyrir greiningu</string>
<string name="uploads_files_no_result">Það eru engar skrár í þessari spjallrás</string>
<string name="a11y_create_message">Útbúa nýtt samtal eða spjallrás</string>
<string name="settings_text_message_sent_wrong_code">Staðfestingarkóðinn er ekki réttur.</string>
<string name="settings_discovery_msisdn_title">Uppgötvanleg símanúmer</string>
<string name="send_feedback_threads_title">Umsögn um beta-útgáfu spjallþráða</string>
<string name="settings_show_avatar_display_name_changes_messages_summary">Innifelur breytingar á auðkennismynd og birtingarnafni.</string>
<string name="settings_show_avatar_display_name_changes_messages">Birta atburði notandaaðgangs</string>
<string name="settings_enable_direct_share_title">Virkja beina deilingu</string>
<string name="threads_labs_enable_notice_title">Beta-útgáfa spjallþráða</string>
<string name="threads_beta_enable_notice_title">Beta-útgáfa spjallþráða</string>
</resources>

View file

@ -16,14 +16,14 @@
<string name="notice_display_name_removed">%1$sが表示名%2$sを削除しました</string> <string name="notice_display_name_removed">%1$sが表示名%2$sを削除しました</string>
<string name="notice_room_topic_changed">%1$sがテーマを%2$sに変更しました</string> <string name="notice_room_topic_changed">%1$sがテーマを%2$sに変更しました</string>
<string name="notice_room_name_changed">%1$sがルーム名を%2$sに変更しました</string> <string name="notice_room_name_changed">%1$sがルーム名を%2$sに変更しました</string>
<string name="notice_placed_video_call">%sがビデオ通話を開始しました。</string> <string name="notice_placed_video_call">%sがビデオ通話を発信しました。</string>
<string name="notice_placed_voice_call">%sが音声通話を開始しました。</string> <string name="notice_placed_voice_call">%sが音声通話を発信しました。</string>
<string name="notice_answered_call">%sが電話に出ました。</string> <string name="notice_answered_call">%sが電話に出ました。</string>
<string name="notice_ended_call">%sが通話を終了しました。</string> <string name="notice_ended_call">%sが通話を終了しました。</string>
<string name="room_displayname_room_invite">ルームへの招待</string> <string name="room_displayname_room_invite">ルームへの招待</string>
<string name="room_displayname_two_members">%1$sと%2$s</string> <string name="room_displayname_two_members">%1$sと%2$s</string>
<string name="room_displayname_empty_room">空のルーム</string> <string name="room_displayname_empty_room">空のルーム</string>
<string name="notice_made_future_room_visibility">%1$sが今後のルーム履歴を「%2$s」閲覧可能に設定しました。</string> <string name="notice_made_future_room_visibility">%1$sが今後のルーム履歴を「%2$s」閲覧可能に設定しました。</string>
<string name="notice_room_visibility_invited">ルームのメンバー全員(招待された時点から)</string> <string name="notice_room_visibility_invited">ルームのメンバー全員(招待された時点から)</string>
<string name="notice_room_visibility_joined">ルームのメンバー全員(参加した時点から)</string> <string name="notice_room_visibility_joined">ルームのメンバー全員(参加した時点から)</string>
<string name="notice_room_visibility_shared">ルームのメンバー全員</string> <string name="notice_room_visibility_shared">ルームのメンバー全員</string>
@ -34,7 +34,7 @@
<string name="notice_room_third_party_invite">%1$sが%2$sにルームへの招待を送りました</string> <string name="notice_room_third_party_invite">%1$sが%2$sにルームへの招待を送りました</string>
<string name="notice_room_third_party_registered_invite">%1$sが%2$sの招待を受け入れました</string> <string name="notice_room_third_party_registered_invite">%1$sが%2$sの招待を受け入れました</string>
<string name="notice_crypto_unable_to_decrypt">** 復号化できません:%s **</string> <string name="notice_crypto_unable_to_decrypt">** 復号化できません:%s **</string>
<string name="notice_crypto_error_unknown_inbound_session_id">送信者の端末からこのメッセージの鍵が送信されていません。</string> <string name="notice_crypto_error_unknown_inbound_session_id">送信者の端末からこのメッセージの鍵が送信されていません。</string>
<string name="unable_to_send_message">メッセージを送信できません</string> <string name="unable_to_send_message">メッセージを送信できません</string>
<string name="matrix_error">Matrixエラー</string> <string name="matrix_error">Matrixエラー</string>
<string name="medium_email">メールアドレス</string> <string name="medium_email">メールアドレス</string>
@ -72,7 +72,7 @@
<string name="action_share">共有</string> <string name="action_share">共有</string>
<string name="action_delete">削除</string> <string name="action_delete">削除</string>
<string name="action_invite">招待</string> <string name="action_invite">招待</string>
<string name="action_mark_all_as_read">全ての発言を既読にする</string> <string name="action_mark_all_as_read">全て既読にする</string>
<string name="action_quick_reply">すぐに返信</string> <string name="action_quick_reply">すぐに返信</string>
<string name="action_open">開く</string> <string name="action_open">開く</string>
<string name="action_close">閉じる</string> <string name="action_close">閉じる</string>
@ -230,8 +230,8 @@
<string name="room_participants_header_direct_chats">ダイレクトメッセージ</string> <string name="room_participants_header_direct_chats">ダイレクトメッセージ</string>
<string name="room_participants_action_ban">ブロック</string> <string name="room_participants_action_ban">ブロック</string>
<string name="room_participants_action_unban">ブロックを解除</string> <string name="room_participants_action_unban">ブロックを解除</string>
<string name="room_participants_action_ignore">この参加者の発言を全て非表示</string> <string name="room_participants_action_ignore">無視</string>
<string name="room_participants_action_unignore">このメンバーの発言を全て表示</string> <string name="room_participants_action_unignore">無視を解除</string>
<string name="room_participants_action_mention">メンション</string> <string name="room_participants_action_mention">メンション</string>
<string name="ssl_logout_account">ログアウト</string> <string name="ssl_logout_account">ログアウト</string>
<string name="ssl_remain_offline">無視</string> <string name="ssl_remain_offline">無視</string>
@ -302,7 +302,7 @@
<string name="ssl_cert_new_account_expl">サーバーの管理者が、これは想定されていることであると言っているのであれば、以下のフィンガープリントが、管理者によるフィンガープリントと一致していることを確認してください。</string> <string name="ssl_cert_new_account_expl">サーバーの管理者が、これは想定されていることであると言っているのであれば、以下のフィンガープリントが、管理者によるフィンガープリントと一致していることを確認してください。</string>
<string name="ssl_unexpected_existing_expl">証明書はあなたの電話により信頼されていたものから変更されています。これはきわめて異常な事態です。この新しい証明書を承認しないことを強く推奨します。</string> <string name="ssl_unexpected_existing_expl">証明書はあなたの電話により信頼されていたものから変更されています。これはきわめて異常な事態です。この新しい証明書を承認しないことを強く推奨します。</string>
<string name="ssl_expected_existing_expl">証明書は以前信頼されていたものから信頼されていないものへと変更されています。サーバーがその証明書を更新した可能性があります。サーバーの管理者に連絡して、適切なフィンガープリントを確認してください。</string> <string name="ssl_expected_existing_expl">証明書は以前信頼されていたものから信頼されていないものへと変更されています。サーバーがその証明書を更新した可能性があります。サーバーの管理者に連絡して、適切なフィンガープリントを確認してください。</string>
<string name="ssl_only_accept">サーバーの管理者が上のフィンガープリントと一致するものを発行した場合に限り、証明書を承認してください。</string> <string name="ssl_only_accept">サーバーの管理者が上記のものと一致するフィンガープリントを発行した場合にのみ、証明書を承認してください。</string>
<string name="search_hint">検索</string> <string name="search_hint">検索</string>
<string name="settings_app_info_link_summary">このアプリの情報をシステム設定で表示。</string> <string name="settings_app_info_link_summary">このアプリの情報をシステム設定で表示。</string>
<string name="settings_app_info_link_title">アプリの情報</string> <string name="settings_app_info_link_title">アプリの情報</string>
@ -352,13 +352,13 @@
</plurals> </plurals>
<string name="list_members">メンバー</string> <string name="list_members">メンバー</string>
<plurals name="room_title_members"> <plurals name="room_title_members">
<item quantity="other">%dのメンバー</item> <item quantity="other">%dのメンバー</item>
</plurals> </plurals>
<plurals name="room_new_messages_notification"> <plurals name="room_new_messages_notification">
<item quantity="other">%d件の新しいメッセージ</item> <item quantity="other">%d件の新しいメッセージ</item>
</plurals> </plurals>
<string name="avatar">アバター</string> <string name="avatar">アバター</string>
<string name="title_activity_choose_sticker">タンプを送る</string> <string name="title_activity_choose_sticker">テッカーを送る</string>
<string name="action_download">ダウンロード</string> <string name="action_download">ダウンロード</string>
<string name="system_alerts_header">システムアラート</string> <string name="system_alerts_header">システムアラート</string>
<string name="send_bug_report_description_in_english">可能であれば、英語で説明文を記述してください。</string> <string name="send_bug_report_description_in_english">可能であれば、英語で説明文を記述してください。</string>
@ -403,7 +403,7 @@
<string name="command_description_nick">表示するニックネームを変更</string> <string name="command_description_nick">表示するニックネームを変更</string>
<string name="command_description_markdown">Markdown書式の入/切</string> <string name="command_description_markdown">Markdown書式の入/切</string>
<string name="command_description_clear_scalar_token">Matrixアプリの管理を修正するには</string> <string name="command_description_clear_scalar_token">Matrixアプリの管理を修正するには</string>
<string name="dialog_user_consent_content">%1$sのホームサーバーの使用を継続するには、利用規約を確認し、同意する必要があります。</string> <string name="dialog_user_consent_content">%1$sのホームサーバーを引き続き使用するには、利用規約を確認して同意する必要があります。</string>
<string name="dialog_title_error">エラー</string> <string name="dialog_title_error">エラー</string>
<string name="dialog_user_consent_submit">今すぐ確認</string> <string name="dialog_user_consent_submit">今すぐ確認</string>
<string name="deactivate_account_title">アカウントを停止</string> <string name="deactivate_account_title">アカウントを停止</string>
@ -641,7 +641,7 @@
<string name="settings_advanced_settings">拡張設定</string> <string name="settings_advanced_settings">拡張設定</string>
<string name="choose_locale_current_locale_title">現在の言語</string> <string name="choose_locale_current_locale_title">現在の言語</string>
<string name="choose_locale_other_locales_title">他の利用可能な言語</string> <string name="choose_locale_other_locales_title">他の利用可能な言語</string>
<string name="settings_category_composer">メッセージエディタ</string> <string name="settings_category_composer">メッセージエディタ</string>
<string name="settings_preferences">環境設定</string> <string name="settings_preferences">環境設定</string>
<string name="settings_secure_backup_enter_to_setup">この端末で設定</string> <string name="settings_secure_backup_enter_to_setup">この端末で設定</string>
<string name="settings_secure_backup_reset">セキュアバックアップを再設定</string> <string name="settings_secure_backup_reset">セキュアバックアップを再設定</string>
@ -761,7 +761,7 @@
<string name="room_participants_action_cancel_invite_prompt_msg">このユーザーの招待をキャンセルしてよろしいですか?</string> <string name="room_participants_action_cancel_invite_prompt_msg">このユーザーの招待をキャンセルしてよろしいですか?</string>
<string name="room_participants_action_cancel_invite_title">招待をキャンセル</string> <string name="room_participants_action_cancel_invite_title">招待をキャンセル</string>
<string name="room_participants_action_unignore_prompt_msg">このユーザーを解除すると、そのユーザーからの全てのメッセージが再び表示されます。</string> <string name="room_participants_action_unignore_prompt_msg">このユーザーを解除すると、そのユーザーからの全てのメッセージが再び表示されます。</string>
<string name="room_participants_action_unignore_title">ユーザーを無視しない</string> <string name="room_participants_action_unignore_title">ユーザーの無視を解除</string>
<string name="room_participants_action_ignore_prompt_msg">このユーザーを無視すると、あなたが共有しているルームからそのユーザーのメッセージが削除されます。 <string name="room_participants_action_ignore_prompt_msg">このユーザーを無視すると、あなたが共有しているルームからそのユーザーのメッセージが削除されます。
\n \n
\nこの操作は、設定からいつでも元に戻すことができます。</string> \nこの操作は、設定からいつでも元に戻すことができます。</string>
@ -787,11 +787,11 @@
<string name="action_unpublish">非公開</string> <string name="action_unpublish">非公開</string>
<string name="action_switch">切り替える</string> <string name="action_switch">切り替える</string>
<string name="action_add">追加</string> <string name="action_add">追加</string>
<string name="notice_end_to_end_unknown_algorithm">%1$sがエンドツーエンド暗号化認識されていないアルゴリズム %2$sオンにしました。</string> <string name="notice_end_to_end_unknown_algorithm">%1$sがエンドツーエンド暗号化認識されていないアルゴリズム %2$s有効にしました。</string>
<string name="notice_end_to_end_unknown_algorithm_by_you">エンドツーエンド暗号化(認識されていないアルゴリズム %1$sオンにしました。</string> <string name="notice_end_to_end_unknown_algorithm_by_you">エンドツーエンド暗号化(認識されていないアルゴリズム %1$s有効にしました。</string>
<string name="start_chatting">会話を始める</string> <string name="start_chatting">会話を始める</string>
<string name="notice_end_to_end_ok">%1$sがエンドツーエンド暗号化をオンにしました。</string> <string name="notice_end_to_end_ok">%1$sがエンドツーエンド暗号化を有効にしました。</string>
<string name="notice_end_to_end_ok_by_you">エンドツーエンド暗号化をオンにしました。</string> <string name="notice_end_to_end_ok_by_you">エンドツーエンド暗号化を有効にしました。</string>
<string name="notice_direct_room_guest_access_forbidden_by_you">ゲストがルームに参加するのを拒否しました。</string> <string name="notice_direct_room_guest_access_forbidden_by_you">ゲストがルームに参加するのを拒否しました。</string>
<string name="notice_direct_room_guest_access_forbidden">%1$sはゲストがルームに参加するのを拒否しました。</string> <string name="notice_direct_room_guest_access_forbidden">%1$sはゲストがルームに参加するのを拒否しました。</string>
<string name="notice_room_guest_access_forbidden_by_you">ゲストがルームに参加するのを拒否しました。</string> <string name="notice_room_guest_access_forbidden_by_you">ゲストがルームに参加するのを拒否しました。</string>
@ -849,19 +849,19 @@
<item quantity="other">%1$sがこのルームのアドレスに%2$sを追加しました。</item> <item quantity="other">%1$sがこのルームのアドレスに%2$sを追加しました。</item>
</plurals> </plurals>
<string name="notice_room_server_acl_updated_title">%sがこのルームのサーバーのアクセス制御リストを変更しました。</string> <string name="notice_room_server_acl_updated_title">%sがこのルームのサーバーのアクセス制御リストを変更しました。</string>
<string name="notice_room_server_acl_set_ip_literals_not_allowed">IPリテラルに一致するサーバーは禁止されています。</string> <string name="notice_room_server_acl_set_ip_literals_not_allowed">・IPリテラルに一致するサーバーはブロックされています。</string>
<string name="notice_room_server_acl_set_ip_literals_allowed">・IPリテラルに一致するサーバーを許可します。</string> <string name="notice_room_server_acl_set_ip_literals_allowed">・IPリテラルに一致するサーバーを許可します。</string>
<string name="notice_room_server_acl_set_allowed">・%sに一致するサーバーは許可されています。</string> <string name="notice_room_server_acl_set_allowed">・%sに一致するサーバーは許可されています。</string>
<string name="notice_room_server_acl_set_banned">・%sに一致するサーバーは禁止されています。</string> <string name="notice_room_server_acl_set_banned">・%sに一致するサーバーはブロックされています。</string>
<string name="notice_room_server_acl_set_title">%sがこのルームのサーバーアクセス制御リストを設定しました。</string> <string name="notice_room_server_acl_set_title">%sがこのルームのサーバーアクセス制御リストを設定しました。</string>
<string name="notice_direct_room_update">%sがここをアップグレードしました。</string> <string name="notice_direct_room_update">%sがここをアップグレードしました。</string>
<string name="notice_room_update">%sがこのルームをアップグレードしました。</string> <string name="notice_room_update">%sがこのルームをアップグレードしました。</string>
<string name="notice_made_future_direct_room_visibility_by_you">今後のメッセージを「%1$s」閲覧可能に設定しました。</string> <string name="notice_made_future_direct_room_visibility_by_you">今後のメッセージを「%1$s」閲覧可能に設定しました。</string>
<string name="notice_made_future_room_visibility_by_you">今後のルーム履歴を「%1$s」閲覧可能に設定しました。</string> <string name="notice_made_future_room_visibility_by_you">今後のルーム履歴を「%1$s」閲覧可能に設定しました。</string>
<string name="notice_made_future_direct_room_visibility">%1$sが今後のメッセージを「%2$s」閲覧可能に設定しました。</string> <string name="notice_made_future_direct_room_visibility">%1$sが今後のメッセージを「%2$s」閲覧可能に設定しました。</string>
<string name="notice_call_candidates">%sが通話を設定するためにデータを送信しました。</string> <string name="notice_call_candidates">%sが通話を設定するためにデータを送信しました。</string>
<string name="notice_placed_voice_call_by_you">通話を開始しました。</string> <string name="notice_placed_voice_call_by_you">音声通話を発信しました。</string>
<string name="notice_placed_video_call_by_you">ビデオ通話を開始しました。</string> <string name="notice_placed_video_call_by_you">ビデオ通話を発信しました。</string>
<string name="notice_room_ban_with_reason_by_you">%1$sをブロックしました。理由%2$s</string> <string name="notice_room_ban_with_reason_by_you">%1$sをブロックしました。理由%2$s</string>
<string name="notice_room_ban_with_reason">%1$sが%2$sをブロックしました。理由%3$s</string> <string name="notice_room_ban_with_reason">%1$sが%2$sをブロックしました。理由%3$s</string>
<string name="notice_room_unban_with_reason_by_you">%1$sのブロックを解除しました。理由%2$s</string> <string name="notice_room_unban_with_reason_by_you">%1$sのブロックを解除しました。理由%2$s</string>
@ -913,7 +913,7 @@
<string name="notice_power_level_diff">%1$sの権限レベルを%2$sから%3$sへ変更しました。</string> <string name="notice_power_level_diff">%1$sの権限レベルを%2$sから%3$sへ変更しました。</string>
<string name="power_level_custom_no_value">カスタム</string> <string name="power_level_custom_no_value">カスタム</string>
<string name="power_level_custom">カスタム (%1$d)</string> <string name="power_level_custom">カスタム (%1$d)</string>
<string name="power_level_default">デフォルト</string> <string name="power_level_default">既定</string>
<string name="power_level_moderator">モデレーター</string> <string name="power_level_moderator">モデレーター</string>
<string name="power_level_admin">管理者</string> <string name="power_level_admin">管理者</string>
<string name="notice_widget_modified_by_you">%1$sウィジェットを変更しました</string> <string name="notice_widget_modified_by_you">%1$sウィジェットを変更しました</string>
@ -1008,7 +1008,7 @@
<item quantity="other">%1$s、%2$s、他%3$d人のユーザーが読みました</item> <item quantity="other">%1$s、%2$s、他%3$d人のユーザーが読みました</item>
</plurals> </plurals>
<string name="three_users_read">%1$s、%2$s、%3$sが読みました</string> <string name="three_users_read">%1$s、%2$s、%3$sが読みました</string>
<string name="command_description_plain">メッセージをマークダウンとして解釈せずプレーンテキストとして送信</string> <string name="command_description_plain">メッセージをマークダウンとして解釈せずプレーンテキストとして送信</string>
<string name="keys_backup_setup_step3_save_button_title">ファイルとして保存</string> <string name="keys_backup_setup_step3_save_button_title">ファイルとして保存</string>
<string name="keys_backup_setup_step3_share_recovery_file">共有</string> <string name="keys_backup_setup_step3_share_recovery_file">共有</string>
<string name="keys_backup_setup_step3_button_title">完了</string> <string name="keys_backup_setup_step3_button_title">完了</string>
@ -1060,7 +1060,7 @@
<string name="space_add_child_title">ルームを追加</string> <string name="space_add_child_title">ルームを追加</string>
<string name="user_invites_you">%sはあなたを招待しています</string> <string name="user_invites_you">%sはあなたを招待しています</string>
<string name="no_permissions_to_start_conf_call">このルームでグループ通話を開始する権限がありません</string> <string name="no_permissions_to_start_conf_call">このルームでグループ通話を開始する権限がありません</string>
<string name="audio_meeting">オーディオミーティングを開始</string> <string name="audio_meeting">音声通話を開始</string>
<string name="secure_backup_setup">安全バックアップを設定</string> <string name="secure_backup_setup">安全バックアップを設定</string>
<string name="keys_backup_banner_update_line2">鍵のバックアップで管理</string> <string name="keys_backup_banner_update_line2">鍵のバックアップで管理</string>
<string name="keys_backup_banner_recover_line2">鍵のバックアップを使用</string> <string name="keys_backup_banner_recover_line2">鍵のバックアップを使用</string>
@ -1115,7 +1115,7 @@
<string name="keys_backup_setup_override_backup_prompt_tile">ホームサーバーにバックアップが存在しています</string> <string name="keys_backup_setup_override_backup_prompt_tile">ホームサーバーにバックアップが存在しています</string>
<string name="recovery_key_export_saved">リカバリーキーが保存されました。</string> <string name="recovery_key_export_saved">リカバリーキーが保存されました。</string>
<string name="keys_backup_setup_step3_copy_button_title">リカバリーキーを保存</string> <string name="keys_backup_setup_step3_copy_button_title">リカバリーキーを保存</string>
<string name="keys_backup_setup_step3_button_title_no_passphrase">コピーしました</string> <string name="keys_backup_setup_step3_button_title_no_passphrase">コピーしました</string>
<string name="keys_backup_setup_step3_text_line2_no_passphrase">リカバリーキーはパスワードマネージャー(もしくは金庫)のような、非常に安全な場所で保管してください</string> <string name="keys_backup_setup_step3_text_line2_no_passphrase">リカバリーキーはパスワードマネージャー(もしくは金庫)のような、非常に安全な場所で保管してください</string>
<string name="keys_backup_setup_step3_text_line2">リカバリーキーはセーフティーネットとなります。パスフレーズを忘れた場合でも、リカバリーキーを使えば、暗号化されたメッセージにアクセスすることができます。 <string name="keys_backup_setup_step3_text_line2">リカバリーキーはセーフティーネットとなります。パスフレーズを忘れた場合でも、リカバリーキーを使えば、暗号化されたメッセージにアクセスすることができます。
\nリカバリーキーは、パスワードマネージャーもしくは金庫のような、非常に安全な場所で保管してください。</string> \nリカバリーキーは、パスワードマネージャーもしくは金庫のような、非常に安全な場所で保管してください。</string>
@ -1175,7 +1175,7 @@
</plurals> </plurals>
<string name="directory_add_a_new_server_error_already_added">既に一覧に載っているサーバーです</string> <string name="directory_add_a_new_server_error_already_added">既に一覧に載っているサーバーです</string>
<string name="directory_add_a_new_server_error">サーバーまたはそのルーム一覧が見つかりません</string> <string name="directory_add_a_new_server_error">サーバーまたはそのルーム一覧が見つかりません</string>
<string name="directory_add_a_new_server_prompt">したい新しいサーバーの名前を入力してください。</string> <string name="directory_add_a_new_server_prompt">探したい新しいサーバーの名前を入力してください。</string>
<string name="directory_add_a_new_server">新しいサーバーを追加</string> <string name="directory_add_a_new_server">新しいサーバーを追加</string>
<string name="directory_your_server">あなたのサーバー</string> <string name="directory_your_server">あなたのサーバー</string>
<string name="encryption_message_recovery">暗号化されたメッセージの復元</string> <string name="encryption_message_recovery">暗号化されたメッセージの復元</string>
@ -1187,7 +1187,7 @@
<string name="room_settings_room_access_restricted_title">スペースのメンバーのみ</string> <string name="room_settings_room_access_restricted_title">スペースのメンバーのみ</string>
<string name="room_settings_room_access_public_description">誰でもルームを発見し参加できます</string> <string name="room_settings_room_access_public_description">誰でもルームを発見し参加できます</string>
<string name="room_settings_room_access_public_title">公開</string> <string name="room_settings_room_access_public_title">公開</string>
<string name="room_settings_room_access_private_description">招待された人だけが発見し参加できます</string> <string name="room_settings_room_access_private_description">招待した人のみが検索・参加できます</string>
<string name="room_settings_room_access_private_title">非公開</string> <string name="room_settings_room_access_private_title">非公開</string>
<string name="room_settings_room_access_entry_unknown">不明のアクセス設定(%s</string> <string name="room_settings_room_access_entry_unknown">不明のアクセス設定(%s</string>
<string name="room_settings_room_access_entry_knock">誰でもルームにノックができ、メンバーがその参加を承認または拒否できます</string> <string name="room_settings_room_access_entry_knock">誰でもルームにノックができ、メンバーがその参加を承認または拒否できます</string>
@ -1236,7 +1236,7 @@
<string name="login_set_email_submit">次に</string> <string name="login_set_email_submit">次に</string>
<string name="login_reset_password_submit">次に</string> <string name="login_reset_password_submit">次に</string>
<string name="error_empty_field_choose_user_name">ユーザー名を選択してください。</string> <string name="error_empty_field_choose_user_name">ユーザー名を選択してください。</string>
<string name="auth_invalid_login_param_space_in_password">ユーザー名やパスワードが正しくありません。 入力したパスワードは、スペースで開始または終了していますので、ご確認ください。</string> <string name="auth_invalid_login_param_space_in_password">ユーザー名かパスワードが正しくありません。入力されたパスワードがスペースによって開始しているか終了しているので、確認してください。</string>
<string name="login_signup_error_user_in_use">そのユーザー名は既に使用されています</string> <string name="login_signup_error_user_in_use">そのユーザー名は既に使用されています</string>
<string name="login_signup_username_hint">ユーザー名</string> <string name="login_signup_username_hint">ユーザー名</string>
<string name="login_signin_username_hint">ユーザー名またはメールアドレス</string> <string name="login_signin_username_hint">ユーザー名またはメールアドレス</string>
@ -1354,8 +1354,8 @@
<string name="settings_messages_direct_messages">ダイレクトメッセージ</string> <string name="settings_messages_direct_messages">ダイレクトメッセージ</string>
<string name="settings_messages_containing_username">自分のユーザー名</string> <string name="settings_messages_containing_username">自分のユーザー名</string>
<string name="settings_messages_containing_display_name">自分の表示名</string> <string name="settings_messages_containing_display_name">自分の表示名</string>
<string name="settings_messages_in_e2e_group_chat">グループチャットでのメッセージの暗号化</string> <string name="settings_messages_in_e2e_group_chat">グループチャットで暗号化されたメッセージ</string>
<string name="settings_messages_in_e2e_one_to_one">個別チャットでのメッセージの暗号化</string> <string name="settings_messages_in_e2e_one_to_one">1対1のチャットで暗号化されたメッセージ</string>
<string name="settings_notification_notify_me_for">以下がメッセージに含まれる場合に通知</string> <string name="settings_notification_notify_me_for">以下がメッセージに含まれる場合に通知</string>
<string name="settings_notification_other">その他</string> <string name="settings_notification_other">その他</string>
<string name="settings_notification_mentions_and_keywords">メンションとキーワード</string> <string name="settings_notification_mentions_and_keywords">メンションとキーワード</string>
@ -1366,11 +1366,11 @@
<plurals name="missed_audio_call"> <plurals name="missed_audio_call">
<item quantity="other">%d件の不在着信音声</item> <item quantity="other">%d件の不在着信音声</item>
</plurals> </plurals>
<string name="use_as_default_and_do_not_ask_again">デフォルトで使いもう尋ねない</string> <string name="use_as_default_and_do_not_ask_again">既定に設定して次回から確認しない</string>
<string name="send_bug_report_include_key_share_history">鍵の共有リクエストの履歴を送信</string> <string name="send_bug_report_include_key_share_history">鍵の共有リクエストの履歴を送信</string>
<string name="no_more_results">結果がありません</string> <string name="no_more_results">結果がありません</string>
<string name="cannot_call_yourself_with_invite">自分に電話をかけることはできません。参加者が招待を受け入れるまでお待ちください</string> <string name="cannot_call_yourself_with_invite">自分に電話をかけることはできません。参加者が招待を受け入れるまでお待ちください</string>
<string name="audio_video_meeting_description">ミーティングはJitsiのセキュリティーとパーミッションポリシーを使用します。会議中は、現在ルームにいる全ての人に招待が表示されます。</string> <string name="audio_video_meeting_description">ミーティングはJitsiのセキュリティーとパーミッションポリシーを使用します。ミーティング中は、現在ルームにいる全ての人に招待が表示されます。</string>
<string name="missing_permissions_title">権限がありません</string> <string name="missing_permissions_title">権限がありません</string>
<string name="denied_permission_voice_message">音声メッセージを送信するには、マイクの権限を許可してください。</string> <string name="denied_permission_voice_message">音声メッセージを送信するには、マイクの権限を許可してください。</string>
<string name="denied_permission_camera">この操作を実行するには、システム設定からカメラの権限を許可してください。</string> <string name="denied_permission_camera">この操作を実行するには、システム設定からカメラの権限を許可してください。</string>
@ -1490,7 +1490,7 @@
<string name="unencrypted">暗号化されていません</string> <string name="unencrypted">暗号化されていません</string>
<string name="finish">終了</string> <string name="finish">終了</string>
<string name="refresh">再読み込み</string> <string name="refresh">再読み込み</string>
<string name="room_member_profile_sessions_section_title">セッション一覧</string> <string name="room_member_profile_sessions_section_title">セッション</string>
<string name="verification_profile_warning">警告</string> <string name="verification_profile_warning">警告</string>
<string name="unignore">無視を解除</string> <string name="unignore">無視を解除</string>
<string name="sent_a_video">動画。</string> <string name="sent_a_video">動画。</string>
@ -1543,7 +1543,7 @@
<string name="space_permissions_notice_read_only">スペースに関する変更を行うために必要な役割を更新する権限がありません</string> <string name="space_permissions_notice_read_only">スペースに関する変更を行うために必要な役割を更新する権限がありません</string>
<string name="space_permissions_notice">スペースに関する変更を行うために必要な役割を選択</string> <string name="space_permissions_notice">スペースに関する変更を行うために必要な役割を選択</string>
<string name="space_settings_permissions_subtitle">スペースに関する変更を行うために必要な役割を表示し更新します。</string> <string name="space_settings_permissions_subtitle">スペースに関する変更を行うために必要な役割を表示し更新します。</string>
<string name="thread_list_modal_title">フィルター</string> <string name="thread_list_modal_title">絞り込む</string>
<string name="thread_list_title">スレッド</string> <string name="thread_list_title">スレッド</string>
<string name="thread_timeline_title">スレッド</string> <string name="thread_timeline_title">スレッド</string>
<string name="room_permissions_upgrade_the_space">スペースをアップグレード</string> <string name="room_permissions_upgrade_the_space">スペースをアップグレード</string>
@ -1595,17 +1595,17 @@
<string name="thread_list_empty_subtitle">スレッド機能を使うと、会話のテーマを維持したり、会話を簡単に追跡したりすることができます。</string> <string name="thread_list_empty_subtitle">スレッド機能を使うと、会話のテーマを維持したり、会話を簡単に追跡したりすることができます。</string>
<string name="your_private_space">あなたの非公開のスペース</string> <string name="your_private_space">あなたの非公開のスペース</string>
<string name="your_public_space">あなたの公開スペース</string> <string name="your_public_space">あなたの公開スペース</string>
<string name="create_spaces_just_me">自分のみ</string> <string name="create_spaces_just_me">自分専用</string>
<string name="thread_list_empty_title">スレッド機能を使って、会話をまとめましょう</string> <string name="thread_list_empty_title">スレッド機能を使って、会話をまとめましょう</string>
<string name="verification_request_waiting_for">%sを待機しています…</string> <string name="verification_request_waiting_for">%sを待機しています…</string>
<string name="verification_scan_with_this_device">この端末でスキャン</string> <string name="verification_scan_with_this_device">この端末でスキャン</string>
<string name="verification_sent">認証を送信</string> <string name="verification_sent">認証を送信しました</string>
<string name="verification_verify_device">このセッションを認証</string> <string name="verification_verify_device">このセッションを認証</string>
<string name="sent_a_voice_message">音声</string> <string name="sent_a_voice_message">音声</string>
<string name="create_room_alias_empty">ルームのアドレスを入力してください</string> <string name="create_room_alias_empty">ルームのアドレスを入力してください</string>
<string name="create_room_alias_already_in_use">このアドレスは既に使用されています</string> <string name="create_room_alias_already_in_use">このアドレスは既に使用されています</string>
<string name="create_space_alias_hint">スペースのアドレス</string> <string name="create_space_alias_hint">スペースのアドレス</string>
<string name="verification_sas_do_not_match">一致しません</string> <string name="verification_sas_do_not_match">一致していません</string>
<string name="verification_sas_match">一致しています</string> <string name="verification_sas_match">一致しています</string>
<string name="soft_logout_signin_title">サインイン</string> <string name="soft_logout_signin_title">サインイン</string>
<string name="soft_logout_title">サインアウトしました</string> <string name="soft_logout_title">サインアウトしました</string>
@ -1748,7 +1748,7 @@
<item quantity="other">%1$d個の投票</item> <item quantity="other">%1$d個の投票</item>
</plurals> </plurals>
<string name="end_poll_confirmation_description">アンケートを締め切り、最終結果を表示します。</string> <string name="end_poll_confirmation_description">アンケートを締め切り、最終結果を表示します。</string>
<string name="space_type_private_desc">招待者のみ参加可能。個人やチームに最適</string> <string name="space_type_private_desc">招待者のみ参加可能。個人やチーム向け</string>
<string name="activity_create_space_title">スペースを作成</string> <string name="activity_create_space_title">スペースを作成</string>
<string name="invite_people_to_your_space">連絡先をスペースに招待</string> <string name="invite_people_to_your_space">連絡先をスペースに招待</string>
<string name="settings_discovery_no_terms_title">IDサーバーには利用規約がありません</string> <string name="settings_discovery_no_terms_title">IDサーバーには利用規約がありません</string>
@ -1777,7 +1777,7 @@
<string name="delete_poll_dialog_content">このアンケートを削除してよろしいですか?一度削除すると復元することはできません。</string> <string name="delete_poll_dialog_content">このアンケートを削除してよろしいですか?一度削除すると復元することはできません。</string>
<string name="error_handling_incoming_share">共有データの取り扱いに失敗しました</string> <string name="error_handling_incoming_share">共有データの取り扱いに失敗しました</string>
<string name="rotate_and_crop_screen_title">回転とクロップ</string> <string name="rotate_and_crop_screen_title">回転とクロップ</string>
<string name="space_explore_activity_title">ルームを探</string> <string name="space_explore_activity_title">ルームを探</string>
<string name="space_add_existing_rooms">既存のルームとスペースを追加</string> <string name="space_add_existing_rooms">既存のルームとスペースを追加</string>
<string name="labs_enable_thread_messages">スレッドのメッセージを有効にする</string> <string name="labs_enable_thread_messages">スレッドのメッセージを有効にする</string>
<string name="space_mark_as_suggested">おすすめに追加</string> <string name="space_mark_as_suggested">おすすめに追加</string>
@ -1826,7 +1826,7 @@
<string name="verification_profile_verified">認証済</string> <string name="verification_profile_verified">認証済</string>
<string name="event_status_delete_all_failed_dialog_title">未送信のメッセージを削除</string> <string name="event_status_delete_all_failed_dialog_title">未送信のメッセージを削除</string>
<string name="dev_tools_send_custom_event">カスタムイベントを送信</string> <string name="dev_tools_send_custom_event">カスタムイベントを送信</string>
<string name="dev_tools_explore_room_state">ルームの状態を探索</string> <string name="dev_tools_explore_room_state">ルームの状態を調査</string>
<string name="a11y_view_read_receipts">開封確認メッセージを表示</string> <string name="a11y_view_read_receipts">開封確認メッセージを表示</string>
<string name="a11y_rule_notify_off">通知しない</string> <string name="a11y_rule_notify_off">通知しない</string>
<string name="a11y_import_key_from_file">ファイルから鍵をインポート</string> <string name="a11y_import_key_from_file">ファイルから鍵をインポート</string>
@ -1840,7 +1840,7 @@
<string name="identity_server_error_terms_not_signed">初めに設定画面でIDサーバーの利用規約を承認してください。</string> <string name="identity_server_error_terms_not_signed">初めに設定画面でIDサーバーの利用規約を承認してください。</string>
<string name="identity_server_error_no_identity_server_configured">初めにIDサーバーを設定してください。</string> <string name="identity_server_error_no_identity_server_configured">初めにIDサーバーを設定してください。</string>
<plurals name="poll_total_vote_count_before_ended_and_not_voted"> <plurals name="poll_total_vote_count_before_ended_and_not_voted">
<item quantity="other">%1$d個の投票があります。結果を見るには投票してください</item> <item quantity="other">合計%1$d票。投票すると結果を確認できます</item>
</plurals> </plurals>
<string name="encrypted_unverified">未認証の端末で暗号化</string> <string name="encrypted_unverified">未認証の端末で暗号化</string>
<string name="command_confetti">メッセージを紙吹雪と共に送信</string> <string name="command_confetti">メッセージを紙吹雪と共に送信</string>
@ -1860,15 +1860,15 @@
<string name="room_settings_enable_encryption_dialog_content">一度有効にしたルームの暗号化は無効にすることはできません。暗号化されたルームで送信されたメッセージは、サーバーからは見ることができず、そのルームのメンバーだけが見ることができます。暗号化を有効にすると、多くのボットやブリッジが正常に動作しなくなる場合があります。</string> <string name="room_settings_enable_encryption_dialog_content">一度有効にしたルームの暗号化は無効にすることはできません。暗号化されたルームで送信されたメッセージは、サーバーからは見ることができず、そのルームのメンバーだけが見ることができます。暗号化を有効にすると、多くのボットやブリッジが正常に動作しなくなる場合があります。</string>
<string name="room_created_summary_no_topic_creation_text">%sして、このルームを皆に紹介しましょう。</string> <string name="room_created_summary_no_topic_creation_text">%sして、このルームを皆に紹介しましょう。</string>
<string name="user_code_info_text">このコードを共有し、スキャンして追加してもらい、会話を始めましょう。</string> <string name="user_code_info_text">このコードを共有し、スキャンして追加してもらい、会話を始めましょう。</string>
<string name="create_spaces_make_sure_access">当な参加者が%sにアクセスできることを確認してください</string> <string name="create_spaces_make_sure_access">しい参加者が%sにアクセスできるようにしましょう</string>
<string name="add_people">参加者を追加</string> <string name="add_people">連絡先を追加</string>
<plurals name="space_people_you_know"> <plurals name="space_people_you_know">
<item quantity="other">%d人の知り合いがすでに参加しています</item> <item quantity="other">%d人の知り合いがすでに参加しています</item>
</plurals> </plurals>
<string name="invite_to_space">%sに招待</string> <string name="invite_to_space">%sに招待</string>
<string name="invite_by_username_or_mail">ユーザー名かメールアドレスで招待</string> <string name="invite_by_username_or_mail">ユーザー名かメールアドレスで招待</string>
<string name="space_leave_prompt_msg_with_name">%sから退出してよろしいですか</string> <string name="space_leave_prompt_msg_with_name">%sから退出してよろしいですか</string>
<string name="spaces_beta_welcome_to_spaces_desc">スペースは、ルームや連絡先をグループ化する新しい方法です。</string> <string name="spaces_beta_welcome_to_spaces_desc">スペースは、ルームや連絡先をまとめる新しい方法です。</string>
<string name="you_are_invited">招待されています</string> <string name="you_are_invited">招待されています</string>
<string name="space_add_space_to_any_space_you_manage">新しいスペースを、あなたが管理するスペースに追加。</string> <string name="space_add_space_to_any_space_you_manage">新しいスペースを、あなたが管理するスペースに追加。</string>
<string name="labs_enable_thread_messages_desc">注意:アプリケーションが再起動します</string> <string name="labs_enable_thread_messages_desc">注意:アプリケーションが再起動します</string>
@ -1882,7 +1882,7 @@
<item quantity="other">%1$d個の投票に基づく</item> <item quantity="other">%1$d個の投票に基づく</item>
</plurals> </plurals>
<plurals name="poll_total_vote_count_after_ended"> <plurals name="poll_total_vote_count_after_ended">
<item quantity="other">%1$d個の投票に基づく最終結果</item> <item quantity="other">合計%1$d票の投票に基づく最終結果</item>
</plurals> </plurals>
<string name="verification_conclusion_ok_self_notice">新しいセッションが認証されました。セッションは暗号化されたメッセージにアクセスでき、他のユーザーには信頼済として表示されます。</string> <string name="verification_conclusion_ok_self_notice">新しいセッションが認証されました。セッションは暗号化されたメッセージにアクセスでき、他のユーザーには信頼済として表示されます。</string>
<string name="create_room_disable_federation_description">このルームを同じホームサーバー上で組織内のチームとのコラボレーションにのみ使用するなら、このオプションを有効にするといいかもしれません。これは後から変更できません。</string> <string name="create_room_disable_federation_description">このルームを同じホームサーバー上で組織内のチームとのコラボレーションにのみ使用するなら、このオプションを有効にするといいかもしれません。これは後から変更できません。</string>
@ -1992,7 +1992,7 @@
<string name="share_by_text">テキストメッセージで共有</string> <string name="share_by_text">テキストメッセージで共有</string>
<string name="settings_security_application_protection_screen_title">保護を設定</string> <string name="settings_security_application_protection_screen_title">保護を設定</string>
<string name="invite_just_to_this_room">このルームのみ</string> <string name="invite_just_to_this_room">このルームのみ</string>
<string name="space_type_public_desc">誰でも参加可能。コミュニティーに最適</string> <string name="space_type_public_desc">誰でも参加可能。コミュニティー向け</string>
<string name="create_spaces_join_info_help">既存のスペースに参加するには、招待が必要です。</string> <string name="create_spaces_join_info_help">既存のスペースに参加するには、招待が必要です。</string>
<string name="create_spaces_you_can_change_later">これは後から変更できます</string> <string name="create_spaces_you_can_change_later">これは後から変更できます</string>
<string name="warning_unsaved_change_discard">変更を破棄</string> <string name="warning_unsaved_change_discard">変更を破棄</string>
@ -2131,7 +2131,7 @@
<string name="contact_admin_to_restore_encryption">暗号化を有効な状態に取り戻すために、管理者に連絡してください。</string> <string name="contact_admin_to_restore_encryption">暗号化を有効な状態に取り戻すために、管理者に連絡してください。</string>
<string name="verification_conclusion_ok_notice">このユーザーとのメッセージはエンドツーエンドで暗号化されており、第三者が解読することはできません。</string> <string name="verification_conclusion_ok_notice">このユーザーとのメッセージはエンドツーエンドで暗号化されており、第三者が解読することはできません。</string>
<string name="verification_code_notice">このコードを相手の画面に現れているコードと比較してください。</string> <string name="verification_code_notice">このコードを相手の画面に現れているコードと比較してください。</string>
<string name="verification_emoji_notice">絵文字を比較して、同じ順番で現れているを確認してください。</string> <string name="verification_emoji_notice">絵文字を比較して、同じ順番で現れていることを確認してください。</string>
<string name="verification_request_start_notice">セキュリティーを高めるために、対面で行うか、他の通信手段を利用しましょう。</string> <string name="verification_request_start_notice">セキュリティーを高めるために、対面で行うか、他の通信手段を利用しましょう。</string>
<string name="command_description_rainbow_emote">選択されたエモートを虹色にして送信します</string> <string name="command_description_rainbow_emote">選択されたエモートを虹色にして送信します</string>
<string name="command_description_rainbow">選択されたテキストを虹色にして送信します</string> <string name="command_description_rainbow">選択されたテキストを虹色にして送信します</string>
@ -2170,17 +2170,17 @@
<string name="notice_power_level_changed_by_you">%1$sの権限レベルを変更しました。</string> <string name="notice_power_level_changed_by_you">%1$sの権限レベルを変更しました。</string>
<string name="create_spaces_who_are_you_working_with">誰と使いますか?</string> <string name="create_spaces_who_are_you_working_with">誰と使いますか?</string>
<string name="create_spaces_choose_type_label">作成するスペースの種類を選択してください</string> <string name="create_spaces_choose_type_label">作成するスペースの種類を選択してください</string>
<string name="create_spaces_private_teammates">自分と仲間の非公開のスペース</string> <string name="create_spaces_private_teammates">自分とチームメイトの非公開のスペース</string>
<string name="create_spaces_organise_rooms">ルームを整理するためのプライベートスペース</string> <string name="create_spaces_organise_rooms">ルームを整理するための非公開のスペース</string>
<string name="this_is_the_beginning_of_room_no_name">ここが会話のスタート地点です。</string> <string name="this_is_the_beginning_of_room_no_name">ここが会話のスタート地点です。</string>
<string name="this_is_the_beginning_of_room">ここが%sのスタート地点です。</string> <string name="this_is_the_beginning_of_room">ここが%sの始まりです。</string>
<string name="qr_code_scanned_verif_waiting_notice">あと少しです!確認を待機しています…</string> <string name="qr_code_scanned_verif_waiting_notice">もう少しです!確認を待機しています…</string>
<string name="qr_code_scanned_self_verif_notice">あと少しです!もう一方のデバイスは同じマークを表示していますか?</string> <string name="qr_code_scanned_self_verif_notice">あと少しです!もう一方の端末は同じマークを表示していますか?</string>
<string name="qr_code_scanned_verif_waiting">%sを待機しています…</string> <string name="qr_code_scanned_verif_waiting">%sを待機しています…</string>
<string name="verification_profile_device_untrust_info">このユーザーがこのセッションを認証するまで、送受信されるメッセージには警告マークが付きます。手動で認証することも可能です。</string> <string name="verification_profile_device_untrust_info">このユーザーがこのセッションを認証するまで、送受信されるメッセージには警告マークが付きます。手動で認証することも可能です。</string>
<string name="room_member_profile_failed_to_get_devices">セッションの取得に失敗しました</string> <string name="room_member_profile_failed_to_get_devices">セッションの取得に失敗しました</string>
<string name="create_spaces_invite_public_header">誰がチームの仲間ですか?</string> <string name="create_spaces_invite_public_header">チームの仲間を招待しましょう</string>
<string name="invite_to_space_with_name_desc">%sを探索できるようになります</string> <string name="invite_to_space_with_name_desc">%sを探るようになります</string>
<string name="share_space_link_message">私のスペース %1$s %2$s に参加してください</string> <string name="share_space_link_message">私のスペース %1$s %2$s に参加してください</string>
<string name="skip_for_now">スキップ</string> <string name="skip_for_now">スキップ</string>
<string name="room_message_autocomplete_notification">ルームの通知</string> <string name="room_message_autocomplete_notification">ルームの通知</string>
@ -2227,7 +2227,7 @@
<string name="use_other_session_content_description">最新の${app_name}を他の端末で、${app_name} ウェブ版、${app_name} デスクトップ版、${app_name} iOS、${app_name} Android、あるいはクロス署名に対応した他のMatrixのクライアントでご使用ください</string> <string name="use_other_session_content_description">最新の${app_name}を他の端末で、${app_name} ウェブ版、${app_name} デスクトップ版、${app_name} iOS、${app_name} Android、あるいはクロス署名に対応した他のMatrixのクライアントでご使用ください</string>
<string name="call_slide_to_end_conference">スライドして通話を終了</string> <string name="call_slide_to_end_conference">スライドして通話を終了</string>
<string name="call_dial_pad_lookup_error">電話番号を検索する際にエラーが発生しました</string> <string name="call_dial_pad_lookup_error">電話番号を検索する際にエラーが発生しました</string>
<string name="call_tile_you_declined_this_call">着信を拒否しました</string> <string name="call_tile_you_declined_this_call">通話を拒否しました</string>
<string name="create_spaces_room_private_header_desc">それぞれにルームを作りましょう。後から追加することもできます(既にあるルームも追加できます)。</string> <string name="create_spaces_room_private_header_desc">それぞれにルームを作りましょう。後から追加することもできます(既にあるルームも追加できます)。</string>
<string name="create_spaces_details_private_header">このスペースを特定できるような特徴を記入してください。これはいつでも変更できます。</string> <string name="create_spaces_details_private_header">このスペースを特定できるような特徴を記入してください。これはいつでも変更できます。</string>
<string name="create_spaces_details_public_header">目立つように特徴を記入してください。これはいつでも変更できます。</string> <string name="create_spaces_details_public_header">目立つように特徴を記入してください。これはいつでも変更できます。</string>
@ -2240,7 +2240,7 @@
<string name="dev_tools_state_event">ステートイベント</string> <string name="dev_tools_state_event">ステートイベント</string>
<string name="dev_tools_send_custom_state_event">カスタムのステートイベントを送信</string> <string name="dev_tools_send_custom_state_event">カスタムのステートイベントを送信</string>
<string name="dev_tools_success_state_event">ステートイベントを送信しました!</string> <string name="dev_tools_success_state_event">ステートイベントを送信しました!</string>
<string name="create_space_error_empty_field_space_name">続行するには名前を付けてください。</string> <string name="create_space_error_empty_field_space_name">続行するには名前を設定してください。</string>
<string name="create_spaces_room_private_header">どんな作業に取り組みますか?</string> <string name="create_spaces_room_private_header">どんな作業に取り組みますか?</string>
<plurals name="message_reaction_show_more"> <plurals name="message_reaction_show_more">
<item quantity="other">あと%1$d件</item> <item quantity="other">あと%1$d件</item>
@ -2289,7 +2289,7 @@
<string name="disconnect_identity_server_dialog_content">IDサーバー %s から切断しますか?</string> <string name="disconnect_identity_server_dialog_content">IDサーバー %s から切断しますか?</string>
<string name="create_room_dm_failure">ダイレクトメッセージを作成できませんでした。招待したいユーザーを確認し、もう一度やり直してください。</string> <string name="create_room_dm_failure">ダイレクトメッセージを作成できませんでした。招待したいユーザーを確認し、もう一度やり直してください。</string>
<string name="set_a_security_phrase_hint">セキュリティーフレーズ</string> <string name="set_a_security_phrase_hint">セキュリティーフレーズ</string>
<string name="create_spaces_me_and_teammates">自分と仲間</string> <string name="create_spaces_me_and_teammates">自分とチームメイト</string>
<string name="dev_tools_error_no_message_type">メッセージの種類がありません</string> <string name="dev_tools_error_no_message_type">メッセージの種類がありません</string>
<string name="a11y_close_emoji_picker">絵文字の一覧を閉じる</string> <string name="a11y_close_emoji_picker">絵文字の一覧を閉じる</string>
<string name="a11y_open_emoji_picker">絵文字の一覧を開く</string> <string name="a11y_open_emoji_picker">絵文字の一覧を開く</string>
@ -2306,7 +2306,7 @@
<string name="identity_server_error_outdated_home_server">操作を実行できません。ホームサーバーは最新のバージョンではありません。</string> <string name="identity_server_error_outdated_home_server">操作を実行できません。ホームサーバーは最新のバージョンではありません。</string>
<string name="call_tile_video_declined">ビデオ通話が拒否されました</string> <string name="call_tile_video_declined">ビデオ通話が拒否されました</string>
<string name="call_tile_voice_declined">音声通話が拒否されました</string> <string name="call_tile_voice_declined">音声通話が拒否されました</string>
<string name="call_tile_other_declined">%1$sは着信を拒否しました</string> <string name="call_tile_other_declined">%1$sは通話を拒否しました</string>
<string name="secure_backup_reset_all_no_other_devices">このデバイスを認証可能な他の端末が全くない場合にのみ、続行してください。</string> <string name="secure_backup_reset_all_no_other_devices">このデバイスを認証可能な他の端末が全くない場合にのみ、続行してください。</string>
<string name="settings_active_sessions_unverified_device_desc">このセッションを信頼済として認証すると、暗号化されたメッセージにアクセスすることができます。このアカウントにサインインしなかった場合は、あなたのアカウントのセキュリティーが破られている可能性があります:</string> <string name="settings_active_sessions_unverified_device_desc">このセッションを信頼済として認証すると、暗号化されたメッセージにアクセスすることができます。このアカウントにサインインしなかった場合は、あなたのアカウントのセキュリティーが破られている可能性があります:</string>
<string name="verify_new_session_compromized">アカウントのセキュリティーが破られている可能性があります</string> <string name="verify_new_session_compromized">アカウントのセキュリティーが破られている可能性があります</string>
@ -2401,12 +2401,12 @@
<string name="ftue_personalize_lets_go">進みましょう</string> <string name="ftue_personalize_lets_go">進みましょう</string>
<string name="ftue_auth_login_username_entry">ユーザー名 / メールアドレス / 電話番号</string> <string name="ftue_auth_login_username_entry">ユーザー名 / メールアドレス / 電話番号</string>
<string name="ftue_auth_captcha_title">あなたは人間ですか?</string> <string name="ftue_auth_captcha_title">あなたは人間ですか?</string>
<string name="ftue_auth_password_reset_email_confirmation_subtitle">%sに送信された手順に従ってください</string> <string name="ftue_auth_password_reset_email_confirmation_subtitle">%sに送信された手順に従ってください</string>
<string name="ftue_auth_password_reset_confirmation">パスワードを再設定</string> <string name="ftue_auth_password_reset_confirmation">パスワードを再設定</string>
<string name="ftue_auth_forgot_password">パスワードを忘れた場合</string> <string name="ftue_auth_forgot_password">パスワードを忘れた場合</string>
<string name="ftue_auth_email_resend_email">電子メールを再送信</string> <string name="ftue_auth_email_resend_email">電子メールを再送信</string>
<string name="ftue_auth_email_verification_footer">電子メールが届いていませんか?</string> <string name="ftue_auth_email_verification_footer">電子メールが届いていませんか?</string>
<string name="ftue_auth_email_verification_subtitle">%sに送信された手順に従ってください</string> <string name="ftue_auth_email_verification_subtitle">%sに送信された手順に従ってください</string>
<string name="ftue_auth_email_verification_title">メールアドレスを認証</string> <string name="ftue_auth_email_verification_title">メールアドレスを認証</string>
<string name="ftue_auth_phone_confirmation_resend_code">コードを再送信</string> <string name="ftue_auth_phone_confirmation_resend_code">コードを再送信</string>
<string name="ftue_auth_phone_confirmation_subtitle">コードが%sに送信されました</string> <string name="ftue_auth_phone_confirmation_subtitle">コードが%sに送信されました</string>
@ -2447,7 +2447,7 @@
<string name="initial_sync_request_title">初期同期のリクエスト</string> <string name="initial_sync_request_title">初期同期のリクエスト</string>
<string name="a11y_collapse_space_children">%sの子スペースを折りたたむ</string> <string name="a11y_collapse_space_children">%sの子スペースを折りたたむ</string>
<string name="a11y_expand_space_children">%sの子スペースを展開</string> <string name="a11y_expand_space_children">%sの子スペースを展開</string>
<string name="explore_rooms">ルームを探</string> <string name="explore_rooms">ルームを探</string>
<string name="change_space">スペースを変更</string> <string name="change_space">スペースを変更</string>
<string name="create_room">ルームを作成</string> <string name="create_room">ルームを作成</string>
<string name="start_chat">チャットを開始</string> <string name="start_chat">チャットを開始</string>
@ -2504,7 +2504,7 @@
</plurals> </plurals>
<string name="location_share_loading_map_error">地図を読み込めません <string name="location_share_loading_map_error">地図を読み込めません
\nこのホームサーバーは地図が読み込むよう設定されていないおそれがあります。</string> \nこのホームサーバーは地図が読み込むよう設定されていないおそれがあります。</string>
<string name="home_empty_space_no_rooms_message">スペースは、ルームや連絡先をグループ化する新しい方法です。右下のボタンを使うと、既存のルームを追加したり新たに作成したりできます。</string> <string name="home_empty_space_no_rooms_message">スペースは、ルームや連絡先をまとめる新しい方法です。右下のボタンを使うと、既存のルームを追加したり新たに作成したりできます。</string>
<string name="device_manager_header_section_security_recommendations_title">セキュリティーに関する勧告</string> <string name="device_manager_header_section_security_recommendations_title">セキュリティーに関する勧告</string>
<string name="device_manager_sessions_other_title">その他のセッション</string> <string name="device_manager_sessions_other_title">その他のセッション</string>
<string name="device_manager_other_sessions_recommendation_description_verified">セキュリティーを最大限に高めるには、不明なセッションや利用していないセッションからサインアウトしてください。</string> <string name="device_manager_other_sessions_recommendation_description_verified">セキュリティーを最大限に高めるには、不明なセッションや利用していないセッションからサインアウトしてください。</string>
@ -2530,7 +2530,7 @@
<string name="device_manager_session_rename_description">セッション名を設定すると、端末をより簡単に認識できるようになります。</string> <string name="device_manager_session_rename_description">セッション名を設定すると、端末をより簡単に認識できるようになります。</string>
<string name="device_manager_push_notifications_description">このセッションでプッシュ通知を受信。</string> <string name="device_manager_push_notifications_description">このセッションでプッシュ通知を受信。</string>
<string name="device_manager_other_sessions_clear_filter">絞り込みを解除</string> <string name="device_manager_other_sessions_clear_filter">絞り込みを解除</string>
<string name="a11y_device_manager_filter">絞り込</string> <string name="a11y_device_manager_filter">絞り込</string>
<string name="device_manager_session_details_description">アプリケーション、端末、アクティビティーに関する情報。</string> <string name="device_manager_session_details_description">アプリケーション、端末、アクティビティーに関する情報。</string>
<string name="device_manager_session_details_session_last_activity">直近のアクティビティー</string> <string name="device_manager_session_details_session_last_activity">直近のアクティビティー</string>
<string name="device_manager_session_details_session_name">セッション名</string> <string name="device_manager_session_details_session_name">セッション名</string>
@ -2706,8 +2706,8 @@
<string name="ftue_auth_choose_server_ems_cta">問い合わせる</string> <string name="ftue_auth_choose_server_ems_cta">問い合わせる</string>
<string name="ftue_auth_choose_server_ems_title">自分でサーバーを運営したいですか?</string> <string name="ftue_auth_choose_server_ems_title">自分でサーバーを運営したいですか?</string>
<string name="ftue_auth_choose_server_entry_hint">サーバーのURL</string> <string name="ftue_auth_choose_server_entry_hint">サーバーのURL</string>
<string name="ftue_auth_choose_server_sign_in_subtitle">あなたのサーバーのアドレスを入力してください</string> <string name="ftue_auth_choose_server_sign_in_subtitle">ホームサーバーのアドレスを入力してください</string>
<string name="ftue_auth_choose_server_subtitle">あなたのサーバーのアドレスを指定してください。サーバーにはあなたの全てのデータが保管されます</string> <string name="ftue_auth_choose_server_subtitle">あなたのホームサーバーのアドレスを入力してください。ここにあなたの全てのデータがホストされます</string>
<string name="ftue_auth_choose_server_title">サーバーを選択</string> <string name="ftue_auth_choose_server_title">サーバーを選択</string>
<string name="ftue_auth_create_account_edit_server_selection">編集</string> <string name="ftue_auth_create_account_edit_server_selection">編集</string>
<string name="ftue_auth_create_account_password_entry_footer">8文字以上にしてください</string> <string name="ftue_auth_create_account_password_entry_footer">8文字以上にしてください</string>
@ -2760,4 +2760,98 @@
<string name="error_check_network" tools:ignore="UnusedResources">問題が発生しました。ネットワークの接続を確認して、もう一度やり直してください。</string> <string name="error_check_network" tools:ignore="UnusedResources">問題が発生しました。ネットワークの接続を確認して、もう一度やり直してください。</string>
<string name="quoting">引用</string> <string name="quoting">引用</string>
<string name="home_empty_no_rooms_message">チーム、友達、組織向けのオールインワンの安全なチャットアプリです。はじめに、チャットを作成するか既存のルームに参加しましょう。</string> <string name="home_empty_no_rooms_message">チーム、友達、組織向けのオールインワンの安全なチャットアプリです。はじめに、チャットを作成するか既存のルームに参加しましょう。</string>
<string name="qr_code_login_status_no_match">一致していませんか?</string>
<string name="qr_code_login_header_failed_title">接続に失敗しました</string>
<string name="qr_code_login_header_connected_description">サインイン済の端末を確認してください。以下のコードが表示されているはずです。以下のコードがサインイン済の端末と一致していることを確認してください:</string>
<string name="qr_code_login_header_show_qr_code_new_device_description">サインイン済の端末で以下のQRコードをスキャンしてください</string>
<string name="device_manager_sessions_sign_in_with_qr_code_description">この端末を使い、QRコードをスキャンして新しい端末でサインインできます。2つの方法があります</string>
<string name="space_leave_radio_buttons_title">このスペース内のもの</string>
<string name="create_spaces_invite_public_header_desc">正しい参加者が%sにアクセスできるようにしましょう。後から追加で招待できます。</string>
<string name="message_reply_to_ended_poll_preview">終了したアンケート</string>
<string name="message_reply_to_sender_ended_poll">アンケートを終了しました。</string>
<string name="message_reply_to_sender_created_poll">アンケートを作成しました。</string>
<string name="message_reply_to_sender_sent_sticker">ステッカーを送信しました。</string>
<string name="message_reply_to_sender_sent_video">動画を送信しました。</string>
<string name="message_reply_to_sender_sent_image">画像を送信しました。</string>
<string name="message_reply_to_sender_sent_voice_message">音声メッセージを送信しました。</string>
<string name="message_reply_to_sender_sent_audio_file">音声ファイルを送信しました。</string>
<string name="message_reply_to_sender_sent_file">ファイルを送信しました。</string>
<string name="rich_text_editor_inline_code">インラインコードの装飾を適用</string>
<string name="rich_text_editor_bullet_list">箇条書きリストの表示を切り替える</string>
<string name="rich_text_editor_numbered_list">番号付きリストの表示を切り替える</string>
<string name="rich_text_editor_format_underline">下線で装飾</string>
<string name="rich_text_editor_format_strikethrough">打ち消し線で装飾</string>
<string name="qr_code_login_confirm_security_code_description">このコードの出所を知っていることを確認してください。端末をリンクすると、あなたのアカウントに無制限にアクセスできるようになります。</string>
<string name="qr_code_login_try_again">もう一度試してください</string>
<string name="qr_code_login_signing_in">サインインしています</string>
<string name="qr_code_login_show_qr_code_button">この端末でQRコードを表示</string>
<string name="qr_code_login_link_a_device_show_qr_code_instruction_2">「QRコードをスキャン」を選択してください</string>
<string name="qr_code_login_link_a_device_scan_qr_code_instruction_2">「QRコードでサインイン」を選択してください</string>
<string name="qr_code_login_new_device_instruction_3">「QRコードを表示」を選択してください</string>
<string name="qr_code_login_new_device_instruction_2">設定から「セキュリティーとプライバシー」を開いてください</string>
<string name="qr_code_login_new_device_instruction_1">他の端末でアプリを開いてください</string>
<string name="qr_code_login_header_failed_user_cancelled_description">もう一方の端末のサインインはキャンセルされました。</string>
<string name="qr_code_login_header_failed_other_device_already_signed_in_description">もう一方のデバイスは既にサインインしています。</string>
<string name="qr_code_login_header_failed_denied_description">リクエストはもう一方の端末で拒否されました。</string>
<string name="qr_code_login_header_failed_timeout_description">時間内にリンクが完了しませんでした。</string>
<string name="qr_code_login_header_failed_device_is_not_supported_description">この端末とのリンクはサポートしていません。</string>
<string name="qr_code_login_header_show_qr_code_link_a_device_description">サインアウトした端末で以下のQRコードをスキャンしてください。</string>
<string name="qr_code_login_header_scan_qr_code_description">この端末のカメラを使用して、他の端末に表示されているQRコードをスキャンしてください</string>
<string name="home_empty_space_no_rooms_title">%s
\nは空です。</string>
<string name="labs_enable_client_info_recording_summary">クライアントの名称、バージョン、URLを記録し、セッションマネージャーでより容易にセッションを認識できるよう設定。</string>
<string name="device_manager_learn_more_session_rename_title">セッション名を変更</string>
<string name="device_manager_filter_bottom_sheet_title">絞り込む</string>
<string name="device_manager_session_last_activity">直近のオンライン日時 %1$s</string>
<plurals name="device_manager_inactive_sessions_description">
<item quantity="other">使用していない古いセッション(%1$d日以上使用されていませんからサインアウトすることを検討してください。</item>
</plurals>
<string name="device_manager_unverified_sessions_description">未認証のセッションを認証するか、サインアウトしてください。</string>
<string name="device_manager_other_sessions_description_unverified_current_session">未認証・現在のセッション</string>
<string name="device_manager_other_sessions_description_unverified">未認証・直近のオンライン日時 %1$s</string>
<string name="device_manager_other_sessions_description_verified">認証済・直近のオンライン日時 %1$s</string>
<string name="device_manager_verification_status_detail_other_session_unknown">現在のセッションを認証すると、このセッションの認証の状態を確認できます。</string>
<string name="device_manager_sessions_other_description">セキュリティーを最大限に高めるには、セッションを認証し、不明なセッションや利用していないセッションからサインアウトしてください。</string>
<string name="labs_enable_element_call_permission_shortcuts_summary">Element Callウィジェットを自動で承認し、カメラまたはマイクのアクセス権を付与</string>
<string name="labs_enable_element_call_permission_shortcuts">Element Callの権限のショートカットを有効にする</string>
<string name="settings_troubleshoot_test_current_gateway">現在のゲートウェイ:%s</string>
<string name="settings_troubleshoot_test_current_gateway_title">ゲートウェイ</string>
<plurals name="settings_troubleshoot_test_distributors_many">
<item quantity="other">%d個の方法が見つかりました。</item>
</plurals>
<string name="attachment_type_selector_gallery">フォトライブラリー</string>
<string name="live_location_bottom_sheet_last_updated_at">%1$s前に更新済</string>
<string name="location_share_live_until">%1$sまで共有ライブ</string>
<string name="room_polls_load_more">他のアンケートを読み込む</string>
<plurals name="room_polls_ended_no_item_for_loaded_period">
<item quantity="other">過去%1$d日に実施されたアンケートはありません。
\nさらにアンケートを読み込み、前の月のアンケートを表示。</item>
</plurals>
<plurals name="room_polls_active_no_item_for_loaded_period">
<item quantity="other">過去%1$d日に実施中のアンケートはありません。
\nさらにアンケートを読み込み、前の月のアンケートを表示。</item>
</plurals>
<string name="a11y_voice_broadcast_fast_forward">30秒早送り</string>
<string name="a11y_voice_broadcast_fast_backward">30秒巻き戻す</string>
<string name="a11y_play_voice_broadcast">音声配信を再生または再開</string>
<string name="a11y_stop_voice_broadcast_record">音声配信の録音を停止</string>
<string name="a11y_pause_voice_broadcast_record">音声配信の録音を一時停止</string>
<string name="a11y_audio_message_item">%1$s、%2$s、%3$s</string>
<string name="voice_message_tap_to_stop_toast">録音をタップして停止または再生</string>
<string name="space_explore_filter_no_result_description">非公開で招待が必要なものは表示されていません。</string>
<string name="a11y_unsent_draft">下書きを取り消しました</string>
<string name="device_manager_learn_more_session_rename">あなたが参加するダイレクトメッセージとルームの他のユーザーは、あなたのセッションの一覧を閲覧できます。
\n
\nセッションの一覧から、相手はあなたとやり取りしていることを確かめることができます。なお、あなたがここに入力するセッション名は相手に対して表示されます。</string>
<string name="device_manager_learn_more_sessions_encryption_not_supported">このセッションは暗号化をサポートしていないため、認証できません。
\n
\nこのセッションでは、暗号化が有効になっているルームに参加することができません。
\n
\nセキュリティーとプライバシー保護の観点から、暗号化をサポートしているMatrixのクライアントの使用を推奨します。</string>
<string name="device_manager_learn_more_sessions_unverified">未認証のセッションは、認証情報でログインされていますが、クロス認証は行われていないセッションです。
\n
\nこれらのセッションは、アカウントの不正使用を示している可能性があるため、注意して確認してください。</string>
<string name="device_manager_learn_more_sessions_verified_description">認証済のセッションは、パスフレーズの入力、または他の認証済のセッションで本人確認を行ったセッションです。
\n
\n認証済のセッションには、暗号化されたメッセージを復号化する際に使用する全ての鍵が備わっています。また、他のユーザーに対しては、あなたがこのセッションを信頼していることが表示されます。</string>
</resources> </resources>

View file

@ -1803,7 +1803,7 @@
<item quantity="other">%d 个条目</item> <item quantity="other">%d 个条目</item>
</plurals> </plurals>
<string name="not_a_valid_qr_code">这不是有效的 Matrix QR码</string> <string name="not_a_valid_qr_code">这不是有效的 Matrix QR码</string>
<string name="user_code_scan">扫描二维</string> <string name="user_code_scan">扫描QR</string>
<string name="add_people">添加人员</string> <string name="add_people">添加人员</string>
<string name="invite_friends">邀请朋友</string> <string name="invite_friends">邀请朋友</string>
<string name="settings_server_version">服务器版本</string> <string name="settings_server_version">服务器版本</string>
@ -2819,4 +2819,5 @@
<string name="error_voice_broadcast_unable_to_play">无法播放此语音广播。</string> <string name="error_voice_broadcast_unable_to_play">无法播放此语音广播。</string>
<string name="error_voice_message_broadcast_in_progress_message">你无法启动语音消息因为你正在录制实时广播。请终止实时广播以开始录制语音消息</string> <string name="error_voice_message_broadcast_in_progress_message">你无法启动语音消息因为你正在录制实时广播。请终止实时广播以开始录制语音消息</string>
<string name="error_voice_message_broadcast_in_progress">无法启动语音消息</string> <string name="error_voice_message_broadcast_in_progress">无法启动语音消息</string>
</resources> <string name="ended_poll_indicator">结束了投票。</string>
</resources>

View file

@ -17,8 +17,6 @@ package org.matrix.android.sdk.api.session.pushrules
import org.matrix.android.sdk.api.session.events.model.Event import org.matrix.android.sdk.api.session.events.model.Event
import org.matrix.android.sdk.internal.di.MoshiProvider import org.matrix.android.sdk.internal.di.MoshiProvider
import org.matrix.android.sdk.internal.util.caseInsensitiveFind
import org.matrix.android.sdk.internal.util.hasSpecialGlobChar
import org.matrix.android.sdk.internal.util.simpleGlobToRegExp import org.matrix.android.sdk.internal.util.simpleGlobToRegExp
import timber.log.Timber import timber.log.Timber
@ -31,18 +29,14 @@ class EventMatchCondition(
* The glob-style pattern to match against. Patterns with no special glob characters should * The glob-style pattern to match against. Patterns with no special glob characters should
* be treated as having asterisks prepended and appended when testing the condition. * be treated as having asterisks prepended and appended when testing the condition.
*/ */
val pattern: String, val pattern: String
/**
* true to match only words. In this case pattern will not be considered as a glob
*/
val wordsOnly: Boolean
) : Condition { ) : Condition {
override fun isSatisfied(event: Event, conditionResolver: ConditionResolver): Boolean { override fun isSatisfied(event: Event, conditionResolver: ConditionResolver): Boolean {
return conditionResolver.resolveEventMatchCondition(event, this) return conditionResolver.resolveEventMatchCondition(event, this)
} }
override fun technicalDescription() = "'$key' matches '$pattern', words only '$wordsOnly'" override fun technicalDescription() = "'$key' matches '$pattern'"
fun isSatisfied(event: Event): Boolean { fun isSatisfied(event: Event): Boolean {
// TODO encrypted events? // TODO encrypted events?
@ -50,21 +44,28 @@ class EventMatchCondition(
?: return false ?: return false
val value = extractField(rawJson, key) ?: return false val value = extractField(rawJson, key) ?: return false
// Patterns with no special glob characters should be treated as having asterisks prepended // The match is performed case-insensitively, and must match the entire value of
// and appended when testing the condition. // the event field given by `key` (though see below regarding `content.body`). The
// exact meaning of "case insensitive" is defined by the implementation of the
// homeserver.
//
// As a special case, if `key` is `content.body`, then `pattern` must instead
// match any substring of the value of the property which starts and ends at a
// word boundary.
return try { return try {
if (wordsOnly) { if (key == "content.body") {
value.caseInsensitiveFind(pattern) val modPattern = if (pattern.startsWith("*") && pattern.endsWith("*")) {
} else {
val modPattern = if (pattern.hasSpecialGlobChar()) {
// Regex.containsMatchIn() is way faster without leading and trailing // Regex.containsMatchIn() is way faster without leading and trailing
// stars, that don't make any difference for the evaluation result // stars, that don't make any difference for the evaluation result
pattern.removePrefix("*").removeSuffix("*").simpleGlobToRegExp() pattern.removePrefix("*").removeSuffix("*").simpleGlobToRegExp()
} else { } else {
pattern.simpleGlobToRegExp() "(\\W|^)" + pattern.simpleGlobToRegExp() + "(\\W|$)"
} }
val regex = Regex(modPattern, RegexOption.DOT_MATCHES_ALL) val regex = Regex(modPattern, setOf(RegexOption.DOT_MATCHES_ALL, RegexOption.IGNORE_CASE))
regex.containsMatchIn(value) regex.containsMatchIn(value)
} else {
val regex = Regex(pattern.simpleGlobToRegExp(), setOf(RegexOption.DOT_MATCHES_ALL, RegexOption.IGNORE_CASE))
regex.matches(value)
} }
} catch (e: Throwable) { } catch (e: Throwable) {
// e.g PatternSyntaxException // e.g PatternSyntaxException

View file

@ -22,7 +22,6 @@ import org.matrix.android.sdk.api.session.pushrules.ContainsDisplayNameCondition
import org.matrix.android.sdk.api.session.pushrules.EventMatchCondition import org.matrix.android.sdk.api.session.pushrules.EventMatchCondition
import org.matrix.android.sdk.api.session.pushrules.Kind import org.matrix.android.sdk.api.session.pushrules.Kind
import org.matrix.android.sdk.api.session.pushrules.RoomMemberCountCondition import org.matrix.android.sdk.api.session.pushrules.RoomMemberCountCondition
import org.matrix.android.sdk.api.session.pushrules.RuleIds
import org.matrix.android.sdk.api.session.pushrules.SenderNotificationPermissionCondition import org.matrix.android.sdk.api.session.pushrules.SenderNotificationPermissionCondition
import timber.log.Timber import timber.log.Timber
@ -59,11 +58,11 @@ data class PushCondition(
val iz: String? = null val iz: String? = null
) { ) {
fun asExecutableCondition(rule: PushRule): Condition? { fun asExecutableCondition(): Condition? {
return when (Kind.fromString(kind)) { return when (Kind.fromString(kind)) {
Kind.EventMatch -> { Kind.EventMatch -> {
if (key != null && pattern != null) { if (key != null && pattern != null) {
EventMatchCondition(key, pattern, rule.ruleId == RuleIds.RULE_ID_CONTAIN_USER_NAME) EventMatchCondition(key, pattern)
} else { } else {
Timber.e("Malformed Event match condition") Timber.e("Malformed Event match condition")
null null

View file

@ -28,7 +28,7 @@ internal class PushRuleFinder @Inject constructor(
return rules.firstOrNull { rule -> return rules.firstOrNull { rule ->
// All conditions must hold true for an event in order to apply the action for the event. // All conditions must hold true for an event in order to apply the action for the event.
rule.enabled && rule.conditions?.all { rule.enabled && rule.conditions?.all {
it.asExecutableCondition(rule)?.isSatisfied(event, conditionResolver) ?: false it.asExecutableCondition()?.isSatisfied(event, conditionResolver) ?: false
} ?: false } ?: false
} }
} }

View file

@ -49,7 +49,7 @@ class PushRulesConditionTest : MatrixTest {
@Test @Test
fun test_eventmatch_type_condition() { fun test_eventmatch_type_condition() {
val condition = EventMatchCondition("type", "m.room.message", false) val condition = EventMatchCondition("type", "m.room.message")
val simpleTextEvent = createSimpleTextEvent("Yo wtf?") val simpleTextEvent = createSimpleTextEvent("Yo wtf?")
@ -67,12 +67,12 @@ class PushRulesConditionTest : MatrixTest {
) )
assert(condition.isSatisfied(simpleTextEvent)) assert(condition.isSatisfied(simpleTextEvent))
assert(!condition.isSatisfied(simpleRoomMemberEvent)) assertFalse(condition.isSatisfied(simpleRoomMemberEvent))
} }
@Test @Test
fun test_eventmatch_path_condition() { fun test_eventmatch_path_condition() {
val condition = EventMatchCondition("content.msgtype", "m.text", false) val condition = EventMatchCondition("content.msgtype", "m.text")
val simpleTextEvent = createSimpleTextEvent("Yo wtf?") val simpleTextEvent = createSimpleTextEvent("Yo wtf?")
@ -89,28 +89,29 @@ class PushRulesConditionTest : MatrixTest {
).toContent(), ).toContent(),
originServerTs = 0 originServerTs = 0
).apply { ).apply {
assert(EventMatchCondition("content.membership", "invite", false).isSatisfied(this)) assert(EventMatchCondition("content.membership", "invite").isSatisfied(this))
} }
} }
@Test @Test
fun test_eventmatch_cake_condition() { fun test_eventmatch_cake_condition() {
val condition = EventMatchCondition("content.body", "cake", false) val condition = EventMatchCondition("content.body", "cake")
assert(condition.isSatisfied(createSimpleTextEvent("How was the cake?"))) assert(condition.isSatisfied(createSimpleTextEvent("How was the cake?")))
assert(condition.isSatisfied(createSimpleTextEvent("Howwasthecake?"))) assertFalse(condition.isSatisfied(createSimpleTextEvent("Howwasthecake?")))
} }
@Test @Test
fun test_eventmatch_cakelie_condition() { fun test_eventmatch_cakelie_condition() {
val condition = EventMatchCondition("content.body", "cake*lie", false) val condition = EventMatchCondition("content.body", "cake*lie")
assert(condition.isSatisfied(createSimpleTextEvent("How was the cakeisalie?"))) assert(condition.isSatisfied(createSimpleTextEvent("How was the cakeisalie?")))
assertFalse(condition.isSatisfied(createSimpleTextEvent("How was the notcakeisalie?")))
} }
@Test @Test
fun test_eventmatch_words_only_condition() { fun test_eventmatch_words_only_condition() {
val condition = EventMatchCondition("content.body", "ben", true) val condition = EventMatchCondition("content.body", "ben")
assertFalse(condition.isSatisfied(createSimpleTextEvent("benoit"))) assertFalse(condition.isSatisfied(createSimpleTextEvent("benoit")))
assertFalse(condition.isSatisfied(createSimpleTextEvent("Hello benoit"))) assertFalse(condition.isSatisfied(createSimpleTextEvent("Hello benoit")))
@ -124,9 +125,24 @@ class PushRulesConditionTest : MatrixTest {
assert(condition.isSatisfied(createSimpleTextEvent("BEN"))) assert(condition.isSatisfied(createSimpleTextEvent("BEN")))
} }
@Test
fun test_eventmatch_at_room_condition() {
val condition = EventMatchCondition("content.body", "@room")
assertFalse(condition.isSatisfied(createSimpleTextEvent("@roomba")))
assertFalse(condition.isSatisfied(createSimpleTextEvent("room benoit")))
assertFalse(condition.isSatisfied(createSimpleTextEvent("abc@roomba")))
assert(condition.isSatisfied(createSimpleTextEvent("@room")))
assert(condition.isSatisfied(createSimpleTextEvent("@room, ben")))
assert(condition.isSatisfied(createSimpleTextEvent("@ROOM")))
assert(condition.isSatisfied(createSimpleTextEvent("Use:@room")))
assert(condition.isSatisfied(createSimpleTextEvent("Don't ping @room!")))
}
@Test @Test
fun test_notice_condition() { fun test_notice_condition() {
val conditionEqual = EventMatchCondition("content.msgtype", "m.notice", false) val conditionEqual = EventMatchCondition("content.msgtype", "m.notice")
Event( Event(
type = "m.room.message", type = "m.room.message",

View file

@ -176,7 +176,7 @@ PreferenceManager\.getDefaultSharedPreferences==2
R\.string\.template_ R\.string\.template_
### Use the Clock interface, or use `measureTimeMillis` ### Use the Clock interface, or use `measureTimeMillis`
System\.currentTimeMillis\(\)===3 System\.currentTimeMillis\(\)===2
### Remove extra space between the name and the description ### Remove extra space between the name and the description
\* @\w+ \w+ + \* @\w+ \w+ +

View file

@ -392,6 +392,7 @@ android {
dependencies { dependencies {
implementation project(':vector') implementation project(':vector')
implementation project(':vector-config') implementation project(':vector-config')
implementation project(':library:core-utils')
debugImplementation project(':library:ui-styles') debugImplementation project(':library:ui-styles')
implementation libs.dagger.hilt implementation libs.dagger.hilt
implementation 'androidx.multidex:multidex:2.0.1' implementation 'androidx.multidex:multidex:2.0.1'

View file

@ -43,8 +43,8 @@ import com.google.android.material.bottomsheet.BottomSheetBehavior
import com.google.android.material.bottomsheet.BottomSheetDialog import com.google.android.material.bottomsheet.BottomSheetDialog
import com.google.android.material.bottomsheet.BottomSheetDialogFragment import com.google.android.material.bottomsheet.BottomSheetDialogFragment
import im.vector.app.core.platform.VectorBaseBottomSheetDialogFragment import im.vector.app.core.platform.VectorBaseBottomSheetDialogFragment
import im.vector.app.core.time.DefaultClock
import im.vector.app.espresso.tools.waitUntilViewVisible import im.vector.app.espresso.tools.waitUntilViewVisible
import im.vector.lib.core.utils.timer.DefaultClock
import kotlinx.coroutines.runBlocking import kotlinx.coroutines.runBlocking
import org.hamcrest.Matcher import org.hamcrest.Matcher
import org.hamcrest.Matchers import org.hamcrest.Matchers

View file

@ -24,7 +24,7 @@ import android.os.Build
import android.os.Environment import android.os.Environment
import android.provider.MediaStore import android.provider.MediaStore
import androidx.test.platform.app.InstrumentationRegistry.getInstrumentation import androidx.test.platform.app.InstrumentationRegistry.getInstrumentation
import im.vector.app.core.time.DefaultClock import im.vector.lib.core.utils.timer.DefaultClock
import org.junit.rules.TestWatcher import org.junit.rules.TestWatcher
import org.junit.runner.Description import org.junit.runner.Description
import timber.log.Timber import timber.log.Timber

View file

@ -28,7 +28,6 @@ import dagger.hilt.android.AndroidEntryPoint
import im.vector.app.R import im.vector.app.R
import im.vector.app.core.extensions.registerStartForActivityResult import im.vector.app.core.extensions.registerStartForActivityResult
import im.vector.app.core.platform.VectorBaseActivity import im.vector.app.core.platform.VectorBaseActivity
import im.vector.app.core.time.Clock
import im.vector.app.core.utils.PERMISSIONS_FOR_TAKING_PHOTO import im.vector.app.core.utils.PERMISSIONS_FOR_TAKING_PHOTO
import im.vector.app.core.utils.checkPermissions import im.vector.app.core.utils.checkPermissions
import im.vector.app.core.utils.registerForPermissionsResult import im.vector.app.core.utils.registerForPermissionsResult
@ -41,6 +40,7 @@ import im.vector.app.features.debug.sas.DebugSasEmojiActivity
import im.vector.app.features.debug.settings.DebugPrivateSettingsActivity import im.vector.app.features.debug.settings.DebugPrivateSettingsActivity
import im.vector.app.features.qrcode.QrCodeScannerActivity import im.vector.app.features.qrcode.QrCodeScannerActivity
import im.vector.application.databinding.ActivityDebugMenuBinding import im.vector.application.databinding.ActivityDebugMenuBinding
import im.vector.lib.core.utils.timer.Clock
import im.vector.lib.ui.styles.debug.DebugMaterialThemeDarkDefaultActivity import im.vector.lib.ui.styles.debug.DebugMaterialThemeDarkDefaultActivity
import im.vector.lib.ui.styles.debug.DebugMaterialThemeDarkTestActivity import im.vector.lib.ui.styles.debug.DebugMaterialThemeDarkTestActivity
import im.vector.lib.ui.styles.debug.DebugMaterialThemeDarkVectorActivity import im.vector.lib.ui.styles.debug.DebugMaterialThemeDarkVectorActivity

View file

@ -18,10 +18,10 @@ package im.vector.app.fdroid
import android.content.Context import android.content.Context
import im.vector.app.core.di.ActiveSessionHolder import im.vector.app.core.di.ActiveSessionHolder
import im.vector.app.core.time.Clock
import im.vector.app.fdroid.receiver.AlarmSyncBroadcastReceiver import im.vector.app.fdroid.receiver.AlarmSyncBroadcastReceiver
import im.vector.app.features.settings.BackgroundSyncMode import im.vector.app.features.settings.BackgroundSyncMode
import im.vector.app.features.settings.VectorPreferences import im.vector.app.features.settings.VectorPreferences
import im.vector.lib.core.utils.timer.Clock
import timber.log.Timber import timber.log.Timber
import javax.inject.Inject import javax.inject.Inject

View file

@ -28,7 +28,7 @@ import androidx.core.content.getSystemService
import im.vector.app.core.extensions.singletonEntryPoint import im.vector.app.core.extensions.singletonEntryPoint
import im.vector.app.core.platform.PendingIntentCompat import im.vector.app.core.platform.PendingIntentCompat
import im.vector.app.core.services.VectorSyncAndroidService import im.vector.app.core.services.VectorSyncAndroidService
import im.vector.app.core.time.Clock import im.vector.lib.core.utils.timer.Clock
import org.matrix.android.sdk.api.session.sync.job.SyncAndroidService import org.matrix.android.sdk.api.session.sync.job.SyncAndroidService
import timber.log.Timber import timber.log.Timber

View file

@ -22,8 +22,8 @@ import com.google.firebase.appdistribution.FirebaseAppDistribution
import com.google.firebase.appdistribution.FirebaseAppDistributionException import com.google.firebase.appdistribution.FirebaseAppDistributionException
import im.vector.app.core.di.DefaultPreferences import im.vector.app.core.di.DefaultPreferences
import im.vector.app.core.resources.BuildMeta import im.vector.app.core.resources.BuildMeta
import im.vector.app.core.time.Clock
import im.vector.app.features.home.NightlyProxy import im.vector.app.features.home.NightlyProxy
import im.vector.lib.core.utils.timer.Clock
import timber.log.Timber import timber.log.Timber
import javax.inject.Inject import javax.inject.Inject

View file

@ -40,8 +40,6 @@ import im.vector.app.core.dispatchers.CoroutineDispatchers
import im.vector.app.core.error.DefaultErrorFormatter import im.vector.app.core.error.DefaultErrorFormatter
import im.vector.app.core.error.ErrorFormatter import im.vector.app.core.error.ErrorFormatter
import im.vector.app.core.resources.BuildMeta import im.vector.app.core.resources.BuildMeta
import im.vector.app.core.time.Clock
import im.vector.app.core.time.DefaultClock
import im.vector.app.core.utils.AndroidSystemSettingsProvider import im.vector.app.core.utils.AndroidSystemSettingsProvider
import im.vector.app.core.utils.SystemSettingsProvider import im.vector.app.core.utils.SystemSettingsProvider
import im.vector.app.features.analytics.AnalyticsTracker import im.vector.app.features.analytics.AnalyticsTracker
@ -63,6 +61,8 @@ import im.vector.app.features.settings.VectorPreferences
import im.vector.app.features.ui.SharedPreferencesUiStateRepository import im.vector.app.features.ui.SharedPreferencesUiStateRepository
import im.vector.app.features.ui.UiStateRepository import im.vector.app.features.ui.UiStateRepository
import im.vector.application.BuildConfig import im.vector.application.BuildConfig
import im.vector.lib.core.utils.timer.Clock
import im.vector.lib.core.utils.timer.DefaultClock
import kotlinx.coroutines.CoroutineScope import kotlinx.coroutines.CoroutineScope
import kotlinx.coroutines.DelicateCoroutinesApi import kotlinx.coroutines.DelicateCoroutinesApi
import kotlinx.coroutines.Dispatchers import kotlinx.coroutines.Dispatchers
@ -106,9 +106,6 @@ import javax.inject.Singleton
@Binds @Binds
abstract fun bindAutoAcceptInvites(autoAcceptInvites: CompileTimeAutoAcceptInvites): AutoAcceptInvites abstract fun bindAutoAcceptInvites(autoAcceptInvites: CompileTimeAutoAcceptInvites): AutoAcceptInvites
@Binds
abstract fun bindDefaultClock(clock: DefaultClock): Clock
@Binds @Binds
abstract fun bindEmojiSpanify(emojiCompatWrapper: EmojiCompatWrapper): EmojiSpanify abstract fun bindEmojiSpanify(emojiCompatWrapper: EmojiCompatWrapper): EmojiSpanify
@ -245,4 +242,8 @@ import javax.inject.Singleton
fun providesDefaultSharedPreferences(context: Context): SharedPreferences { fun providesDefaultSharedPreferences(context: Context): SharedPreferences {
return PreferenceManager.getDefaultSharedPreferences(context.applicationContext) return PreferenceManager.getDefaultSharedPreferences(context.applicationContext)
} }
@Singleton
@Provides
fun providesDefaultClock(): Clock = DefaultClock()
} }

View file

@ -22,7 +22,7 @@ import android.text.format.DateUtils
import im.vector.app.core.resources.DateProvider import im.vector.app.core.resources.DateProvider
import im.vector.app.core.resources.LocaleProvider import im.vector.app.core.resources.LocaleProvider
import im.vector.app.core.resources.toTimestamp import im.vector.app.core.resources.toTimestamp
import im.vector.app.core.time.Clock import im.vector.lib.core.utils.timer.Clock
import org.threeten.bp.LocalDateTime import org.threeten.bp.LocalDateTime
import org.threeten.bp.Period import org.threeten.bp.Period
import org.threeten.bp.format.DateTimeFormatter import org.threeten.bp.format.DateTimeFormatter

View file

@ -21,7 +21,6 @@ import dagger.hilt.InstallIn
import dagger.hilt.components.SingletonComponent import dagger.hilt.components.SingletonComponent
import im.vector.app.core.dialogs.UnrecognizedCertificateDialog import im.vector.app.core.dialogs.UnrecognizedCertificateDialog
import im.vector.app.core.error.ErrorFormatter import im.vector.app.core.error.ErrorFormatter
import im.vector.app.core.time.Clock
import im.vector.app.features.analytics.AnalyticsTracker import im.vector.app.features.analytics.AnalyticsTracker
import im.vector.app.features.call.webrtc.WebRtcCallManager import im.vector.app.features.call.webrtc.WebRtcCallManager
import im.vector.app.features.home.AvatarRenderer import im.vector.app.features.home.AvatarRenderer
@ -31,6 +30,7 @@ import im.vector.app.features.rageshake.BugReporter
import im.vector.app.features.session.SessionListener import im.vector.app.features.session.SessionListener
import im.vector.app.features.settings.VectorPreferences import im.vector.app.features.settings.VectorPreferences
import im.vector.app.features.ui.UiStateRepository import im.vector.app.features.ui.UiStateRepository
import im.vector.lib.core.utils.timer.Clock
import kotlinx.coroutines.CoroutineScope import kotlinx.coroutines.CoroutineScope
@InstallIn(SingletonComponent::class) @InstallIn(SingletonComponent::class)

View file

@ -27,12 +27,12 @@ import im.vector.app.core.dialogs.GalleryOrCameraDialogHelper.Listener
import im.vector.app.core.extensions.insertBeforeLast import im.vector.app.core.extensions.insertBeforeLast
import im.vector.app.core.extensions.registerStartForActivityResult import im.vector.app.core.extensions.registerStartForActivityResult
import im.vector.app.core.resources.ColorProvider import im.vector.app.core.resources.ColorProvider
import im.vector.app.core.time.Clock
import im.vector.app.core.utils.PERMISSIONS_FOR_TAKING_PHOTO import im.vector.app.core.utils.PERMISSIONS_FOR_TAKING_PHOTO
import im.vector.app.core.utils.checkPermissions import im.vector.app.core.utils.checkPermissions
import im.vector.app.core.utils.onPermissionDeniedDialog import im.vector.app.core.utils.onPermissionDeniedDialog
import im.vector.app.core.utils.registerForPermissionsResult import im.vector.app.core.utils.registerForPermissionsResult
import im.vector.app.features.media.createUCropWithDefaultSettings import im.vector.app.features.media.createUCropWithDefaultSettings
import im.vector.lib.core.utils.timer.Clock
import im.vector.lib.multipicker.MultiPicker import im.vector.lib.multipicker.MultiPicker
import im.vector.lib.multipicker.entity.MultiPickerImageType import im.vector.lib.multipicker.entity.MultiPickerImageType
import java.io.File import java.io.File

View file

@ -18,7 +18,7 @@ package im.vector.app.core.dialogs
import androidx.fragment.app.Fragment import androidx.fragment.app.Fragment
import im.vector.app.core.resources.ColorProvider import im.vector.app.core.resources.ColorProvider
import im.vector.app.core.time.Clock import im.vector.lib.core.utils.timer.Clock
import javax.inject.Inject import javax.inject.Inject
/** /**

View file

@ -34,10 +34,10 @@ import dagger.hilt.android.AndroidEntryPoint
import im.vector.app.R import im.vector.app.R
import im.vector.app.core.extensions.startForegroundCompat import im.vector.app.core.extensions.startForegroundCompat
import im.vector.app.core.platform.PendingIntentCompat import im.vector.app.core.platform.PendingIntentCompat
import im.vector.app.core.time.Clock
import im.vector.app.core.time.DefaultClock
import im.vector.app.features.notifications.NotificationUtils import im.vector.app.features.notifications.NotificationUtils
import im.vector.app.features.settings.BackgroundSyncMode import im.vector.app.features.settings.BackgroundSyncMode
import im.vector.lib.core.utils.timer.Clock
import im.vector.lib.core.utils.timer.DefaultClock
import org.matrix.android.sdk.api.Matrix import org.matrix.android.sdk.api.Matrix
import org.matrix.android.sdk.api.session.sync.job.SyncAndroidService import org.matrix.android.sdk.api.session.sync.job.SyncAndroidService
import timber.log.Timber import timber.log.Timber

View file

@ -16,10 +16,10 @@
package im.vector.app.features.analytics package im.vector.app.features.analytics
import im.vector.app.core.time.Clock
import im.vector.app.features.analytics.plan.Error import im.vector.app.features.analytics.plan.Error
import im.vector.lib.core.utils.compat.removeIfCompat import im.vector.lib.core.utils.compat.removeIfCompat
import im.vector.lib.core.utils.flow.tickerFlow import im.vector.lib.core.utils.flow.tickerFlow
import im.vector.lib.core.utils.timer.Clock
import kotlinx.coroutines.CoroutineScope import kotlinx.coroutines.CoroutineScope
import kotlinx.coroutines.Dispatchers import kotlinx.coroutines.Dispatchers
import kotlinx.coroutines.SupervisorJob import kotlinx.coroutines.SupervisorJob

View file

@ -47,12 +47,12 @@ import im.vector.app.core.extensions.registerStartForActivityResult
import im.vector.app.core.platform.VectorBaseFragment import im.vector.app.core.platform.VectorBaseFragment
import im.vector.app.core.platform.VectorMenuProvider import im.vector.app.core.platform.VectorMenuProvider
import im.vector.app.core.resources.ColorProvider import im.vector.app.core.resources.ColorProvider
import im.vector.app.core.time.Clock
import im.vector.app.core.utils.OnSnapPositionChangeListener import im.vector.app.core.utils.OnSnapPositionChangeListener
import im.vector.app.core.utils.SnapOnScrollListener import im.vector.app.core.utils.SnapOnScrollListener
import im.vector.app.core.utils.attachSnapHelperWithListener import im.vector.app.core.utils.attachSnapHelperWithListener
import im.vector.app.databinding.FragmentAttachmentsPreviewBinding import im.vector.app.databinding.FragmentAttachmentsPreviewBinding
import im.vector.app.features.media.createUCropWithDefaultSettings import im.vector.app.features.media.createUCropWithDefaultSettings
import im.vector.lib.core.utils.timer.Clock
import kotlinx.parcelize.Parcelize import kotlinx.parcelize.Parcelize
import org.matrix.android.sdk.api.extensions.orFalse import org.matrix.android.sdk.api.extensions.orFalse
import org.matrix.android.sdk.api.session.content.ContentAttachmentData import org.matrix.android.sdk.api.session.content.ContentAttachmentData

View file

@ -19,7 +19,6 @@ package im.vector.app.features.call.conference
import im.vector.app.R import im.vector.app.R
import im.vector.app.core.network.await import im.vector.app.core.network.await
import im.vector.app.core.resources.StringProvider import im.vector.app.core.resources.StringProvider
import im.vector.app.core.time.Clock
import im.vector.app.core.utils.ensureProtocol import im.vector.app.core.utils.ensureProtocol
import im.vector.app.core.utils.toBase32String import im.vector.app.core.utils.toBase32String
import im.vector.app.features.call.conference.jwt.JitsiJWTFactory import im.vector.app.features.call.conference.jwt.JitsiJWTFactory
@ -27,6 +26,7 @@ import im.vector.app.features.displayname.getBestName
import im.vector.app.features.raw.wellknown.getElementWellknown import im.vector.app.features.raw.wellknown.getElementWellknown
import im.vector.app.features.settings.VectorLocaleProvider import im.vector.app.features.settings.VectorLocaleProvider
import im.vector.app.features.themes.ThemeProvider import im.vector.app.features.themes.ThemeProvider
import im.vector.lib.core.utils.timer.Clock
import okhttp3.Request import okhttp3.Request
import org.jitsi.meet.sdk.JitsiMeetUserInfo import org.jitsi.meet.sdk.JitsiMeetUserInfo
import org.matrix.android.sdk.api.extensions.tryOrNull import org.matrix.android.sdk.api.extensions.tryOrNull

View file

@ -22,8 +22,8 @@ import android.os.IBinder
import dagger.hilt.android.AndroidEntryPoint import dagger.hilt.android.AndroidEntryPoint
import im.vector.app.core.extensions.startForegroundCompat import im.vector.app.core.extensions.startForegroundCompat
import im.vector.app.core.services.VectorAndroidService import im.vector.app.core.services.VectorAndroidService
import im.vector.app.core.time.Clock
import im.vector.app.features.notifications.NotificationUtils import im.vector.app.features.notifications.NotificationUtils
import im.vector.lib.core.utils.timer.Clock
import javax.inject.Inject import javax.inject.Inject
@AndroidEntryPoint @AndroidEntryPoint

View file

@ -23,8 +23,8 @@ import androidx.lifecycle.viewModelScope
import com.nulabinc.zxcvbn.Strength import com.nulabinc.zxcvbn.Strength
import im.vector.app.R import im.vector.app.R
import im.vector.app.core.platform.WaitingViewData import im.vector.app.core.platform.WaitingViewData
import im.vector.app.core.time.Clock
import im.vector.app.core.utils.LiveEvent import im.vector.app.core.utils.LiveEvent
import im.vector.lib.core.utils.timer.Clock
import kotlinx.coroutines.launch import kotlinx.coroutines.launch
import org.matrix.android.sdk.api.listeners.ProgressListener import org.matrix.android.sdk.api.listeners.ProgressListener
import org.matrix.android.sdk.api.session.Session import org.matrix.android.sdk.api.session.Session

View file

@ -18,7 +18,6 @@ package im.vector.app.features.crypto.verification
import android.content.Context import android.content.Context
import im.vector.app.R import im.vector.app.R
import im.vector.app.core.platform.VectorBaseActivity import im.vector.app.core.platform.VectorBaseActivity
import im.vector.app.core.time.Clock
import im.vector.app.features.analytics.plan.ViewRoom import im.vector.app.features.analytics.plan.ViewRoom
import im.vector.app.features.displayname.getBestName import im.vector.app.features.displayname.getBestName
import im.vector.app.features.home.AvatarRenderer import im.vector.app.features.home.AvatarRenderer
@ -28,6 +27,7 @@ import im.vector.app.features.popup.PopupAlertManager
import im.vector.app.features.popup.VerificationVectorAlert import im.vector.app.features.popup.VerificationVectorAlert
import im.vector.app.features.session.coroutineScope import im.vector.app.features.session.coroutineScope
import im.vector.lib.core.utils.compat.getParcelableCompat import im.vector.lib.core.utils.compat.getParcelableCompat
import im.vector.lib.core.utils.timer.Clock
import kotlinx.coroutines.CoroutineScope import kotlinx.coroutines.CoroutineScope
import kotlinx.coroutines.SupervisorJob import kotlinx.coroutines.SupervisorJob
import kotlinx.coroutines.cancel import kotlinx.coroutines.cancel

View file

@ -16,8 +16,8 @@
package im.vector.app.features.home package im.vector.app.features.home
import im.vector.app.core.time.Clock
import im.vector.app.features.settings.VectorPreferences import im.vector.app.features.settings.VectorPreferences
import im.vector.lib.core.utils.timer.Clock
import javax.inject.Inject import javax.inject.Inject
class SetUnverifiedSessionsAlertShownUseCase @Inject constructor( class SetUnverifiedSessionsAlertShownUseCase @Inject constructor(

View file

@ -17,9 +17,9 @@
package im.vector.app.features.home package im.vector.app.features.home
import im.vector.app.config.Config import im.vector.app.config.Config
import im.vector.app.core.time.Clock
import im.vector.app.features.VectorFeatures import im.vector.app.features.VectorFeatures
import im.vector.app.features.settings.VectorPreferences import im.vector.app.features.settings.VectorPreferences
import im.vector.lib.core.utils.timer.Clock
import javax.inject.Inject import javax.inject.Inject
class ShouldShowUnverifiedSessionsAlertUseCase @Inject constructor( class ShouldShowUnverifiedSessionsAlertUseCase @Inject constructor(

View file

@ -32,7 +32,7 @@ import im.vector.app.core.platform.EmptyViewEvents
import im.vector.app.core.platform.VectorViewModel import im.vector.app.core.platform.VectorViewModel
import im.vector.app.core.platform.VectorViewModelAction import im.vector.app.core.platform.VectorViewModelAction
import im.vector.app.core.session.clientinfo.DeleteUnusedClientInformationUseCase import im.vector.app.core.session.clientinfo.DeleteUnusedClientInformationUseCase
import im.vector.app.core.time.Clock import im.vector.lib.core.utils.timer.Clock
import kotlinx.coroutines.flow.combine import kotlinx.coroutines.flow.combine
import kotlinx.coroutines.flow.distinctUntilChanged import kotlinx.coroutines.flow.distinctUntilChanged
import kotlinx.coroutines.flow.launchIn import kotlinx.coroutines.flow.launchIn

View file

@ -16,7 +16,7 @@
package im.vector.app.features.home.room.detail package im.vector.app.features.home.room.detail
import im.vector.app.core.time.Clock import im.vector.lib.core.utils.timer.Clock
import org.matrix.android.sdk.api.session.events.model.toModel import org.matrix.android.sdk.api.session.events.model.toModel
import org.matrix.android.sdk.api.session.room.model.message.MessageContent import org.matrix.android.sdk.api.session.room.model.message.MessageContent
import org.matrix.android.sdk.api.session.room.model.message.MessageType import org.matrix.android.sdk.api.session.room.model.message.MessageType

View file

@ -33,8 +33,8 @@ import com.airbnb.epoxy.EpoxyModel
import com.airbnb.epoxy.EpoxyTouchHelperCallback import com.airbnb.epoxy.EpoxyTouchHelperCallback
import com.airbnb.epoxy.EpoxyViewHolder import com.airbnb.epoxy.EpoxyViewHolder
import im.vector.app.R import im.vector.app.R
import im.vector.app.core.time.Clock
import im.vector.app.features.themes.ThemeUtils import im.vector.app.features.themes.ThemeUtils
import im.vector.lib.core.utils.timer.Clock
import timber.log.Timber import timber.log.Timber
import kotlin.math.abs import kotlin.math.abs
import kotlin.math.min import kotlin.math.min

View file

@ -86,7 +86,6 @@ import im.vector.app.core.platform.VectorMenuProvider
import im.vector.app.core.platform.showOptimizedSnackbar import im.vector.app.core.platform.showOptimizedSnackbar
import im.vector.app.core.resources.ColorProvider import im.vector.app.core.resources.ColorProvider
import im.vector.app.core.resources.UserPreferencesProvider import im.vector.app.core.resources.UserPreferencesProvider
import im.vector.app.core.time.Clock
import im.vector.app.core.ui.views.CurrentCallsView import im.vector.app.core.ui.views.CurrentCallsView
import im.vector.app.core.ui.views.CurrentCallsViewPresenter import im.vector.app.core.ui.views.CurrentCallsViewPresenter
import im.vector.app.core.ui.views.FailedMessagesWarningView import im.vector.app.core.ui.views.FailedMessagesWarningView
@ -186,6 +185,7 @@ import im.vector.app.features.widgets.WidgetActivity
import im.vector.app.features.widgets.WidgetArgs import im.vector.app.features.widgets.WidgetArgs
import im.vector.app.features.widgets.WidgetKind import im.vector.app.features.widgets.WidgetKind
import im.vector.app.features.widgets.permissions.RoomWidgetPermissionBottomSheet import im.vector.app.features.widgets.permissions.RoomWidgetPermissionBottomSheet
import im.vector.lib.core.utils.timer.Clock
import kotlinx.coroutines.Dispatchers import kotlinx.coroutines.Dispatchers
import kotlinx.coroutines.flow.launchIn import kotlinx.coroutines.flow.launchIn
import kotlinx.coroutines.flow.onEach import kotlinx.coroutines.flow.onEach

View file

@ -200,7 +200,7 @@ class AudioMessageHelper @Inject constructor(
amplitudeTicker?.stop() amplitudeTicker?.stop()
amplitudeTicker = CountUpTimer(intervalInMs = 50).apply { amplitudeTicker = CountUpTimer(intervalInMs = 50).apply {
tickListener = CountUpTimer.TickListener { onAmplitudeTick() } tickListener = CountUpTimer.TickListener { onAmplitudeTick() }
resume() start()
} }
} }
@ -218,10 +218,6 @@ class AudioMessageHelper @Inject constructor(
} }
} }
private fun resumeRecordingAmplitudes() {
amplitudeTicker?.resume()
}
private fun stopRecordingAmplitudes() { private fun stopRecordingAmplitudes() {
amplitudeTicker?.stop() amplitudeTicker?.stop()
amplitudeTicker = null amplitudeTicker = null
@ -231,7 +227,7 @@ class AudioMessageHelper @Inject constructor(
playbackTicker?.stop() playbackTicker?.stop()
playbackTicker = CountUpTimer().apply { playbackTicker = CountUpTimer().apply {
tickListener = CountUpTimer.TickListener { onPlaybackTick(id) } tickListener = CountUpTimer.TickListener { onPlaybackTick(id) }
resume() start()
} }
onPlaybackTick(id) onPlaybackTick(id)
} }

View file

@ -29,7 +29,6 @@ import im.vector.app.core.di.hiltMavericksViewModelFactory
import im.vector.app.core.extensions.getVectorLastMessageContent import im.vector.app.core.extensions.getVectorLastMessageContent
import im.vector.app.core.platform.VectorViewModel import im.vector.app.core.platform.VectorViewModel
import im.vector.app.core.resources.StringProvider import im.vector.app.core.resources.StringProvider
import im.vector.app.core.time.Clock
import im.vector.app.features.analytics.AnalyticsTracker import im.vector.app.features.analytics.AnalyticsTracker
import im.vector.app.features.analytics.extensions.toAnalyticsComposer import im.vector.app.features.analytics.extensions.toAnalyticsComposer
import im.vector.app.features.analytics.extensions.toAnalyticsJoinedRoom import im.vector.app.features.analytics.extensions.toAnalyticsJoinedRoom
@ -52,6 +51,7 @@ import im.vector.app.features.voicebroadcast.model.VoiceBroadcastState
import im.vector.app.features.voicebroadcast.model.asVoiceBroadcastEvent import im.vector.app.features.voicebroadcast.model.asVoiceBroadcastEvent
import im.vector.app.features.voicebroadcast.usecase.GetVoiceBroadcastStateEventLiveUseCase import im.vector.app.features.voicebroadcast.usecase.GetVoiceBroadcastStateEventLiveUseCase
import im.vector.app.features.voicebroadcast.voiceBroadcastId import im.vector.app.features.voicebroadcast.voiceBroadcastId
import im.vector.lib.core.utils.timer.Clock
import kotlinx.coroutines.Dispatchers import kotlinx.coroutines.Dispatchers
import kotlinx.coroutines.flow.combine import kotlinx.coroutines.flow.combine
import kotlinx.coroutines.flow.flatMapLatest import kotlinx.coroutines.flow.flatMapLatest

View file

@ -23,10 +23,10 @@ import androidx.constraintlayout.widget.ConstraintLayout
import dagger.hilt.android.AndroidEntryPoint import dagger.hilt.android.AndroidEntryPoint
import im.vector.app.R import im.vector.app.R
import im.vector.app.core.hardware.vibrate import im.vector.app.core.hardware.vibrate
import im.vector.app.core.time.Clock
import im.vector.app.core.utils.DimensionConverter import im.vector.app.core.utils.DimensionConverter
import im.vector.app.databinding.ViewVoiceMessageRecorderBinding import im.vector.app.databinding.ViewVoiceMessageRecorderBinding
import im.vector.app.features.home.room.detail.timeline.helper.AudioMessagePlaybackTracker import im.vector.app.features.home.room.detail.timeline.helper.AudioMessagePlaybackTracker
import im.vector.lib.core.utils.timer.Clock
import im.vector.lib.core.utils.timer.CountUpTimer import im.vector.lib.core.utils.timer.CountUpTimer
import javax.inject.Inject import javax.inject.Inject
import kotlin.math.floor import kotlin.math.floor
@ -193,7 +193,7 @@ class VoiceMessageRecorderView @JvmOverloads constructor(
val isLocked = startFromLocked || lastKnownState is RecordingUiState.Locked val isLocked = startFromLocked || lastKnownState is RecordingUiState.Locked
onRecordingTick(isLocked, milliseconds + startMs) onRecordingTick(isLocked, milliseconds + startMs)
} }
resume() start()
} }
onRecordingTick(startFromLocked, milliseconds = startMs) onRecordingTick(startFromLocked, milliseconds = startMs)
} }

View file

@ -27,7 +27,6 @@ import dagger.hilt.android.AndroidEntryPoint
import im.vector.app.R import im.vector.app.R
import im.vector.app.core.hardware.vibrate import im.vector.app.core.hardware.vibrate
import im.vector.app.core.platform.VectorBaseFragment import im.vector.app.core.platform.VectorBaseFragment
import im.vector.app.core.time.Clock
import im.vector.app.core.utils.PERMISSIONS_FOR_VOICE_MESSAGE import im.vector.app.core.utils.PERMISSIONS_FOR_VOICE_MESSAGE
import im.vector.app.core.utils.checkPermissions import im.vector.app.core.utils.checkPermissions
import im.vector.app.core.utils.onPermissionDeniedSnackbar import im.vector.app.core.utils.onPermissionDeniedSnackbar
@ -41,6 +40,7 @@ import im.vector.app.features.home.room.detail.composer.MessageComposerViewState
import im.vector.app.features.home.room.detail.composer.SendMode import im.vector.app.features.home.room.detail.composer.SendMode
import im.vector.app.features.home.room.detail.composer.boolean import im.vector.app.features.home.room.detail.composer.boolean
import im.vector.app.features.home.room.detail.timeline.helper.AudioMessagePlaybackTracker import im.vector.app.features.home.room.detail.timeline.helper.AudioMessagePlaybackTracker
import im.vector.lib.core.utils.timer.Clock
import javax.inject.Inject import javax.inject.Inject
@AndroidEntryPoint @AndroidEntryPoint

View file

@ -30,11 +30,11 @@ import im.vector.app.core.epoxy.loadingItem
import im.vector.app.core.epoxy.noResultItem import im.vector.app.core.epoxy.noResultItem
import im.vector.app.core.resources.StringProvider import im.vector.app.core.resources.StringProvider
import im.vector.app.core.resources.UserPreferencesProvider import im.vector.app.core.resources.UserPreferencesProvider
import im.vector.app.core.time.Clock
import im.vector.app.core.ui.list.GenericHeaderItem_ import im.vector.app.core.ui.list.GenericHeaderItem_
import im.vector.app.features.home.AvatarRenderer import im.vector.app.features.home.AvatarRenderer
import im.vector.app.features.home.room.detail.timeline.format.DisplayableEventFormatter import im.vector.app.features.home.room.detail.timeline.format.DisplayableEventFormatter
import im.vector.lib.core.utils.epoxy.charsequence.toEpoxyCharSequence import im.vector.lib.core.utils.epoxy.charsequence.toEpoxyCharSequence
import im.vector.lib.core.utils.timer.Clock
import org.matrix.android.sdk.api.session.Session import org.matrix.android.sdk.api.session.Session
import org.matrix.android.sdk.api.session.events.model.Content import org.matrix.android.sdk.api.session.events.model.Content
import org.matrix.android.sdk.api.session.events.model.Event import org.matrix.android.sdk.api.session.events.model.Event

View file

@ -31,7 +31,6 @@ import im.vector.app.core.epoxy.LoadingItem_
import im.vector.app.core.extensions.localDateTime import im.vector.app.core.extensions.localDateTime
import im.vector.app.core.extensions.nextOrNull import im.vector.app.core.extensions.nextOrNull
import im.vector.app.core.extensions.prevOrNull import im.vector.app.core.extensions.prevOrNull
import im.vector.app.core.time.Clock
import im.vector.app.features.home.AvatarRenderer import im.vector.app.features.home.AvatarRenderer
import im.vector.app.features.home.room.detail.JitsiState import im.vector.app.features.home.room.detail.JitsiState
import im.vector.app.features.home.room.detail.RoomDetailAction import im.vector.app.features.home.room.detail.RoomDetailAction
@ -64,6 +63,7 @@ import im.vector.app.features.media.AttachmentData
import im.vector.app.features.media.ImageContentRenderer import im.vector.app.features.media.ImageContentRenderer
import im.vector.app.features.media.VideoContentRenderer import im.vector.app.features.media.VideoContentRenderer
import im.vector.app.features.settings.VectorPreferences import im.vector.app.features.settings.VectorPreferences
import im.vector.lib.core.utils.timer.Clock
import org.matrix.android.sdk.api.session.Session import org.matrix.android.sdk.api.session.Session
import org.matrix.android.sdk.api.session.events.model.EventType import org.matrix.android.sdk.api.session.events.model.EventType
import org.matrix.android.sdk.api.session.events.model.toModel import org.matrix.android.sdk.api.session.events.model.toModel

View file

@ -26,13 +26,13 @@ import im.vector.app.core.date.DateFormatKind
import im.vector.app.core.date.VectorDateFormatter import im.vector.app.core.date.VectorDateFormatter
import im.vector.app.core.resources.ColorProvider import im.vector.app.core.resources.ColorProvider
import im.vector.app.core.resources.StringProvider import im.vector.app.core.resources.StringProvider
import im.vector.app.core.time.Clock
import im.vector.app.core.ui.list.genericFooterItem import im.vector.app.core.ui.list.genericFooterItem
import im.vector.app.core.ui.list.genericHeaderItem import im.vector.app.core.ui.list.genericHeaderItem
import im.vector.app.core.ui.list.genericItem import im.vector.app.core.ui.list.genericItem
import im.vector.app.core.ui.list.genericLoaderItem import im.vector.app.core.ui.list.genericLoaderItem
import im.vector.app.features.html.EventHtmlRenderer import im.vector.app.features.html.EventHtmlRenderer
import im.vector.lib.core.utils.epoxy.charsequence.toEpoxyCharSequence import im.vector.lib.core.utils.epoxy.charsequence.toEpoxyCharSequence
import im.vector.lib.core.utils.timer.Clock
import me.gujun.android.span.span import me.gujun.android.span.span
import name.fraser.neil.plaintext.diff_match_patch import name.fraser.neil.plaintext.diff_match_patch
import org.matrix.android.sdk.api.session.events.model.Event import org.matrix.android.sdk.api.session.events.model.Event

View file

@ -32,7 +32,6 @@ import im.vector.app.core.extensions.getVectorLastMessageContent
import im.vector.app.core.files.LocalFilesHelper import im.vector.app.core.files.LocalFilesHelper
import im.vector.app.core.resources.ColorProvider import im.vector.app.core.resources.ColorProvider
import im.vector.app.core.resources.StringProvider import im.vector.app.core.resources.StringProvider
import im.vector.app.core.time.Clock
import im.vector.app.core.utils.DimensionConverter import im.vector.app.core.utils.DimensionConverter
import im.vector.app.core.utils.containsOnlyEmojis import im.vector.app.core.utils.containsOnlyEmojis
import im.vector.app.features.home.room.detail.timeline.TimelineEventController import im.vector.app.features.home.room.detail.timeline.TimelineEventController
@ -83,6 +82,7 @@ import im.vector.app.features.voice.AudioWaveformView
import im.vector.app.features.voicebroadcast.isVoiceBroadcast import im.vector.app.features.voicebroadcast.isVoiceBroadcast
import im.vector.app.features.voicebroadcast.model.MessageVoiceBroadcastInfoContent import im.vector.app.features.voicebroadcast.model.MessageVoiceBroadcastInfoContent
import im.vector.lib.core.utils.epoxy.charsequence.toEpoxyCharSequence import im.vector.lib.core.utils.epoxy.charsequence.toEpoxyCharSequence
import im.vector.lib.core.utils.timer.Clock
import me.gujun.android.span.span import me.gujun.android.span.span
import org.matrix.android.sdk.api.MatrixUrls.isMxcUrl import org.matrix.android.sdk.api.MatrixUrls.isMxcUrl
import org.matrix.android.sdk.api.session.Session import org.matrix.android.sdk.api.session.Session

View file

@ -31,11 +31,11 @@ import com.airbnb.epoxy.EpoxyModelClass
import im.vector.app.R import im.vector.app.R
import im.vector.app.core.epoxy.ClickListener import im.vector.app.core.epoxy.ClickListener
import im.vector.app.core.epoxy.onClick import im.vector.app.core.epoxy.onClick
import im.vector.app.core.time.Clock
import im.vector.app.features.home.AvatarRenderer import im.vector.app.features.home.AvatarRenderer
import im.vector.app.features.home.room.detail.RoomDetailAction import im.vector.app.features.home.room.detail.RoomDetailAction
import im.vector.app.features.home.room.detail.timeline.MessageColorProvider import im.vector.app.features.home.room.detail.timeline.MessageColorProvider
import im.vector.app.features.home.room.detail.timeline.TimelineEventController import im.vector.app.features.home.room.detail.timeline.TimelineEventController
import im.vector.lib.core.utils.timer.Clock
import org.matrix.android.sdk.api.session.crypto.verification.VerificationService import org.matrix.android.sdk.api.session.crypto.verification.VerificationService
import org.matrix.android.sdk.api.session.crypto.verification.VerificationState import org.matrix.android.sdk.api.session.crypto.verification.VerificationState

View file

@ -23,8 +23,8 @@ import im.vector.app.core.date.VectorDateFormatter
import im.vector.app.core.resources.DateProvider import im.vector.app.core.resources.DateProvider
import im.vector.app.core.resources.StringProvider import im.vector.app.core.resources.StringProvider
import im.vector.app.core.resources.toTimestamp import im.vector.app.core.resources.toTimestamp
import im.vector.app.core.time.Clock
import im.vector.app.features.home.AvatarRenderer import im.vector.app.features.home.AvatarRenderer
import im.vector.lib.core.utils.timer.Clock
import javax.inject.Inject import javax.inject.Inject
class LiveLocationBottomSheetController @Inject constructor( class LiveLocationBottomSheetController @Inject constructor(

View file

@ -27,9 +27,9 @@ import im.vector.app.core.epoxy.VectorEpoxyHolder
import im.vector.app.core.epoxy.VectorEpoxyModel import im.vector.app.core.epoxy.VectorEpoxyModel
import im.vector.app.core.epoxy.onClick import im.vector.app.core.epoxy.onClick
import im.vector.app.core.resources.StringProvider import im.vector.app.core.resources.StringProvider
import im.vector.app.core.time.Clock
import im.vector.app.core.utils.TextUtils import im.vector.app.core.utils.TextUtils
import im.vector.app.features.home.AvatarRenderer import im.vector.app.features.home.AvatarRenderer
import im.vector.lib.core.utils.timer.Clock
import im.vector.lib.core.utils.timer.CountUpTimer import im.vector.lib.core.utils.timer.CountUpTimer
import org.matrix.android.sdk.api.util.MatrixItem import org.matrix.android.sdk.api.util.MatrixItem
import org.threeten.bp.Duration import org.threeten.bp.Duration
@ -79,10 +79,12 @@ abstract class LiveLocationUserItem : VectorEpoxyModel<LiveLocationUserItem.Hold
} }
} }
holder.timer.tickListener = CountUpTimer.TickListener { holder.timer.apply {
holder.itemLastUpdatedAtTextView.text = getFormattedLastUpdatedAt(locationUpdateTimeMillis) tickListener = CountUpTimer.TickListener {
holder.itemLastUpdatedAtTextView.text = getFormattedLastUpdatedAt(locationUpdateTimeMillis)
}
start()
} }
holder.timer.resume()
holder.view.setOnClickListener { callback?.onUserSelected(matrixItem.id) } holder.view.setOnClickListener { callback?.onUserSelected(matrixItem.id) }
} }

View file

@ -25,7 +25,6 @@ import im.vector.app.R
import im.vector.app.core.extensions.createIgnoredUri import im.vector.app.core.extensions.createIgnoredUri
import im.vector.app.core.platform.PendingIntentCompat import im.vector.app.core.platform.PendingIntentCompat
import im.vector.app.core.resources.StringProvider import im.vector.app.core.resources.StringProvider
import im.vector.app.core.time.Clock
import im.vector.app.features.home.HomeActivity import im.vector.app.features.home.HomeActivity
import im.vector.app.features.home.room.detail.RoomDetailActivity import im.vector.app.features.home.room.detail.RoomDetailActivity
import im.vector.app.features.home.room.detail.arguments.TimelineArgs import im.vector.app.features.home.room.detail.arguments.TimelineArgs
@ -34,6 +33,7 @@ import im.vector.app.features.location.live.map.LiveLocationMapViewArgs
import im.vector.app.features.notifications.NotificationActionIds import im.vector.app.features.notifications.NotificationActionIds
import im.vector.app.features.notifications.NotificationUtils import im.vector.app.features.notifications.NotificationUtils
import im.vector.app.features.themes.ThemeUtils import im.vector.app.features.themes.ThemeUtils
import im.vector.lib.core.utils.timer.Clock
import javax.inject.Inject import javax.inject.Inject
import javax.inject.Singleton import javax.inject.Singleton

View file

@ -20,9 +20,9 @@ import android.content.Context
import androidx.core.net.toUri import androidx.core.net.toUri
import dagger.hilt.android.qualifiers.ApplicationContext import dagger.hilt.android.qualifiers.ApplicationContext
import im.vector.app.core.intent.getMimeTypeFromUri import im.vector.app.core.intent.getMimeTypeFromUri
import im.vector.app.core.time.Clock
import im.vector.app.core.utils.saveMedia import im.vector.app.core.utils.saveMedia
import im.vector.app.features.notifications.NotificationUtils import im.vector.app.features.notifications.NotificationUtils
import im.vector.lib.core.utils.timer.Clock
import kotlinx.coroutines.withContext import kotlinx.coroutines.withContext
import org.matrix.android.sdk.api.session.Session import org.matrix.android.sdk.api.session.Session
import java.io.File import java.io.File

View file

@ -21,10 +21,10 @@ import im.vector.app.core.extensions.getVectorLastMessageContent
import im.vector.app.core.extensions.takeAs import im.vector.app.core.extensions.takeAs
import im.vector.app.core.resources.BuildMeta import im.vector.app.core.resources.BuildMeta
import im.vector.app.core.resources.StringProvider import im.vector.app.core.resources.StringProvider
import im.vector.app.core.time.Clock
import im.vector.app.features.displayname.getBestName import im.vector.app.features.displayname.getBestName
import im.vector.app.features.home.room.detail.timeline.format.DisplayableEventFormatter import im.vector.app.features.home.room.detail.timeline.format.DisplayableEventFormatter
import im.vector.app.features.home.room.detail.timeline.format.NoticeEventFormatter import im.vector.app.features.home.room.detail.timeline.format.NoticeEventFormatter
import im.vector.lib.core.utils.timer.Clock
import org.matrix.android.sdk.api.extensions.orFalse import org.matrix.android.sdk.api.extensions.orFalse
import org.matrix.android.sdk.api.session.Session import org.matrix.android.sdk.api.session.Session
import org.matrix.android.sdk.api.session.content.ContentUrlResolver import org.matrix.android.sdk.api.session.content.ContentUrlResolver

View file

@ -23,11 +23,11 @@ import androidx.core.app.RemoteInput
import dagger.hilt.android.AndroidEntryPoint import dagger.hilt.android.AndroidEntryPoint
import im.vector.app.R import im.vector.app.R
import im.vector.app.core.di.ActiveSessionHolder import im.vector.app.core.di.ActiveSessionHolder
import im.vector.app.core.time.Clock
import im.vector.app.features.analytics.AnalyticsTracker import im.vector.app.features.analytics.AnalyticsTracker
import im.vector.app.features.analytics.extensions.toAnalyticsJoinedRoom import im.vector.app.features.analytics.extensions.toAnalyticsJoinedRoom
import im.vector.app.features.analytics.plan.JoinedRoom import im.vector.app.features.analytics.plan.JoinedRoom
import im.vector.app.features.session.coroutineScope import im.vector.app.features.session.coroutineScope
import im.vector.lib.core.utils.timer.Clock
import kotlinx.coroutines.launch import kotlinx.coroutines.launch
import org.matrix.android.sdk.api.extensions.tryOrNull import org.matrix.android.sdk.api.extensions.tryOrNull
import org.matrix.android.sdk.api.session.Session import org.matrix.android.sdk.api.session.Session

View file

@ -50,7 +50,6 @@ import im.vector.app.core.extensions.createIgnoredUri
import im.vector.app.core.platform.PendingIntentCompat import im.vector.app.core.platform.PendingIntentCompat
import im.vector.app.core.resources.StringProvider import im.vector.app.core.resources.StringProvider
import im.vector.app.core.services.CallAndroidService import im.vector.app.core.services.CallAndroidService
import im.vector.app.core.time.Clock
import im.vector.app.core.utils.startNotificationChannelSettingsIntent import im.vector.app.core.utils.startNotificationChannelSettingsIntent
import im.vector.app.features.MainActivity import im.vector.app.features.MainActivity
import im.vector.app.features.call.VectorCallActivity import im.vector.app.features.call.VectorCallActivity
@ -65,6 +64,7 @@ import im.vector.app.features.home.room.threads.arguments.ThreadTimelineArgs
import im.vector.app.features.settings.VectorPreferences import im.vector.app.features.settings.VectorPreferences
import im.vector.app.features.settings.troubleshoot.TestNotificationReceiver import im.vector.app.features.settings.troubleshoot.TestNotificationReceiver
import im.vector.app.features.themes.ThemeUtils import im.vector.app.features.themes.ThemeUtils
import im.vector.lib.core.utils.timer.Clock
import timber.log.Timber import timber.log.Timber
import javax.inject.Inject import javax.inject.Inject
import javax.inject.Singleton import javax.inject.Singleton

View file

@ -24,7 +24,6 @@ import android.view.WindowInsetsController.APPEARANCE_LIGHT_STATUS_BARS
import com.tapadoo.alerter.Alerter import com.tapadoo.alerter.Alerter
import im.vector.app.R import im.vector.app.R
import im.vector.app.core.platform.VectorBaseActivity import im.vector.app.core.platform.VectorBaseActivity
import im.vector.app.core.time.Clock
import im.vector.app.core.utils.isAnimationEnabled import im.vector.app.core.utils.isAnimationEnabled
import im.vector.app.features.MainActivity import im.vector.app.features.MainActivity
import im.vector.app.features.analytics.ui.consent.AnalyticsOptInActivity import im.vector.app.features.analytics.ui.consent.AnalyticsOptInActivity
@ -32,6 +31,7 @@ import im.vector.app.features.home.room.list.home.release.ReleaseNotesActivity
import im.vector.app.features.pin.PinActivity import im.vector.app.features.pin.PinActivity
import im.vector.app.features.signout.hard.SignedOutActivity import im.vector.app.features.signout.hard.SignedOutActivity
import im.vector.app.features.themes.ThemeUtils import im.vector.app.features.themes.ThemeUtils
import im.vector.lib.core.utils.timer.Clock
import timber.log.Timber import timber.log.Timber
import java.lang.ref.WeakReference import java.lang.ref.WeakReference
import javax.inject.Inject import javax.inject.Inject

View file

@ -31,7 +31,6 @@ import dagger.hilt.android.AndroidEntryPoint
import im.vector.app.R import im.vector.app.R
import im.vector.app.core.intent.getMimeTypeFromUri import im.vector.app.core.intent.getMimeTypeFromUri
import im.vector.app.core.platform.VectorBaseFragment import im.vector.app.core.platform.VectorBaseFragment
import im.vector.app.core.time.Clock
import im.vector.app.core.utils.saveMedia import im.vector.app.core.utils.saveMedia
import im.vector.app.core.utils.shareMedia import im.vector.app.core.utils.shareMedia
import im.vector.app.databinding.FragmentRoomUploadsBinding import im.vector.app.databinding.FragmentRoomUploadsBinding
@ -39,6 +38,7 @@ import im.vector.app.features.analytics.plan.MobileScreen
import im.vector.app.features.home.AvatarRenderer import im.vector.app.features.home.AvatarRenderer
import im.vector.app.features.notifications.NotificationUtils import im.vector.app.features.notifications.NotificationUtils
import im.vector.app.features.roomprofile.RoomProfileArgs import im.vector.app.features.roomprofile.RoomProfileArgs
import im.vector.lib.core.utils.timer.Clock
import kotlinx.coroutines.launch import kotlinx.coroutines.launch
import org.matrix.android.sdk.api.util.toMatrixItem import org.matrix.android.sdk.api.util.toMatrixItem
import javax.inject.Inject import javax.inject.Inject

View file

@ -27,12 +27,12 @@ import im.vector.app.R
import im.vector.app.core.di.DefaultPreferences import im.vector.app.core.di.DefaultPreferences
import im.vector.app.core.resources.BuildMeta import im.vector.app.core.resources.BuildMeta
import im.vector.app.core.resources.StringProvider import im.vector.app.core.resources.StringProvider
import im.vector.app.core.time.Clock
import im.vector.app.features.VectorFeatures import im.vector.app.features.VectorFeatures
import im.vector.app.features.disclaimer.SHARED_PREF_KEY import im.vector.app.features.disclaimer.SHARED_PREF_KEY
import im.vector.app.features.home.ShortcutsHandler import im.vector.app.features.home.ShortcutsHandler
import im.vector.app.features.homeserver.ServerUrlsRepository import im.vector.app.features.homeserver.ServerUrlsRepository
import im.vector.app.features.themes.ThemeUtils import im.vector.app.features.themes.ThemeUtils
import im.vector.lib.core.utils.timer.Clock
import org.matrix.android.sdk.api.extensions.tryOrNull import org.matrix.android.sdk.api.extensions.tryOrNull
import timber.log.Timber import timber.log.Timber
import javax.inject.Inject import javax.inject.Inject

View file

@ -16,7 +16,7 @@
package im.vector.app.features.settings.devices.v2.list package im.vector.app.features.settings.devices.v2.list
import im.vector.app.core.time.Clock import im.vector.lib.core.utils.timer.Clock
import java.util.concurrent.TimeUnit import java.util.concurrent.TimeUnit
import javax.inject.Inject import javax.inject.Inject

View file

@ -36,9 +36,9 @@ import im.vector.app.core.extensions.registerStartForActivityResult
import im.vector.app.core.extensions.safeOpenOutputStream import im.vector.app.core.extensions.safeOpenOutputStream
import im.vector.app.core.platform.VectorBaseFragment import im.vector.app.core.platform.VectorBaseFragment
import im.vector.app.core.platform.VectorMenuProvider import im.vector.app.core.platform.VectorMenuProvider
import im.vector.app.core.time.Clock
import im.vector.app.core.utils.selectTxtFileToWrite import im.vector.app.core.utils.selectTxtFileToWrite
import im.vector.app.databinding.FragmentDevtoolKeyrequestsBinding import im.vector.app.databinding.FragmentDevtoolKeyrequestsBinding
import im.vector.lib.core.utils.timer.Clock
import org.matrix.android.sdk.api.extensions.tryOrNull import org.matrix.android.sdk.api.extensions.tryOrNull
import javax.inject.Inject import javax.inject.Inject

View file

@ -73,7 +73,7 @@ abstract class PushRuleItem : VectorEpoxyModel<PushRuleItem.Holder>(R.layout.ite
pushRule.conditions?.forEachIndexed { i, condition -> pushRule.conditions?.forEachIndexed { i, condition ->
if (i > 0) description.append("\n") if (i > 0) description.append("\n")
description.append( description.append(
condition.asExecutableCondition(pushRule)?.technicalDescription() condition.asExecutableCondition()?.technicalDescription()
?: "UNSUPPORTED" ?: "UNSUPPORTED"
) )
} }

View file

@ -492,12 +492,9 @@ class VoiceBroadcastPlayerImpl @Inject constructor(
fun startPlaybackTicker(id: String) { fun startPlaybackTicker(id: String) {
playbackTicker?.stop() playbackTicker?.stop()
playbackTicker = CountUpTimer( playbackTicker = CountUpTimer(intervalInMs = 50L).apply {
initialTime = playbackTracker.getPlaybackTime(id)?.toLong() ?: 0L,
intervalInMs = 50L
).apply {
tickListener = CountUpTimer.TickListener { onPlaybackTick(id, it.toInt()) } tickListener = CountUpTimer.TickListener { onPlaybackTick(id, it.toInt()) }
resume() start(initialTime = playbackTracker.getPlaybackTime(id)?.toLong() ?: 0L)
} }
} }

View file

@ -245,9 +245,9 @@ class VoiceBroadcastRecorderQ(
) { ) {
fun start() { fun start() {
recordingTicker?.stop() recordingTicker?.stop()
recordingTicker = CountUpTimer().apply { recordingTicker = CountUpTimer().also {
tickListener = CountUpTimer.TickListener { onTick(elapsedTime()) } it.tickListener = CountUpTimer.TickListener { tick -> onTick(tick) }
resume() it.start()
} }
} }

View file

@ -16,7 +16,7 @@
package im.vector.app.test.fakes package im.vector.app.test.fakes
import im.vector.app.core.time.Clock import im.vector.lib.core.utils.timer.Clock
import io.mockk.every import io.mockk.every
import io.mockk.mockk import io.mockk.mockk